-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfortunes.py
2758 lines (2758 loc) · 380 KB
/
fortunes.py
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
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
fortunes = [
'"... the educated person is not the person who can answer the questions, but\nthe person who can question the answers."\n ― Theodore Schick Jr., in The_Skeptical_Inquirer, March/April, 1997\n',
'\n"A little fire, Scarecrow?"\n',
'\n"A programmer is a person who passes as an exacting expert on the basis of\nbeing able to turn out, after innumerable punching, an infinite series of\nincomprehensive answers calculated with micrometric precisions from vague\nassumptions based on debatable figures taken from inconclusive documents\nand carried out on instruments of problematical accuracy by persons of\ndubious reliability and questionable mentality for the avowed purpose of\nannoying and confounding a hopelessly defenseless department that was\nunfortunate enough to ask for the information in the first place."\n ― IEEE Grid newsmagazine\n',
'\n"Acting is an art which consists of keeping the audience from coughing."\n',
'\n"Anchovies? You\'ve got the wrong man! I spell my name DANGER! (click)"\n',
'\n"Benson, you are so free of the ravages of intelligence."\n ― Time Bandits\n',
'\n"Beware of the man who works hard to learn something, learns it, and finds\nhimself no wiser than before," Bokonon tells us. "He is full of murderous\nresentment of people who are ignorant without having come by their\nignorance the hard way."\n ― Kurt Vonnegut, "Cat\'s Cradle"\n',
'\n"But I don\'t like Spam!"\n',
'\n"But this has taken us far afield from interface, which is not a bad place\nto be, since I particularly want to move ahead to the kludge. Why do\npeople have so much trouble understanding the kludge? What is a kludge,\nafter all, but not enough Ks, not enough ROMs, not enough RAMs, poor\nquality interface and too few bytes to go around? Have I explained yet\nabout the bytes?"\n',
'\n"Calvin Coolidge looks as if he had been weaned on a pickle."\n ― Alice Roosevelt Longworth\n',
'\n"Contrariwise," continued Tweedledee, "if it was so, it might be; and\nif it were so, it would be; but as it isn\'t, it ain\'t. That\'s logic!"\n ― Lewis Carroll, "Through the Looking Glass"\n',
'\n"Creation science" has not entered the curriculum for a reason so simple\nand so basic that we often forget to mention it: because it is false, and\nbecause good teachers understand exactly why it is false. What could be\nmore destructive of that most fragile yet most precious commodity in our\nentire intellectual heritage ― good teaching ― than a bill forcing\nhonorable teachers to sully their sacred trust by granting equal treatment\nto a doctrine not only known to be false, but calculated to undermine any\ngeneral understanding of science as an enterprise?\n ― Stephen Jay Gould, "The Skeptical Inquirer", Vol. 12, page 186\n',
'\n"Deep" is a word like "theory" or "semantic" ― it implies all sorts of\nmarvelous things. It\'s one thing to be able to say "I\'ve got a theory",\nquite another to say "I\'ve got a semantic theory", but, ah, those who can\nclaim "I\'ve got a deep semantic theory", they are truly blessed.\n ― Randy Davis\n',
'\n"Deliver yesterday, code today, think tomorrow."\n',
'\n"Die? I should say not, dear fellow. No Barrymore would allow such a\nconventional thing to happen to him."\n ― John Barrymore\'s dying words\n',
'\n"Do not stop to ask what is it;\n Let us go and make our visit."\n ― T. S. Eliot, "The Love Song of J. Alfred Prufrock"\n',
'\n"Do you have blacks, too?"\n ― George W. Bush, to Brazilian president Fernando Cardoso;\n Washington, D.C., November 8, 2001\n',
'\n"Don\'t let your mouth write no check that your tail can\'t cash."\n ― Bo Diddley\n',
'\n"Don\'t say yes until I finish talking."\n ― Darryl F. Zanuck\n',
'\n"Drawing on my fine command of language, I said nothing."\n',
'\n"Earth is a great, big funhouse without the fun."\n ― Jeff Berner\n',
'\n"Even the best of friends cannot attend each other\'s funeral."\n ― Kehlog Albran, "The Profit"\n',
'\n"Every time I think I know where it\'s at, they move it."\n',
'\n"Grub first, then ethics."\n ― Bertolt Brecht\n',
'\n"He didn\'t say that. He was reading what was given to him in a speech."\n ― Richard Darman, director of OMB, explaining why President Bush\n wasn\'t following up on his campaign pledge that there would be\n no loss of wetlands\n',
'\n"He was so narrow minded he could see through a keyhole with both eyes..."\n',
'\n"He\'s the kind of man for the times that need the kind of man he is ..."\n',
'\n"His mind is like a steel trap ― full of mice."\n ― Foghorn Leghorn\n',
'\n"Humor is a drug which it\'s the fashion to abuse."\n ― William Gilbert\n',
'\n"I am not an Economist. I am an honest man!"\n ― Paul McCracken\n',
'\n"I am not sure what this is, but an `F\' would only dignify it."\n ― English Professor\n',
'\n"I didn\'t accept it. I received it."\n ― Richard Allen, National Security Advisor to President Reagan,\n explaining the $1000 in cash and two watches he was given by\n two Japanese journalists after he helped arrange a private\n interview for them with First Lady Nancy Reagan.\n',
'\n"I don\'t care who does the electing as long as I get to do the nominating."\n ― Boss Tweed\n',
'\n"I don\'t have any solution but I certainly admire the problem."\n ― Ashleigh Brilliant\n',
'\n"I have yet to see any problem, however complicated, which, when looked\nat in the right way, did not become still more complicated."\n ― Paul Anderson\n',
'\n"I just need enough to tide me over until I need more."\n ― Bill Hoest\n',
'\n"I may not be totally perfect, but parts of me are excellent."\n ― Ashleigh Brilliant\n',
'\n"I support efforts to limit the terms of members of Congress, especially\nmembers of the House and members of the Senate."\n ― former Vice-President Dan Quayle\n',
'\n"I was under medication when I made the decision not to burn the tapes."\n ― President Richard Nixon\n',
'\n"I\'d give my right arm to be ambidextrous."\n',
'\n"If dolphins are so smart, why did Flipper work for television?"\n',
'\n"If the King\'s English was good enough for Jesus, it\'s good enough for me!"\n ― "Ma" Ferguson, Governor of Texas (circa 1920)\n',
'\n"If you can count your money, you don\'t have a billion dollars."\n ― J. Paul Getty\n',
'\n"If you go on with this nuclear arms race, all you are going to do is\nmake the rubble bounce."\n ― Winston Churchill\n',
'\n"In defeat, unbeatable; in victory, unbearable."\n ― Winston Churchill, of Montgomery\n',
'\n"It depends on your definition of asleep. They were not stretched out.\nThey had their eyes closed. They were seated at their desks with their\nheads in a nodding position."\n ― John Hogan, Commonwealth Edison Supervisor of News Information,\n responding to a charge by a Nuclear Regulatory Commission\n inspector that two Dresden Nuclear Plant operators were\n sleeping on the job.\n',
'\n"It is easier for a camel to pass through the eye of a needle if it is\nlightly greased."\n ― Kehlog Albran, "The Profit"\n',
'\n"It was hell," recalls former child.\n ― caption to a B. Kliban cartoon\n',
'\n"It\'s bad luck to be superstitious."\n ― Andrew W. Mathis\n',
'\n"It\'s not Camelot, but it\'s not Cleveland, either."\n ― Kevin White, mayor of Boston\n',
'\n"Just once, I wish we would encounter an alien menace that wasn\'t immune\n to bullets"\n ― The Brigader, "Dr. Who"\n',
'\n"Laughter is the closest distance between two people."\n ― Victor Borge\n',
'\n"MacDonald has the gift on compressing the largest amount of words into\nthe smallest amount of thoughts."\n ― Winston Churchill\n',
'\n"Man invented language to satisfy his deep need to complain."\n ― Lily Tomlin\n',
'\n"Mate, this parrot wouldn\'t VOOM if you put four million volts through it!"\n',
'\n"Might as well be frank, monsieur. It would take a miracle to get you\nout of Casablanca and the Germans have outlawed miracles."\n',
'\n"Nondeterminism means never having to say you are wrong."\n',
'\n"Of COURSE it\'s the murder weapon. Who would frame someone with a fake?"\n', '\n"One planet is all you get."\n',
'\n"She is descended from a long line that her mother listened to."\n ― Gypsy Rose Lee\n',
'\n"Sherry [Thomas Sheridan] is dull, naturally dull; but it must have\ntaken him a great deal of pains to become what we now see him. Such an\nexcess of stupidity, sir, is not in Nature."\n ― Samuel Johnson\n',
'\n"Stealing a rhinoceros should not be attempted lightly."\n',
'\n"Sure, it\'s going to kill a lot of people, but they may be dying of something\nelse anyway."\n ― Othal Brand, member of a Texas pesticide review board, on chlordane\n',
'\n"Text processing has made it possible to right-justify any idea, even\none which cannot be justified on any other grounds."\n ― J. Finnegan, USC.\n',
'\n"That must be wonderful! I don\'t understand it at all."\n',
'\n"The C Programming Language: A language which combines the flexibility of\nassembly language with the power of assembly language."\n',
'\n"The Lord gave us farmers two strong hands so we could grab as much as\nwe could with both of them."\n ― Joseph Heller, "Catch-22"\n',
'\nThe bland leadeth the bland and they both shall fall into the kitsch.\n',
'\n"The difference between a misfortune and a calamity? If Gladstone fell\ninto the Thames, it would be a misfortune. But if someone dragged him\nout again, it would be a calamity."\n ― Benjamin Disraeli\n',
"\nThe brain is a beautifully engineered get-out-of-the-way machine that\nconstantly scans the environment for things out of whose way it should\nright now get. That's what brains did for several hundred million years ―\nand then, just a few million years ago, the mammalian brain learned a new\ntrick: to predict the timing and location of dangers before they actually\nhappened.\n\nOur ability to duck that which is not yet coming is one of the brain's most\nstunning innovations, and we wouldn't have dental floss or 401(k) plans\nwithout it. But this innovation is in the early stages of development. The\napplication that allows us to respond to visible baseballs is ancient and\nreliable, but the add-on utility that allows us to respond to threats that\nloom in an unseen future is still in beta testing.\n ― Daniel Gilbert, professor of psychology at Harvard University,\n in an op-ed piece in the Los Angeles Times; 6 July, 2006\n",
'\n"The illegal we do immediately. The unconstitutional takes a bit longer."\n ― Henry Kissinger\n',
'\n"The society which scorns excellence in plumbing as a humble activity and\ntolerates shoddiness in philosophy because it is an exaulted activity will\nhave neither good plumbing nor good philosophy ... neither its pipes nor\nits theories will hold water."\n',
'\n"The sooner you fall behind, the more time you\'ll have to catch up!"\n',
'\n"The streets are safe in Philadelphia. It\'s only the people who\nmake them unsafe."\n ― the late Frank Rizzo, ex-police chief and ex- mayor of\n Philadelphia\n',
'\nThe voters have spoken, the bastards...\n',
'\n"The warning message we sent the Russians was a calculated ambiguity\nthat would be clearly understood."\n ― Alexander Haig\n',
'\nThe way to make a small fortune in the commodities market is to start\nwith a large fortune.\n',
'\n"There are three possibilities: Pioneer\'s solar panel has turned away\nfrom the sun; there\'s a large meteor blocking transmission; or someone\nloaded Star Trek 3.2 into our video processor."\n',
'\n"There are two ways of disliking poetry; one way is to dislike it, the\nother is to read Pope."\n ― Oscar Wilde\n',
'\n"There was a boy called Eustace Clarence Scrubb, and he almost deserved it."\n ― C. S. Lewis, The Chronicles of Narnia\n',
'\n"They gave me a book of checks. They didn\'t ask for any deposits."\n ― Congressman Joe Early (D-Mass) at a press conference to answer\n questions about the House Bank scandal.\n',
'\nThis is a country where people are free to practice their religion,\nregardless of race, creed, color, obesity, or number of dangling keys...\n',
'\n"To YOU I\'m an atheist; to God, I\'m the Loyal Opposition."\n ― Woody Allen\n',
'\nTo vacillate or not to vacillate, that is the question ... or is it?\n',
'\n"Tom Hayden is the kind of politician who gives opportunism a bad name."\n ― Gore Vidal\n',
'\n"Under capitalism, man exploits man. Under Communism, it\'s just the opposite."\n ― John Kenneth Galbraith\n',
'\n"We don\'t care. We don\'t have to. We\'re the Phone Company."\n',
'\n"We don\'t have to protect the environment ― the Second Coming is at hand."\n ― James Watt\n',
'\n"We have reason to believe that man first walked upright to free his\nhands for masturbation."\n ― Lily Tomlin\n',
'\n"We\'ll cross out that bridge when we come back to it later."\n',
'\n"Well, if you can\'t believe what you read in a comic book, what CAN\nyou believe?!"\n ― Bullwinkle J. Moose [Jay Ward]\n',
'\n"What is the robbing of a bank compared to the FOUNDING of a bank?"\n ― Bertold Brecht\n',
'\n"When the going gets tough, the tough get empirical."\n ― Jon Carroll\n',
'\n"When you have to kill a man it costs nothing to be polite."\n ― Winston Churchill, on formal declarations of war\n',
'\n"Where shall I begin, please your Majesty?" he asked. "Begin at the\nbeginning," the King said, gravely, "and go on till you come to the end:\nthen stop."\n ― Alice\'s Adventures in Wonderland, Lewis Carroll\n',
'\n"Why be a man, when you can be a success?"\n ― Bertold Brecht\n',
'\n"Why isn\'t there a special name for the tops of your feet?"\n ― Lily Tomlin\n',
'\n"Why was I born with such contemporaries?"\n ― Oscar Wilde\n',
'\n"Would you tell me, please, which way I ought to go from here?"\n\n"That depends a good deal on where you want to get to," said the Cat.\n ― Lewis Carrol\n',
'\n"Yacc" owes much to a most stimulating collection of users, who have goaded\nme beyond my inclination, and frequently beyond my ability in their endless\nsearch for "one more feature". Their irritating unwillingness to learn how\nto do things my way has usually led to my doing things their way; most of\nthe time, they have been right.\n ― S. C. Johnson, "Yacc guide acknowledgements"\n',
'\n"Yes, that was Richard Nixon. He used to be President. When he left the\nWhite House, the Secret Service would count the silverware."\n ― Woody Allen, "Sleeper"\n',
'\n"Yes, well, that\'s just the sort of blinkered, Philistine pig-ignorance I\'ve\ncome to expect from you non-creative garbage. You sit there on your loathsome\nspotty behinds squeezing blackheads, not caring a tinker\'s cuss for the\nstruggling artist, you excrement! You whining, hypocritical toadies with your\nTony Jacklin golf clubs, your colour TVs and your bleedin\' Masonic handshakes!\nYou wouldn\'t let me join, would you, you blackballing bastards?! WELL I\nWOULDN\'T BECOME A FREEMASON NOW IF YOU GOT DOWN ON YOUR LOUSY STINKING KNEES\nAND BEGGED ME!"\n',
'\n"You can\'t teach people to be lazy - either they have it, or they don\'t."\n ― Dagwood Bumstead\n',
'\n"You\'ll never be the man your mother was!"\n', '\n$100 invested at 7',
' interest for 100 years will become $100,000, at\nwhich time it will be worth absolutely nothing.\n ― Lazarus Long, "Time Enough for Love"\n',
"\n'Martyrdom' is the only way a person can become famous without ability.\n ― George Bernard Shaw\n",
"\n'Tis not too late to seek a newer world.\n ― Alfred, Lord Tennyson\n",
'\n[Humanity] is the measure of all things.\n ― Protagoras\n',
"\n... And malt does more than Milton can/To justify God's ways to man\n ― A. E. Housman\n",
'\nAn infinite number of mathematicians walk into a bar. The first one orders\na beer. The second orders half a beer. The third, a quarter of a beer. The\nbartender says "You\'re all idiots", and pours two beers.\n',
"\nAny code of your own that you haven't looked at for six or more months\nmight as well have been written by someone else.\n ― Eagleson's Law\n",
'\nAny resemblance between the above and my own views is non-deterministic.\n',
'\n... But if we laugh with derision, we will never understand. Human\nintellectual capacity has not altered for thousands of years so far as we\ncan tell. If intelligent people invested intense energy in issues that now\nseem foolish to us, then the failure lies in our understanding of their\nworld, not in their distorted perceptions. Even the standard example of\nancient nonsense ― the debate about angels on pinheads ― makes sense once\nyou realize that theologians were not discussing whether five or eighteen\nwould fit, but whether a pin could house a finite or an infinite number.\n ― S. J. Gould, "Wide Hats and Narrow Minds"\n',
"\n... Fortunately, the responsibility for providing evidence is on the part of\nthe person making the claim, not the critic. It is not the responsibility\nof UFO skeptics to prove that a UFO has never existed, nor is it the\nresponsibility of paranormal-health-claims skeptics to prove that crystals\nor colored lights never healed anyone. The skeptic's role is to point out\nclaims that are not adequately supported by acceptable evidence and to\nprovide plausible alternative explanations that are more in keeping with\nthe accepted body of scientific evidence. ...\n ― Thomas L. Creed, The Skeptical Inquirer, Vol. XII No. 2, pg. 215\n",
'\n... Had this been an actual emergency, we would have fled in terror,\nand you would not have been informed.\n',
'\n... The book is worth attention for only two reasons: (1) it attacks\nattempts to expose sham paranormal studies; and (2) it is very well and\nplausibly written and so rather harder to dismiss or refute by simple\njeering.\n ― Harry Eagar, reviewing "Beyond the Quantum" by Michael Talbot,\n The Skeptical Inquirer, Vol. XII No. 2, ppg. 200-201\n',
'\nThe first principle is that you must not fool yourself―and you are the\neasiest person to fool. So you have to be very careful about that. After\nyou\'ve not fooled yourself, it\'s easy not to fool other scientists. You\njust have to be honest in a conventional way after that.\n ― R. P. Feynman, "Cargo Cult Science"\n',
"\n... at least I thought I was dancing, 'til somebody stepped on my hand.\n ― J. B. White\n",
'\n... if the church put in half the time on covetousness that it does on lust,\nthis would be a better world.\n ― Garrison Keillor, "Lake Wobegon Days"\n',
'\n... the Father, the Son and the Holy Ghost would never throw the Devil out\nof Heaven as long as they still need him as a fourth for bridge.\n ― Letter in NEW LIBERTARIAN NOTES #19\n',
'\n... they [the Indians] are not running but are coming on.\n ― note sent from Lt. Col Custer to other officers\n of the 7th Regiment at the Little Bighorn\n',
'\n...I would go so far as to suggest that, were it not for our ego and\nconcern to be different, the African apes would be included in our family,\nthe Hominidae.\n ― Richard Leakey\n',
'\n... It is sad to find him belaboring the science community for its united\nopposition to ignorant creationists who want teachers and textbooks to give\nequal time to crank arguments that have advanced not a step beyond the\nflyblown rhetoric of Bishop Wilberforce and William Jennings Bryan.\n ― Martin Gardner, "Irving Kristol and the Facts of Life",\n The Skeptical Inquirer, Vol. XII No. 2, ppg. 128-131\n',
'\n...computer hardware progress is so fast. No other technology since\ncivilization began has seen six orders of magnitude in performance-price\ngain in 30 years.\n ― Fred Brooks, Jr.\n',
'\n...difference of opinion is advantageous in religion. The several sects\nperform the office of a common censor morum over each other. Is uniformity\nattainable? Millions of innocent men, women, and children, since the\nintroduction of Christianity, have been burnt, tortured, fined, imprisoned;\nyet we have not advanced one inch towards uniformity.\n ― Thomas Jefferson, "Notes on Virginia"\n',
'\n...it still remains true that as a set of cognitive beliefs about the\nexistence of God in any recognizable sense continuous with the great\nsystems of the past, religious doctrines constitute a speculative\nhypothesis of an extremely low order of probability.\n ― Sidney Hook\n',
'\n...skill such as yours is evidence of a misspent youth.\n ― Herbert Spencer\n',
'\n...the increased productivity fostered by a friendly environment and quality\ntools is essential to meet ever increasing demands for software.\n ― M. D. McIlroy, E. N. Pinson and B. A. Tague\n',
'\n...there can be no public or private virtue unless the foundation of action is\nthe practice of truth.\n ― George Jacob Holyoake\n',
'\n...this is an awesome sight. The entire rebel resistance buried under six\nmillion hardbound copies of "The Naked Lunch."\n ― The Firesign Theater\n',
'\n...though his invention worked superbly ― his theory was a crock of sewage\nfrom beginning to end.\n ― Vernor Vinge, "The Peace War"\n',
'\n...when fits of creativity run strong, more than one programmer or writer has\nbeen known to abandon the desktop for the more spacious floor.\n ― Fred Brooks, Jr.\n',
'\n/earth is 98', ' full ... please delete anyone you can.\n', '\n10.0 times 0.1 is hardly ever 1.0.\n',
'\n36 percent of the American public believes that boiling radioactive milk\nmakes it safe to drink.\n ― results of a survey by Jon Miller at Northern Illinois University\n',
'\n43rd Law of Computing: Anything that can go wr\nfortune: Segmentation fault ― core dumped\n',
'\n80 percent of all statistics are made up on the spot, including this one.\n', '\n99',
' of all guys are within one standard deviation of your mom.\n',
'\nA LISP programmer knows the value of everything, but the cost of nothing.\n',
'\nA bore is a man you deprives you of solitude without providing you with\ncompany.\n ― Gian Vincenzo Gravina\n',
'\nA Nixon [is preferable to] a Dean Rusk ― who will be passionately\nwrong with a high sense of consistency.\n ― J. K. Galbraith\n',
'\nA Puritan is someone who is deathly afraid that someone somewhere is\nhaving fun.\n',
'\nA baby is an alimentary canal with a loud voice at one end and no\nresponsibility at the other.\n',
'\nA bachelor is a selfish, undeserving guy who has cheated some woman\nout of a divorce.\n ― Don Quinn\n',
'\nA billion here, a billion there, sooner or later it adds up to real money.\n ― Everett Dirksen\n',
'\nA bore is someone who persists in holding his own views after we have\nenlightened him with ours.\n',
'\nA budget is just a method of worrying before you spend money, as well as\nafterward.\n',
'\nA candidate is a person who gets money from the rich and votes from the\npoor to protect them from each other.\n',
'\nA celebrity is a person who is known for his well-knownness.\n',
"\nA child's education should begin at least 100 years before he is born.\n ― Oliver Wendell Holmes\n",
'\nA city is a large community where people are lonesome together.\n ― Herbert Prochnow\n',
'\nA clash of doctrine is not a disaster ― it is an opportunity.\n', '\nA closed mouth gathers no foot.\n',
'\nA conclusion is simply the place where someone got tired of thinking.\n',
'\nA conference is a gathering of important people who singly can do nothing,\nbut together can decide that nothing can be done.\n ― Fred Allen\n',
'\nA conservative is a man who believes that nothing should be done for\nthe first time.\n ― Alfred E. Wiggam\n',
'\nA conservative is a man with two perfectly good legs who has never\nlearned to walk.\n ― Franklin D. Roosevelt\n',
'\nA conservative is one who is too cowardly to fight and too fat to run.\n',
'\nA countryman between two lawyers is like a fish between two cats.\n ― Ben Franklin\n',
'\nA critic is a legless man who teaches running.\n ― Channing Pollock\n',
'\nA day without sunshine is like night.\n',
'\nA decision occurs when one abandons the obvious for the possible.\n ― P. Taylor\n',
"\nA diplomat is a man who can convince his wife she'd look stout in a fur coat.\n",
'\nA diplomat is someone who can tell you to go to hell in such a way that you\nwill look forward to the trip.\n ― Caskie Stinnett\n',
"\nA diplomat is a man who always remembers a woman's birthday but never her age.\n ― Robert Frost\n",
'\nA diva who specializes in risque arias is an off-coloratura soprano ...\n',
'\nA door is what a dog is perpetually on the wrong side of.\n ― Ogden Nash\n',
'\nA famous Lisp Hacker noticed an Undergraduate sitting in front of a Xerox\n1108, trying to edit a complex Klone network via a browser. Wanting to\nhelp, the Hacker clicked one of the nodes in the network with the mouse,\nand asked "what do you see?" Very earnestly, the Undergraduate replied "I\nsee a cursor." The Hacker then quickly pressed the boot toggle at the back\nof the keyboard, while simultaneously hitting the Undergraduate over the\nhead with a thick Interlisp Manual. The Undergraduate was then Enlightened.\n',
"\nA fanatic is a person who can't change his mind and won't change the subject.\n ― Winston Churchill\n",
'\nA fool must now and then be right by chance.\n',
"\nA fool's brain digests philosophy into folly, science into\nsuperstition, and art into pedantry. Hence University education.\n ― G. B. Shaw\n",
'\nA foolish consistency is the hobgoblin of little minds.\n ― Samuel Johnson\n',
'\nA formal parsing algorithm should not always be used.\n ― D. Gries\n',
'\nA good listener is not only popular everywhere, but after a while he knows\nsomething.\n ― Wilson Mizner\n',
'\nA good memory does not equal pale ink.\n', '\nA good workman is known by his tools.\n',
'\nA great many people think they are thinking when they are merely\nrearranging their prejudices.\n ― William James\n',
'\nA handful of friends is worth more than a wagon of gold.\n',
"\nA healthy male adult bore consumes each year one and a half times his weight\nin other people's patience.\n ― John Updike\n",
'\nA hermit is a deserter from the army of humanity.\n',
'\nA journey of a thousand miles begins with a cash advance.\n', "\nA king's castle is his home.\n",
'\nA lack of leadership is no substitute for inaction.\n',
"\nA language that doesn't affect the way you think about programming is\nnot worth knowing.\n",
"\nA language that doesn't have everything is actually easier to program\nin than some that do.\n ― Dennis M. Ritchie\n",
'\nA large number of installed systems work by fiat. That is, they work\nby being declared to work.\n ― Anatol Holt\n',
'\nA learning experience is one of those things that says, "You know that\nthing you just did? Don\'t do that."\n ― attributed to Douglas Adams\n',
'\nA little caution outflanks a large cavalry.\n ― Bismarck\n',
'\nA little retrospection shows that although many fine, useful software systems\nhave been designed by committees and built as part of multipart projects,\nthose software systems that have excited passionate fans are those that are\nthe products of one or a few designing minds, great designers. Consider Unix,\nAPL, Pascal, Modula, the Smalltalk interface, even Fortran; and contrast them\nwith Cobol, PL/I, Algol, MVS/370, and MS-DOS.\n ― Fred Brooks, Jr.\n',
'\nA lot of people I know believe in positive thinking, and so do I. I\nbelieve everything positively stinks.\n ― Lew Col\n',
'\nA man forgives only when he is in the wrong.\n',
'\nA man is not old until regrets take the place of dreams.\n ― John Barrymore\n',
'\nA man paints with his brains and not with his hands.\n',
'\nA man said to the Universe: "Sir, I exist!"\n\n"However," replied the Universe, "the fact has not created in me a\nsense of obligation."\n ― Stephen Crane\n',
'\nA man shall never be enriched by envy.\n ― Thomas Draxe\n',
'\nA man who fishes for marlin in ponds will put his money in Etruscan bonds.\n',
'\nA man who turns green has eschewed protein.\n', '\nA man wrapped up in himself makes a very small package.\n',
'\nA manager would rather live with a problem that he cannot solve than\naccept a solution that he does not understand.\n ― G. Woolsey\n',
'\nA mathematician is a machine for converting coffee into theorems.\n',
"\nA mathematician named Hall\nHas a hexahedronical ball,\n And the cube of its weight\n Times his pecker's, plus eight\nIs his phone number ― give him a call.\n",
'\nA model is an artifice for helping you convince yourself that you\nunderstand more about a system than you do.\n',
'\nA moose once bit my sister.\n',
'\nA morsel of genuine history is a thing so rare as to be always valuable.\n ― Thomas Jefferson\n',
'\nA nuclear war can ruin your whole day.\n', '\nA nymph hits you and steals your virginity.\n',
'\nA penny saved is ridiculous.\n', '\nA person is just about as big as the things that make them angry.\n',
'\nA person who knows only one side of a question knows little of that.\n',
'\nA person with one watch knows what time it is; a person with two watches is\nnever sure. Proverb\n',
"\nA physicist is an atom's way of knowing about atoms.\n ― George Wald\n",
"\nA plucked goose doesn't lay golden eggs.\n", "\nA professor is one who talks in someone else's sleep.\n",
'\nA psychiatrist is a person who will give you expensive answers that\nyour wife will give you for free.\n',
'\nA quarrel is quickly settled when deserted by one party; there is no battle\nunless there be two.\n ― Seneca\n',
'\nA real patriot is the fellow who gets a parking ticket and rejoices\nthat the system works.\n',
'\nA real person has two reasons for doing anything ... a good reason and\nthe real reason.\n',
'\nA recent study has found that concentrating on difficult off-screen\nobjects, such as the faces of loved ones, causes eye strain in computer\nscientists. Researchers into the phenomenon cite the added\nconcentration needed to "make sense" of such unnatural three\ndimensional objects ...\n',
"\nA right is not what someone gives you; it's what no one can take from you.\n ― Ramsey Clark\n",
'\nA scout troop consists of twelve little kids dressed like schmucks following\na big schmuck dressed like a kid.\n - Jack Benny\n',
'\nA second marriage is the triumph of hope over experience.\n ― Samuel Johnson\n',
'\nA sine curve goes off into infinity or at least to the end of the blackboard.\n',
'\nA smile is the shortest distance between two people.\n ― Victor Borge\n',
"\nA straw vote only shows which way the hot air blows.\n ― O'Henry\n",
'\nA student who changes the course of history is probably taking an\nexam.\n',
'\nA successful tool is one that was used to do something undreamed of by\nits author.\n ― S. C. Johnson\n',
'\nA thing is worth precisely what it can do for you, not what you choose to\npay for it.\n ― John Ruskin\n',
'\nA total abstainer is one who abstains from everything but abstention,\nand especially from inactivity in the affairs of others.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nA truly wise man never plays leapfrog with a unicorn.\n',
'\nA university is what a college becomes when the faculty loses interest\nin students.\n ― John Ciardi\n',
'\nA vacuum is a hell of a lot better than some of the stuff that nature\nreplaces it with.\n ― Tenessee Williams\n',
'\nA visit to a fresh place will bring strange work.\n', '\nA visit to a strange place will bring fresh work.\n',
'\nA well adjusted person is one who makes the same mistake twice without\ngetting nervous.\n',
'\nA well-known friend is a treasure.\n', '\nA witty saying proves nothing.\n ― Voltaire\n',
'\nA woman without a man is like a fish without a bicycle.\n',
'\nA year spent in artificial intelligence is enough to make one believe in God.\n',
'\nAda, n.: Something you need only know the name of to be an Expert in\ncomputing. Useful in sentences like, "We had better develop an Ada\nawareness."\n',
'\nAbandon hope, all ye who press "ENTER" here.\n',
'\nAbility is useless unless it is used.\n ― Robert Half\n',
'\nAbout all some men accomplish in life is to send a son to Harvard.\n',
'\nAbout the only thing on a farm that has an easy time is the dog.\n',
'\nAbout the time we think we can make ends meet, somebody moves the ends.\n ― Herbert Hoover\n',
'\nAbove all things, reverence yourself.\n', '\nAbstention makes the heart grow fonder.\n',
'\nAbsurdity, n.: A statement or belief manifestly inconsistent with one\'s own\nopinion.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAccident, n.: A condition in which presence of mind is good, but absence of\nbody is better.\n',
'\nAccording to my best recollection, I don\'t remember.\n ― Vincent "Jimmy Blue Eyes" Alo\n',
'\nAccording to the latest official figures, 43', ' of all statistics are totally\nworthless.\n',
"\nAccording to my scuba instructor, if a shark attacks, you're supposed to\npoke it in the eye with your finger. After that, I suppose you should hit\nit in the face with a cream pie, or maybe hose it down with a seltzer bottle.\n ― Jerry L. Embry\n",
'\nAccordion: A bagpipe with pleats.\n', '\nAccuracy: The vice of being right.\n',
'\nAcquaintance, n.: A person whom we know well enough to borrow from, but not\nwell enough to lend to.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nActing is an art which consists of keeping the audience from coughing.\n',
"\nActivity makes more men's fortunes than cautiousness.\n ― Marquis de Vauvenargues\n",
'\nActors will happen in the best-regulated families.\n',
'\nAda is the work of an architect, not a computer scientist.\n ― Jean Ichbiah, inventor of Ada, weenie\n',
'\nAdapt. Enjoy. Survive.\n',
'\nAdde parvum parvo magnus acervus erit.\n[Add little to little and there will be a big pile.]\n ― Ovid\n',
'\nAdmiration, n.: Our polite recognition of another\'s resemblance to ourselves.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAdolescence: The stage between puberty and adultery.\n',
'\nAdore, v.: To venerate expectantly.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAdult: One old enough to know better.\n',
'\nAdversity makes men, prosperity monsters.\n ― French Proverb\n',
'\nAdvertisement: The most truthful part of a newspaper.\n ― Thomas Jefferson\n',
'\nAdvertising: The science of arresting the human intelligence long enough to\nget money from it.\n ― Stephen Leacock\n',
"\nAfter Goliath's defeat, giants ceased to command respect.\n ― Freeman Dyson\n",
'\nAfter a number of decimal places, nobody gives a damn.\n',
'\nAfter all is said and done, a lot more has been said than done.\n',
"\nAfter all, what is your hosts' purpose in having a party? Surely not\nfor you to enjoy yourself; if that were their sole purpose, they'd have\nsimply sent champagne and women over to your place by taxi.\n ― P. J. O'Rourke\n",
'\nAfter any machine or unit has been assembled, extra components will be\nfound on the bench.\n ― "Industry at Work," Oilways, n2., 1972, pp. 16-17. Humble Oil\n & Refining Company., Houston, TX\n',
'\nAfter the last of 16 mounting screws has been removed from an access cover,\nit will be discovered that the wrong access cover has been removed.\n',
'\nAfter winning the pennant one year, Casey Stengel commented, "I couldn\'ta\ndone it without my players."\n',
'\nAir is water with holes in it.\n',
'\nAlas, I am dying beyond my means.\n ― Oscar Wilde, as he sipped champagne on his deathbed\n',
'\nAlbert Einstein, when asked to describe radio, replied: "You see, wire\ntelegraph is a kind of a very, very long cat. You pull his tail in New\nYork and his head is meowing in Los Angeles. Do you understand this? And\nradio operates exactly the same way: you send signals here, they receive\nthem there. The only difference is that there is no cat."\n',
'\nAlexander Graham Bell is alive and well in New York, and still waiting for a\ndial tone.\n',
'\nAlimony and bribes will engage a large share of your wealth.\n',
'\nAlimony is a system by which, when two people make a mistake, one of\nthem keeps paying for it.\n ― Peggy Joyce\n',
"\nAll I ask is a chance to prove that money can't make me happy.\n",
'\nAll I ask of life is a constant and exaggerated sense of my own importance.\n',
"\nAll I kin say is when you finds yo'self wanderin' in a peach orchard,\nya don't go lookin' for rutabagas.\n ― Kingfish\n",
'\nAll a hacker needs is a tight PUSHJ, a loose pair of UUOs, and a warm\nplace to shift.\n',
'\nAll great ideas are controversial, or have been at one time.\n',
'\nAll happy families resemble one another, each unhappy in its own way.\n ― Tolstoy\n',
"\nAll in all it's just another brick in the wall.\n",
'\nAll my life I wanted to be someone; I guess I should have been more specific.\n ― Jane Wagner\n',
'\nAll programmers are optimists. Perhaps this modern sorcery especially attracts\nthose who believe in happy endings and fairy godmothers. Perhaps the hundreds\nof nitty frustrations drive away all but those who habitually focus on the end\ngoal. Perhaps it is merely that computers are young, programmers are younger,\nand the young are always optimists. But however the selection process works,\nthe result is indisputable: "This time it will surely run," or "I just found\nthe last bug."\n ― Frederick Brooks, Jr., The Mythical Man Month\n',
'\nAll programmers are playwrights and all computers are lousy actors.\n',
'\nAll progress is based upon a universal innate desire on the part of\nevery organism to live beyond its income.\n ― Samuel Butler\n',
'\nAll science is either physics or stamp collecting.\n ― E. Rutherford\n',
'\nAll that glitters has a high refractive index.\n',
"\nAll the world's a stage and most of us are desperately unrehearsed.\n ― Sean O'Casey\n",
'\nAll things are possible except skiing through a revolving door.\n',
'\nAll through human history, tyrannies have tried to enforce obedience by\nprohibiting disrespect for the symbols of their power. The swastika is\nonly one example of many in recent history.\n ― American Bar Association task force on flag burning\n',
'\nAll true wisdom is found on T-shirts.\n', '\nAll wise men share one trait in common: the ability to listen.\n',
"\nAllen's Axiom: When all else fails, read the instructions.\n",
'\nAlliance, n.: In international politics, the union of two thieves who have\ntheir hands so deeply inserted in each other\'s pocket that they cannot\nseparately plunder a third.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAlthough every American has a sense of humor―it is his birthright and\nencoded somewhere in the Constitution―few Americans have never been able to\ncope with wit or irony, and even the simplest jokes often cause unease,\nespecially today when every phrase must be examined for covert sexism,\nracism, ageism.\n ― Gore Vidal, "The Essential Mencken," The Nation,\n August 26/September 2, 1991.\n',
"\nAlways borrow money from a pessimist; he doesn't expect to be paid back.\n",
'\nAlways make the audience suffer as much as possible.\n ― Alfred Hitchcock \n',
'\nAmbidextrous, adj.: Able to pick with equal skill a right-hand pocket or a\nleft.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAmbition is a poor excuse for not having sense enough to be lazy.\n ― Charlie McCarthy\n',
'\nAmerica had often been discovered before Columbus; it had just been hushed up.\n ― Oscar Wilde\n',
"\nAmerica's best buy for a quarter is a telephone call to the right man.\n",
'\nAmerica, how can I write a holy litany in your silly mood?\n ― Allen Ginsberg\n',
"\nAmerican Non Sequitur Society: We don't make sense. We like pizza.\n",
'\nAmnesia used to be my favorite word, but then I forgot it.\n', '\nAmong the chosen, you are the lucky one.\n',
'\nAmong the lucky, you are the chosen one.\n',
"\nAn American's a person who isn't afraid to criticize the President but\nis always polite to traffic cops.\n",
'\nAn Army travels on its stomach.\n',
'\nAn Englishman never enjoys himself, except for a noble purpose.\n ― A. P. Herbert\n',
'\nAn economist is a man who states the obvious in terms of the incomprehensible.\n ― Alfred A. Knopf\n',
'\nAn effective way to deal with predators is to taste terrible.\n',
'\nAn elephant is a mouse with an operating system.\n',
'\nAn idea is not responsible for the people who believe in it.\n', '\nAn idle mind is worth two in the bush.\n',
'\nAn intellectual is someone whose mind watches itself.\n ― Albert Camus\n',
'\nAn NT server can be run by an idiot, and usually is.\n - Tom Holub <[email protected]>\n (Posted to comp.infosystems.www.servers.unix on 03 Sep 1997)\n',
'\nAn object never serves the same function as its image―or its name.\n ― Rene Magritte\n',
'\nAn ounce of prevention is worth a pound of cure.\n ― Benjamin Franklin\n',
"\nAnarchy may not be the best form of government, but it's better than no\ngovernment at all.\n",
"\nAnarchy: It's not the law, it's just a good idea.\n", '\nAnd I alone am returned to wag the tail.\n',
'\nAnd now for something completely different.\n',
'\nAnd now that the legislators and the do-gooders have so futilely inflicted\nso many systems upon society, may they end up where they should have begun:\nmay they reject all systems, and try liberty...\n ― Frederic Bastiat\n',
'\nAnd on the seventh day, He exited from append mode.\n',
'\nAnd the Lord God said unto Moses ― and correctly, I believe ...\n ― Field Marshal Montgomery, opening a chapel service\n',
'\nAnd the crowd was stilled. One elderly man, wondering at the sudden silence,\nturned to the Child and asked him to repeat what he had said. Wide-eyed,\nthe Child raised his voice and said once again, "Why, the Emperor has no\nclothes! He is naked!"\n ― "The Emperor\'s New Clothes"\n',
"\nAnd there's hamburger all over the highway in Mystic, Connecticut.\n",
'\nAnd they told us, what they wanted...\nWas a sound that could kill some-one, from a distance.\n ― Kate Bush\n',
'\nAnd this is a table ma\'am. What in essence it consists of is a horizontal\nrectilinear plane surface maintained by four vertical columnar supports,\nwhich we call legs. The tables in this laboratory, ma\'am, are as advanced\nin design as one will find anywhere in the world.\n ― Michael Frayn, "The Tin Men"\n',
"\nAnd thou shalt eat it as barley cakes, and thou shalt bake it with dung that\ncometh out of man, in their sight...Then he [the Lord!] said unto me, Lo, I\nhave given thee cow's dung for man's dung, and thou shalt prepare thy bread\ntherewith. [Ezek. 4:12-15 (KJV)]\n",
'\nAnger is a prelude to courage.\n ― Eric Hoffer\n', '\nAngular momentum makes the world go round.\n',
'\nAnkh if you love Isis.\n',
'\nAnoint, v.: To grease a king or other great functionary already sufficiently\nslippery.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nAnother good night not to sleep in a eucalyptus tree.\n', '\nAnother one bites the dust.\n',
"\nAnthony's Law of Force: Do not force it; get a larger hammer.\n",
"\nAnthony's Law of the Workshop: Any tool when dropped, will roll into the\n least accessible corner of the workshop.\nCorollary: On the way to the corner, any dropped tool will first strike\n your toes.\n",
"\nAntimatter doesn't matter as a matter of fact.\n ― Piggins\n",
'\nAntiquis temporibus, nati tibi similes in rupibus ventosissimis exponebantur\nad necem. (In the good old days, children like you were left to perish on\nwindswept crags.)\n',
"\nAntonym, n.: The opposite of the word you're trying to think of.\n",
'\nAny clod can have the facts, but having opinions is an art.\n ― Charles McCabe\n',
'\nAny excuse will serve a tyrant.\n ― Aesop\n',
'\nAny fool can paint a picture, but it takes a wise man to be able to sell it.\n',
'\nAny fool can paint a picture, but it takes a wise person to be able to\nsell it.\n',
'\nAny given program, when running correctly, is obsolete.\n',
'\nAny job worth quitting is worth sticking around long enough until they\nfire you.\n ― Tim Wirth\n',
'\nAny medium powerful enough to extend man\'s reach is powerful enough to topple\nhis world. To get the medium\'s magic to work for one\'s aims rather than\nagainst them is to attain literacy.\n ― Alan Kay, "Computer Software", Scientific American, September 1984\n',
'\nAny shrine is better than self-worship.\n',
'\nAny small object that is accidentally dropped will hide under a\nlarger object.\n',
'\nAny small object when dropped will hide under a larger object.\n',
'\nAny smoothly functioning technology will have the appearance of magic.\n ― Arthur C. Clarke\n',
'\nAny sufficiently advanced bureaucracy is indistinguishable from molasses.\n',
'\nAny sufficiently advanced stupidity is indistinguishable from malice.\n ― Paul Chvostek by way of Arthur C. Clarke (via John Ripley)\n',
'\nAny sufficiently advanced technology is indistinguishable from a rigged demo.\n ― Andy Finkel, computer guy\n',
'\nAny sufficiently advanced technology is indistinguishable from magic.\n ― Arthur C. Clarke\n',
'\nAny two philosophers can tell each other all they know in two hours.\n ― Oliver Wendell Holmes, Jr.\n',
'\nAnybody with money to burn will easily find someone to tend the fire.\n',
'\nAnyone can hate. It costs to love.\n ― John Williamson\n',
'\nAnyone can hold the helm when the sea is calm.\n ― Publilius Syrus\n',
'\nAnyone who cannot cope with mathematics is not fully human. At best he is a\ntolerable subhuman who has learned to wear shoes, bathe and not make messes\nin the house.\n ― Lazarus Long, "Time Enough for Love"\n',
'\nAnyone who knows history, particularly the history of Europe, will, I think,\nrecognize that the domination of education or of government by any one\nparticular religious faith is never a happy arrangement for the people.\n ― Eleanor Roosevelt\n',
'\nAnyone who wants to be paid for writing software is a fascist asshole.\n ― Richard M. Stallman, founder, Free Software Foundation\n',
'\nAnything anybody can say about America is true.\n ― Emmett Grogan\n',
'\nAnything free is worth what you pay for it.\n',
"\nAnything is possible if you don't know what you're talking about.\n",
'\nAnything labeled "NEW" and/or "IMPROVED" isn\'t. The label means the\nprice went up. The label "ALL NEW", "COMPLETELY NEW", or "GREAT NEW"\nmeans the price went way up.\n',
'\nAnything worth doing is worth overdoing\n',
'\nAnytime things appear to be going better, you have overlooked something.\n',
"\nArbolist . . . Look up the word. I don't know, maybe I made it up. Anyway,\nit's an arbo-tree-ist, somebody who knows about trees.\n ― George W. Bush, quoted in USA Today; August 21, 2001\n",
'\nAre we not men?\n', '\nAre you a turtle?\n',
'\nArithmetic is being able to count up to twenty without taking off your shoes.\n ― Mickey Mouse\n',
'\nArmadillo: To provide weapons to a Spanish pickle\n',
'\narmy, n.: A body of men assembled to rectify the mistakes of the diplomats.\n ― Josephus Daniels\n',
'\nArmy Axiom: An order that can be misunderstood will be misunderstood.\n',
"\nArnold's Laws of Documentation:\n (1) If it should exist, it doesn't.\n (2) If it does exist, it's out of date.\n (3) Only documentation for useless programs transcends the first two laws.\n",
'\nArt is parasitic on life, just as criticism is parasitic on art.\n ― Harry S Truman (one of his more ridiculous comments)\n',
'\nAs Will Rogers would have said, "There is no such things as a free variable."\n',
'\nAs Zeus said to Narcissus, "Watch yourself."\n',
'\nAs far as we know, our computer has never had an undetected error.\n ― Weisert\n',
'\nAs goatherd learns his trade by goat, so writer learns his trade by wrote.\n',
'\nAs long as the answer is right, who cares if the question is wrong?\n',
'\nAs long as war is regarded as wicked, it will always have its fascination.\nWhen it is looked upon as vulgar, it will cease to be popular.\n ― Oscar Wilde\n',
'\nAs regards the individual nature, woman is defective and misbegotten, for the\nactive power of the male seed tends to the production of a perfect likeness in\nthe masculine sex; while the production of a woman comes from defect in the\nactive power.\n ― Thomas Aquinas, prominent historical misogynist\n',
"\nAs soon as we started programming, we found to our surprise that it wasn't\nas easy to get programs right as we had thought. Debugging had to be\ndiscovered. I can remember the exact instant when I realized that a large\npart of my life from then on was going to be spent in finding mistakes in\nmy own programs.\n ― Maurice Wilkes discovers debugging, 1949\n",
'\nAs the poet said, "Only God can make a tree" ― probably because it\'s\nso hard to figure out how to get the bark on.\n ― Woody Allen\n',
'\nAs the system comes up, the component builders will from time to time appear,\nbearing hot new versions of their pieces ― faster, smaller, more complete,\nor putatively less buggy. The replacement of a working component by a new\nversion requires the same systematic testing procedure that adding a new\ncomponent does, although it should require less time, for more complete and\nefficient test cases will usually be available.\n ― Frederick Brooks Jr., "The Mythical Man Month"\n',
'\nAs the trials of life continue to take their toll, remember that there\nis always a future in Computer Maintenance.\n ― National Lampoon, "Deteriorada"\n',
'\nAs to Jesus of Nazareth...I think the system of Morals and his Religion,\nas he left them to us, the best the World ever saw or is likely to see;\nbut I apprehend it has received various corrupting Changes, and I have,\nwith most of the present Dissenters in England, some doubts as to his\ndivinity.\n ― Benjamin Franklin\n',
'\nAs with most fine things, chocolate has its season. There is a simple\nmemory aid that you can use to determine whether it is the correct time\nto order chocolate dishes: any month whose name contains the letter A,\nE, or U is the proper time for chocolate.\n ― Sandra Boynton, "Chocolate: The Consuming Passion"\n',
'\nAs you read the scroll it vanishes,\nand you hear maniacal laughter in the distance.\n',
"\nAshes to ashes, dust to dust, If God won't have you, the devil must.\n",
'\nAsk not for whom the telephone bell tolls ... if thou art in the bathtub,\nit tolls for thee.\n',
'\nAsk your boss to reconsider ― it\'s so difficult to take "Go to hell"\nfor an answer.\n',
'\nAssuming that either the left wing or the right wing gained control of the\ncountry, it would probably fly around in circles.\n ― Pat Paulsen\n',
'\nAt Group L, Stoffel oversees six first-rate programmers, a managerial\nchallenge roughly comparable to herding cats.\n ― The Washington Post Magazine, June 9, 1985\n',
'\nAt a recent meeting in Snowmass, Colorado, a participant from Los Angeles\nfainted from hyperoxygenation, and we had to hold his head under the\nexhaust of a bus until he revived.\n',
'\nAt first sight, the idea of any rules or principles being superimposed on\nthe creative mind seems more likely to hinder than to help, but this is\nquite untrue in practice. Disciplined thinking focuses inspiration rather\nthan blinkers it.\n ― G. L. Glegg, The Design of Design\n',
'\nAt the heart of science is an essential tension between two seemingly\ncontradictory attitudes ― an openness to new ideas, no matter how bizarre\nor counterintuitive they may be, and the most ruthless skeptical scrutiny\nof all ideas, old and new. This is how deep truths are winnowed from deep\nnonsense. Of course, scientists make mistakes in trying to understand the\nworld, but there is a built-in error-correcting mechanism: The collective\nenterprise of creative thinking and skeptical thinking together keeps the\nfield on track.\n ― Carl Sagan, "The Fine Art of Baloney Detection," Parade,\n February 1, 1987\n',
'\nAt the source of every error which is blamed on the computer you will\nfind at least two human errors, including the error of blaming it on\nthe computer.\n',
'\nAthens built the Acropolis. Corinth was a commercial city, interested in\npurely materialistic things. Today we admire Athens, visit it, preserve the\nold temples, yet we hardly ever set foot in Corinth.\n ― Dr. Harold Urey, Nobel Laureate in chemistry\n',
'\nAtlee is a very modest man. And with reason.\n ― Winston Churchill\n',
'\nAuribus teneo lupum. (I hold a wolf by the ears.)\n',
'\nAutomobile, n.: A four-wheeled vehicle that runs up hills and down pedestrians.\n',
'\nAutomobile: A four-wheeled vehicle that runs up hills and down pedestrians.\n',
'\nAverage managers are concerned with methods, opinions, precedents.\nGood managers are concerned with solving problems.\n',
'\nAvoid Quiet and Placid persons unless you are in Need of Sleep.\n ― National Lampoon, "Deteriorada"\n',
'\nAvoid letting temper block progress; keep cool.\n ― William Feather\n',
"\nBack off, man. I'm a scientist.\n", "\nBadges? We don't need no stinking badges.\n",
'\nBagdikian\'s Observation:\n Trying to be a first-rate reporter on the average American\n newspaper is like trying to play Bach\'s "St. Matthew Passion"\n on a ukelele.\n',
"\nBad sneakers and a piña colada, my friend\nStompin' down the avenue by Radio City\nWith a transistor and a large sum of money to spend.\n ― Steely Dan\n",
"\nBaker's First Law of Federal Geometry:\n A block grant is a solid mass of money surrounded on all sides\n by governors.\n",
"\nBarth's Distinction: There are two types of people: those who divide people\ninto two types, and those who don't.\n",
'\nBasic, n.: A programming language. Related to certain social diseases in\n that those who have it will not admit it in polite company.\n',
'\nBe assured that a walk through the ocean of most Souls would scarcely get\nyour Feet wet. Fall not in Love, therefore: it will stick to your face.\n ― National Lampoon, "Deteriorada"\n',
'\nBe careful when a loop exits to the same place from side and bottom.\n', '\nBe different: conform.\n',
'\nBe regular and orderly in your life so that you may be violent and original\nin your work.\n ― Gustave Flaubert\n',
'\nBe seeing you.\n', '\nBeauty and harmony are as necessary to you as the very breath of life.\n',
'\nBeauty is only skin deep, but Ugly goes straight to the bone.\n',
'\nBees are not as busy as we think they are; they just cannot buzz any slower.\n ― Abe Martin\n',
"\nBehind every argument is someone's ignorance.\n ― Louis Brandeis\n",
'\nBehold the warranty: The bold print giveth and the fine print taketh away.\n',
"\nBeifeld's Principle: The probability of a young man meeting a desirable and\nreceptive young female increases by pyramidal progression when he is\nalready in the company of: (1) a date, (2) his wife, (3) a better looking\nand richer male friend.\n",
"\nBeing stoned on marijuana isn't very different from being stoned on gin.\n ― Ralph Nader\n",
"\nBerkeley's First Law of Mistakes: The moment you have worked out an answer,\nstart checking it―it probably isn't right.\n",
"\nCorollary 1 to Berkeley's First Law of Mistakes: Always let an answer cool\noff for awhile―it should not be used while hot.\n",
"\nCorollary 2 to Berkeley's First Law of Mistakes: Check the answer you have\nworked out once more―before you tell it to anybody.\n",
"\nBerkeley's Second Law of Mistakes: If there is an opportunity to make a\nmistake, sooner or later, the mistake will be made.\n",
'\nBetter living a beggar than buried an emperor.\n',
"\nBetween the choice of two evils, I always pick the one I've never tried before.\n ― Mae West\n",
"\nBetween the legs of the women walking by, the dadaists imagined a monkey\nwrench and the surrealists a crystal cup. That's lost.\n ― Ivan Chtcheglov\n",
'\nBeware of bugs in the above code; I have only proved it correct, not tried it.\n ― Donald Knuth\n',
'\nBeware of Geeks bearing grifts.\n',
'\nBeware of Programmers who carry screwdrivers.\n ― Leonard Brandwein\n',
'\nBeware of a dark-haired man with a loud tie.\n', '\nBeware of a tall dark man with a spoon up his nose.\n',
'\nBeware of all enterprises that require new clothes.\n', '\nBeware of friends who are false and deceitful.\n',
'\nBeware of low-flying butterflies.\n',
'\nBeware of the Turing Tar-pit in which everything is possible but\nnothing of interest is easy.\n',
'\nBeware the new TTY code!\n', '\nBiggest security gap - an open mouth.\n',
'\nBingo, gas station, hamburger with a side order of airplane noise,\nand you\'ll be Gary, Indiana. - Jessie in the movie "Greaser\'s Palace"\n',
'\nBiography is the fallacy of intention.\n ― Peter Taylor\n', '\nBiology ... it grows on you.\n',
'\nBirth, n.: The first and direst of all disasters.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nBizarreness is the essence of the exotic\n', '\nBlack holes are where God is dividing by zero.\n', '\nBlah.\n',
"\nBleeding into a new computer is always a good thing; it's an ancient geek\nvoodoo magic to ensure its long life and reliability.\n ― from Mike Taht's blog, http://the-edge.blogspot.com/\n",
'\nBlessed are the meek for they shall inhibit the earth.\n',
'\nBlessed are they who Go Around in Circles, for they Shall be Known as Wheels.\n',
'\nBlessed is the man who is too busy to worry in the daytime and too sleepy to\nworry at night.\n ― Leo Aikman\n',
'\nBlood is thicker than water, and much tastier.\n',
"\nBoard the windows, up your car insurance, and don't leave any booze in\nplain sight. It's St. Patrick's day in Chicago again. The legend has it\nthat St. Patrick drove the snakes out of Ireland. In fact, he was arrested\nfor drunk driving. The snakes left because people kept throwing up on\nthem.\n",
"\nBoling's postulate: If you're feeling good, don't worry. You'll get over it.\n",
"\nBolub's Fourth Law of Computerdom:\n Project teams detest weekly progress reporting because it so\n vividly manifests their lack of progress.\n",
"\nBombeck's Rule of Medicine: Never go to a doctor whose office plants have died.\n",
'\nBond reflected that good Americans were fine people and that most of them\nseemed to come from Texas.\n ― Ian Fleming, "Casino Royale"\n',
"\nBoob's Law: You always find something in the last place you look.\n",
'\nBore, n.: A person who talks when you wish him to listen.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
"\nBoren's Laws:\n (1) When in charge, ponder.\n (2) When in trouble, delegate.\n (3) When in doubt, mumble.\n",
'\nBoss, n.:\n According to the Oxford English Dictionary, in the Middle Ages\nthe words "boss" and "botch" were largely synonymous, except that boss,\nin addition to meaning "a supervisor of workers" also meant "an\nornamental stud."\n',
'\nBoston, n.:\n Ludwig van Beethoven being jeered by 50,000 sports fans for\n finishing second in the Irish jig competition.\n',
'\nBoy, n.:\n A noise with dirt on it.\n',
"\nBradley's Bromide: If computers get too powerful, we can organize them into a\ncommittee. that will do them in.\n",
"\nBradley's Bromide: If computers get too powerful, we can organize them into a\ncommittee. That will do them in.\n",
'\nBrady\'s First Law of Problem Solving: When confronted by a difficult\nproblem, you can solve it more easily by reducing it to the question, "How\nwould the Lone Ranger have handled this?"\n',
'\nBrain fried ― core dumped\n',
'\nBrain, n.: The apparatus with which we think that we think.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nBrain, v. [as in "to brain"]:\n To rebuke bluntly, but not pointedly; to dispel a source of\nerror in an opponent.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nBride, n.: A woman with a fine prospect of happiness behind her.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nBride: A woman with a fine prospect of happiness behind her.\n',
"\nBringing computers into the home won't change either one, but may\nrevitalize the corner saloon.\n",
'\nBroad-mindedness: The result of flattening high-mindedness out.\n',
"\nBrook's Law:\n Adding manpower to a late software project makes it later.\n",
"\nBrooke's Law:\n Whenever a system becomes completely defined, some damn fool\n discovers something which either abolishes the system or\n expands it beyond recognition.\n",
'\nBubble Memory, n.:\n A derogatory term, usually referring to a person\'s\n intelligence. See also "vacuum tube".\n',
"\nBucy's Law: Nothing is ever accomplished by a reasonable man.\n",
'\nBug: Small living things that small living boys throw on small living girls.\n',
'\nBumper Sticker: Insanity is hereditary; you get it from your children.\n',
'\nBumper sticker on nuclear war: if you have seen one, you have seen them all.\n',
"\nBunk Carter's Law: At any given moment there are more important people in\nthe world than important jobs to contain them.\n",
'\nBureaucracy is a giant mechanism operated by pygmies.\n ― Balzac\n',
'\nBureaucrat, n.: A politician who has tenure.\n', '\nBureaucrats cut read tape ― length-wise.\n',
"\nBurnt Sienna: That's the best thing that ever happened to Crayolas.\n ― Ken Weaver\n",
'\nBusiness will be either better or worse.\n ― Calvin Coolidge\n',
'\nBut in our enthusiasm, we could not resist a radical overhaul of the\nsystem, in which all of its major weaknesses have been exposed,\nanalyzed, and replaced with new weaknesses.\n ― Bruce Leverett, "Register Allocation in Optimizing Compilers"\n',
'\nBy doing just a little every day, I can gradually let the task completely\noverwhelm me.\n ― Ashleigh Brilliant\n',
'\nBy doing just a little every day, you can gradually let the task\ncompletely overwhelm you.\n',
'\nBy long-standing tradition, I take this opportunity to savage other\ndesigners in the thin disguise of good, clean fun.\n ― P. J. Plauger, from his April Fool\'s column in the April 1988\n issue of "Computer Language"\n',
'\nBy one count there are some 700 scientists with respectable academic\ncredentials (out of a total of 480,000 U.S. earth and life scientists) who\ngive credence to creation-science, the general theory that complex life\nforms did not evolve but appeared "abruptly."\n ― Newsweek, June 29, 1987, pg. 23\n',
"\nC, n.: A programming language that is sort of like Pascal except more like\nassembly except that it isn't very much like either one, or anything else.\nIt is either the best language available to the art today, or it isn't.\n ― Ray Simard\n",
'\nC++ : Where friends have access to your private members.\n ― Gavin Russell Baker\n',
'\nCChheecckk yyoouurr dduupplleexx sswwiittcchh..\n ― Randall Garrett\n',
'\nCabbage, n.: A familiar kitchen-garden vegetable about as large and wise as\na man\'s head.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
"\nCabbage: A familiar kitchen-garden vegetable about as large and wise\nas a man's head.\n",
'\nCaeca invidia est. (Envy is blind.)\n ― Livy\n',
"\nCahn's Axiom: When all else fails, read the instructions.\n",
'\nCalifornia is a fine place to live ― if you happen to be an orange.\n ― Fred Allen\n',
'\nCalifornia is the ghost of Christmas future for the rest of America.\n ― anonymous post to an Internet forum\n',
'\nCalifornia is the land of perpetual pubescence, where cultural lag is\nmistaken for renaissance.\n ― Ashley Montagu\n',
'\nCall on God, but row away from the rocks.\n ― Indian proverb\n',
'\nCan anyone remember when the times were not hard, and money not scarce?\n',
'\nCan anything be sadder than work left unfinished? Yes, work never begun.\n', '\nCannot fork ― try again.\n',
'\nCannot fortune open database.\n',
"\nCaptain Penny's Law: You can fool all of the people some of the time,\nand some of the people all of the time, but you can't fool Mom.\n",
'\nCarelessly planned projects take three times longer to complete than\nexpected. Carefully planned projects take four times longer to\ncomplete than expected, mostly because the planners expect their\nplanning to reduce the time it takes.\n',
'\nCarperpetuation (kar\' pur pet u a shun), n.:\n The act, when vacuuming, of running over a string at least a\ndozen times, reaching over and picking it up, examining it, then\nputting it back down to give the vacuum one more chance.\n ― Rich Hall, "Sniglets"\n',
"\nCatch a wave and you're sitting on top of the world.\n",
'\nCertain old men prefer to rise at dawn, taking a cold bath and a long walk\nwith an empty stomach and otherwise mortifying the flesh. They then point\nwith pride to these practices as the cause of their sturdy health and ripe\nyears; the truth being that they are hearty and old, not because of their\nhabits, but in spite of them. The reason we find only robust persons doing\nthis thing is that it has killed all the others who have tried it.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nChange is what people fear most.\n ― Dostoevski\n', '\nChange your thoughts and you change your world.\n',
'\nCharacter Density: the number of very weird people in the office.\n',
'\nCharacter is the ligament holding together all other qualities.\n ― Arnold Glasow\n',
'\nChemicals, n.: Noxious substances from which modern foods are made.\n', '\nChicken Little was right.\n',
'\nChildren are natural mimics who act like their parents despite every effort\nto teach them good manners.\n',
"\nChildren aren't happy without something to ignore,\nAnd that's what parents were created for.\n ― Ogden Nash\n",
'\nChildren begin by loving their parents. After a time they judge them. Rarely,\nif ever, do they forgive them.\n ― Oscar Wilde\n',
'\nChildren have more need of models than of critics.\n',
"\nChildren seldom misquote you. In fact, they usually repeat word for\nword what you shouldn't have said.\n",
"\nChism's Law of Completion:\n The amount of time required to complete a government project is\n precisely equal to the length of time already spent on it.\n",
"\nChisolm's First Corollary to Murphy's Second Law:\n When things just can't possibly get any worse, they will.\n",
'\nCivilisation is the art of living in towns of such size that everyone does\nnot know everyone else.\n ― Julian Jaynes\n',
'\nCivilization Law #1: Civilization advances by extending the number of\nimportant operations one can do without thinking about them.\n',
'\nCivilization is a movement, not a condition; it is a voyage, not a harbor.\n ― Toynbee\n',
"\nCivilization is the progress toward a society of privacy.\n ― Howard Roark, in Ayn Rand's _The Fountainhead_\n",
'\n[Classical music] would be a lot more popular if they gave the pieces titles\nlike "Kill the Wabbit."\n ― Mark Fetherolf.\n',
'\nClassified material requires proper storage.\n', '\nCleanliness is next to impossible.\n',
'\nCogito cogito ergo cogito sum ―\n"I think that I think, therefore I think that I am."\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCogito ergo doleo. (I think, therefore I am depressed.)\n', '\nCogito ergo sum.\n',
"\nCohen's Law: Everyone knows that the name of the game is what label you\nsucceed in imposing on the facts.\n",
'\nCollaboration, n.: A literary partnership based on the false assumption\nthat the other fellow can spell.\n',
"\nCollege isn't the place to go for ideas.\n ― Hellen Keller\n",
'\nColorless green ideas sleep furiously.\n',
'\nCome to think of it, there are already a million monkeys on a million\ntypewriters, and Usenet is nothing like Shakespeare.\n ― Blair Houghton\n',
'\nCommitment, n.: Commitment can be illustrated by a breakfast of ham and\neggs. The chicken was involved, the pig was committed.\n',
'\nCommon sense in an uncommon degree is what the world calls wisdom.\n ― Samuel Taylor Coleridge\n',
'\nComplacency is the enemy of progress.\n ― Dave Stutman\n',
'\nComputer Science is merely the post-Turing decline in formal systems theory.\n',
"\nComputer Science: the boring art of coping with a large number of trivialities\n(The Devil's DP Dictionary)\n",
'\nComputer literacy is a contact with the activity of computing deep enough to\nmake the computational equivalent of reading and writing fluent and enjoyable.\nAs in all the arts, a romance with the material must be well under way. If\nwe value the lifelong learning of arts and letters as a springboard for\npersonal and societal growth, should any less effort be spent to make computing\na part of our lives?\n ― Alan Kay, "Computer Software", Scientific American, September 1984\n',
'\nConceit causes more conversation than wit.\n ― LaRouchefoucauld\n',
'\nConcept, n.: Any "idea" for which an outside consultant billed you more than\n$25,000.\n',
'\nConceptual integrity in turn dictates that the design must proceed from one\nmind, or from a very small number of agreeing resonant minds.\n ― Frederick Brooks Jr., "The Mythical Man Month"\n',
'\nConfession is good for the soul only in the sense that a tweed coat is\ngood for dandruff.\n ― Peter de Vries\n',
'\nConfidence is the feeling you have before you understand the situation.\n',
"\nConfound these ancestors.... They've stolen our best ideas!\n ― Ben Jonson\n",
'\nConfusticate and bebother these dwarves!\n', '\nConscience is what hurts when everything else feels so good.\n',
"\nConservative, n.: One who admires radicals centuries after they're dead.\n ― Leo C. Rosten\n",
'\nConsultants are mystical people who ask a company for a number and then\ngive it back to them.\n',
'\nControlling complexity is the essence of computer programming.\n ― Brian W. Kernighan\n',
'\nConversation, n.: A vocal competition in which the one who is catching his\nbreath is called the listener.\n',
"\nConway's Law: Any piece of software reflects the organizational structure\nthat produced it.\n",
'\nCoronation, n.: The ceremony of investing a sovereign with the outward and\nvisible signs of his divine right to be blown sky-high with a dynamite bomb.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCorporation, n. An ingenious device for obtaining individual profit\nwithout individual responsibility.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCorripe Cervisiam!\n', '\nCorrupt, adj.: In politics, holding an office of trust or profit.\n',
'\nCorruption is not the #1 priority of the Police Commissioner. His job\nis to enforce the law and fight crime.\n ― P.B.A. President E. J. Kiernan\n',
'\nCourage is grace under pressure.\n',
'\nCoward, n.: One who in a perilous emergency thinks with his legs.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCrash programs fail because they are based on the theory that, with\nnine women pregnant, you can get a baby a month.\n ― Wernher von Braun\n',
'\nCreativity cannot be diminished by the medium of expression.\n ― Mitch Allen\n',
'\nCreationists make it sound as though a "theory" is something you dreamt up\nafter being drunk all night.\n ― Isaac Asimov\n',
"\nCreditors have better memories than debtors.\n ― Benjamin Franklin, Poor Richard's Almanack (1758)\n",
'\nCrime does not pay ... as well as politics.\n ― A. E. Newman\n',
'\nCriminal: A person with predatory instincts who has not sufficient capital\nto form a corporation.\n ― Howard Scott\n',
'\nCritic, n.: A person who boasts himself hard to please because nobody tries\nto please him.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCudgel thy brains no more about it, for your dull ass will not mend his\npace with beating.\n ― Hamlet, Act 5, Scene 1\n',
'\nCulture is the habit of being pleased with the best and knowing why.\n',
'\nCynic, n.: A blackguard whose faulty vision sees things as they are, not\nas they ought to be. Hence the custom among the Scythians of plucking\nout a cynic\'s eyes to improve his vision.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nCynic, n.: One who looks through rose-colored glasses with a jaundiced eye.\n',
'\nDaring ideas are like chessmen moved forward,\nthey may be beaten, but they may start a winning game.\n ― J. W. von Goethe\n',
'\nDawn, n.: The time when men of reason go to bed.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nDe Borglie rules the wave, but Heisenberg waived the rules.\n ― Piggins\n',
"\nDealing with failure is easy: work hard to improve. Success is also easy to\nhandle: you've solved the wrong problem. Work hard to improve.\n",
"\nDeath is God's way of telling you not to be such a wise guy.\n",
"\nDeath is Nature's way of recycling human beings.\n", '\nDeath is Nature\'s way of saying, "slow down".\n',
"\nDeath is life's way of telling you you've been fired.\n ― R. Geis\n",
'\nDeath: to stop sinning suddenly.\n',
'\nDebugging is anticipated with distaste, performed with reluctance, and bragged\nabout forever.\n ― button at the Boston Computer Museum\n',
'\nDebugging is twice as hard as writing the code in the first place.\nTherefore, if you write the code as cleverly as possible, you are―by\ndefinition―not smart enough to debug it.\n ― Brian Kernighan\n',
'\nDecisionmaker, n.: The person in your office who was unable to form a task\nforce before the music stopped.\n\n',
'\nDecisions of the judges will be final unless shouted down by a really\noverwhelming majority of the crowd present. Abusive and obscene language\nmay not be used by contestants when addressing members of the judging\npanel, or, conversely, by members of the judging panel when addressing\ncontestants (unless struck by a boomerang).\n ― Mudgeeraba Creek Emu-Riding and Boomerang-Throwing Association\n',
'\nDecisions terminate panic.\n',
'\nDeliberation, n.: The act of examining one\'s bread to determine which side it\nis buttered on.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nDemocracy is a form of government in which it is permitted to wonder\naloud what the country could do under first-class management.\n ― Senator Soaper\n',
'\nDemocracy is a form of government that substitutes election by the\nincompetent many for appointment by the corrupt few.\n ― G. B. Shaw\n',
'\nDemocracy is four wolves and a lamb, voting on what to have for lunch.\n',
'\nDemocracy is the recurrent suspicion that more than half of the people\nare right more than half of the time.\n ― E. B. White\n',
"\nDenniston's Law: Virtue is its own punishment.\n",
"\nDeprive a mirror of its silver, and even the Czar won't see his face.\n",
'\nDer Unterschied zwischen Genie und Wahnsinn liegt nur im Erfolg.\n[The only difference between genius and insanity is the success.]\n',
"\nDid I forget to mention, forget to mention Memphis?\nHome of Elvis and the ancient Greeks.\nDo I smell? I smell home cooking.\nIt's only the river, it's only the river.\n ― Talking Heads (Cities)\n",
'\nDid you know gullible is not in the dictionary?\n',
'\nDifferent all twisty a of in maze are you, passages little.\n',
'\nDigital computers are themselves more complex than most things people build:\nThey have very large numbers of states. This makes conceiving, describing,\nand testing them hard. Software systems have orders-of-magnitude more states\nthan computers do.\n ― Fred Brooks, Jr.\n',
'\nDimensions will always be expressed in the least usable term.\nVelocity, for example, will be expressed in furlongs per fortnight.\n',
'\nDiplomacy is the art of extricating oneself from a situation that tact\nwould have prevented in the first place.\n',
'\nDiplomacy is the art of saying "nice doggy" until you can find a rock.\n',
'\nDisc space ― the final frontier!\n', '\nDisco is to music what Etch-A-Sketch is to art.\n',
'\nDiscovery consists in seeing what everyone else has seen and thinking what no\none else has thought.\n ― Albert Szent-Gyorgi\n',
'\nDistress, n.: A disease incurred by exposure to the prosperity of a friend.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nDo not allow this language (Ada) in its present state to be used in\napplications where reliability is critical, i.e., nuclear power stations,\ncruise missiles, early warning systems, anti-ballistic missle defense\nsystems. The next rocket to go astray as a result of a programming language\nerror may not be an exploratory space rocket on a harmless trip to Venus:\nIt may be a nuclear warhead exploding over one of our cities. An unreliable\nprogramming language generating unreliable programs constitutes a far\ngreater risk to our environment and to our society than unsafe cars, toxic\npesticides, or accidents at nuclear power stations.\n ― C. A. R. Hoare\n',
'\nDo not merely believe in miracles, rely on them.\n',
"\nDo not clog intellect's sluices with bits of knowledge of questionable uses.\n",
'\nDo not compromise yourself; you are all you have got.\n ― Janis Joplin\n',
'\nDo not take life too seriously; you will never get out of it alive.\n',
"\nDo not try to solve all life's problems at once ― learn to dread each\nday as it comes.\n ― Donald Kaul\n",
"\nDo not underestimate the value of print statements for debugging.\nDon't have aesthetic convulsions when using them, either.\n",
'\nDo you realize how many holes there could be if people would just take\nthe time to take the dirt out of them?\n',
'\nDocumentation is like sex: when it is good, it is very, very good; and\nwhen it is bad, it is better than nothing.\n ― Dick Brandon\n',
'\nDocumentation is the castor oil of programming. Managers know it must\nbe good because the programmers hate it so much.\n',
"\nDon't be overly suspicious where it's not warranted.\n",
"\nDon't believe everything you hear or anything you say.\n", "\nDon't comment bad code: rewrite it.\n",
"\nDon't compare floating point numbers solely for equality.\n", "\nDon't crush that dwarf, hand me the pliers.\n",
"\nDon't diddle code to make it faster, find a better algorithm.\n",
"\nDobbin's Law: When in doubt, use a bigger hammer.\n",
"\nDon't get suckered in by the comments ― they can be terribly misleading.\nDebug only code.\n ― Dave Storer\n",
"\nDon't knock President Fillmore. He kept us out of Vietnam.\n",
"\nDon't learn the tricks of the trade, learn the trade.\n",
"\nDon't let your mouth write no check that your tail can't cash.\n ― Bo Diddley\n",
"\nDon't look back, the lemmings are gaining on you.\n",
"\nDon't put off for tomorrow what you can do today, because if you enjoy\nit today you can do it again tomorrow.\n",
"\nDon't tell me how hard you work. Tell me how much you get done.\n ― James J. Ling\n",
"\nDon't try to outweird me, three-eyes. I get stranger things than you free\nwith my breakfast cereal.\n ― Zaphod Beeblebrox\n",
"\nDon't worry about the world coming to an end today. It's already\ntomorrow in Australia.\n ― Charles Schultz\n",
"\nDon't worry about things that you have no control over, because you have no\ncontrol over them. Don't worry about things that you have control over,\nbecause you have control over them.\n ― Mickey Rivers\n",
"\nDon't worry about what other people are thinking about you. They're too\nbusy worrying about what you are thinking about them.\n",
'\nDoubt is not a pleasant condition, but certainty is absurd.\n ― Voltaire\n',
"\nDoubt isn't the opposite of faith; it is an element of faith.\n ― Paul Tillich, German theologian and historian\n",
'\nDoubts and jealousies often beget the facts they fear.\n ― Thomas Jefferson\n',
'\nDown with categorical imperative!\n', '\nDrawing on my fine command of language, I said nothing.\n',
"\nDucharme's Axiom: If you view your problem closely enough you will recognize\nyourself as part of the problem.\n",
"\nDucharme's Precept: Opportunity always knocks at the least opportune moment.\n",
'\nDuct tape is like the force. It has a light side, and a dark side, and\nit holds the universe together ...\n ― Carl Zwanzig\n',
'\nDue to a shortage of devoted followers, the production of great leaders\nhas been discontinued.\n',
'\nDue to circumstances beyond your control, you are master of your fate\nand captain of your soul.\n',
'\nDum excusare credis, accusas. (When you believe you are excusing yourself,\nyou are accusing yourself.)\n ― St. Jerome\n',
"\nDunne's Law: The territory behind rhetoric is too often mined with\nequivocation.\n",
'\nDuring almost fifteen centuries the legal establishment of Christianity has\nbeen upon trial. What has been its fruits? More or less, in all places,\npride and indolence in the clergy; ignorance and servility in the laity;\nin both, superstition, bigotry, and persecution.\n ― James Madison\n',
'\nDying is a very dull, dreary affair. And my advice to you is to\nhave nothing whatever to do with it.\n ― W. Somerset Maughm\n',
'\nE Pluribus Unix\n',
'\nEach honest calling, each walk of life, has its own elite, its own aristocracy\nbased on excellence of performance.\n ― James Bryant Conant\n',
'\nEach team building another component has been using the most recent tested\nversion of the integrated system as a test bed for debugging its piece. Their\nwork will be set back by having that test bed change under them. Of course it\nmust. But the changes need to be quantized. Then each user has periods of\nproductive stability, interrupted by bursts of test-bed change. This seems\nto be much less disruptive than a constant rippling and trembling.\n ― Frederick Brooks Jr., "The Mythical Man Month"\n',
'\nEconomics is extremely useful as a form of employment for economists.\n ― John Kenneth Galbraith\n',
'\nEconomics, n.: Economics is the study of the value and meaning of J. K.\nGalbraith ...\n ― Mike Harding, "The Armchair Anarchist\'s Almanac"\n',
'\nEconomy makes men independent.\n',
'\nEducation has produced a vast population able to read but unable to distinguish\nwhat is worth reading.\n ― G. M. Trevelyan\n',
'\nEducation helps earning capacity. Ask any college professor.\n',
'\nEen schip op het strand is een baken in zee.\n[A ship on the beach is a lighthouse to the sea.]\n ― Dutch Proverb\n',
'\nEeny Meeny, Jelly Beanie, the spirits are about to speak.\n ― Bullwinkle Moose\n',
'\nEggheads unite! You have nothing to lose but your yolks.\n ― Adlai Stevenson\n',
'\nEgotism is the anesthetic given by a kindly nature to relieve the pain\nof being a damned fool.\n ― Bellamy Brooks\n',
'\nEgotism is the anesthetic that dulls the pain of stupidity.\n ― Frank Leahy\n',
'\nEgotist, n.: A person of low taste, more interested in himself than in me.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
"\nEhrman's Commentary:\n 1. Things will get worse before they get better.\n 2. Who said things would get better?\n",
'\nEighty percent of air pollution comes from plants and trees.\n ― Ronald Reagan, famous movie star\n',
'\nEinstein argued that there must be simplified explanations of nature, because\nGod is not capricious or arbitrary. No such faith comforts the software\nengineer.\n ― Fred Brooks, Jr.\n',
'\nEither do not attempt at all, or go through with it.\n ― Ovid\n',
"\nEither that wallpaper goes, or I do.\n ― Oscar Wilde's last words\n",
'\nElectrocution: Burning at the stake with all the modern improvements.\n',
'\nElevators smell different to midgets\n', '\nEloquence is vehement simplicity.\n ― Cecil\n',
"\nEmersons' Law of Contrariness: Our chief want in life is somebody who shall\nmake us do what we can. Having found them, we shall then hate them for it.\n",
'\nEndless Loop: n., see Loop, Endless.\nLoop, Endless: n., see Endless Loop.\n ― Random Shack Data Processing Dictionary\n',
'\nEnjoy your life; be pleasant and gay, like the birds in May.\n', "\nEntropy isn't what it used to be.\n",
'\nEnvy always implies conscious inferiority wherever it resides.\n ― Pliny\n',
'\nEnzymes are things invented by biologists that explain things which\notherwise require harder thinking.\n ― Jerome Lettvin\n',
'\nEqual bytes for women.\n', '\nEschew obfuscatory digressiveness.\n ― Barry Dancis (1983)\n',
'\nEternal nothingness is fine if you happen to be dressed for it.\n ― Woody Allen\n',
"\nEttore's observation: the other line moves faster.\n",
'\nEtymology, n.: Some early etymological scholars came up with derivations that\nwere hard for the public to believe. The term "etymology" was formed\nfrom the Latin "etus" ("eaten"), the root "mal" ("bad"), and "logy"\n("study of"). It meant "the study of things that are hard to swallow."\n ― Mike Kellen\n',
'\nEven a cabbage may look at a king.\n', '\nEven a hawk is an eagle among crows.\n',
'\nEven if you can deceive people about a product through misleading statements,\nsooner or later the product will speak for itself.\n ― Hajime Karatsu\n',
'\nEven if you do learn to speak correct English, whom are you going to\nspeak it to?\n ― Clarence Darrow\n',
'\nEven the boldest zebra fears the hungry lion.\n',
'\nEven the future comes one day at a time.\n ― W. Woodhouse\n',
'\nEven the smallest candle burns brighter in the dark.\n',
"\nEven though they raised the rate for first class mail in the United\nStates we really shouldn't complain ― it's still only 2 cents a day.\n",
'\nEver notice that even the busiest people are never too busy to tell you\njust how busy they are.\n',
'\nEver wander around the web, look at discussions, totally agree with one of\nthe points of view, and then notice it was posted under one of your web\naliases 5 years ago?\n ― Larry Weber\n',
'\nEvery 4 seconds a woman has a baby. Our problem is to find this woman\nand stop her.\n',
'\nEvery Horse has an Infinite Number of Legs (proof by intimidation):\nHorses have an even number of legs. Behind they have two legs, and in\nfront they have fore-legs. This makes six legs, which is certainly an\nodd number of legs for a horse. But the only number that is both even\nand odd is infinity. Therefore, horses have an infinite number of\nlegs. Now to show this for the general case, suppose that somewhere,\nthere is a horse that has a finite number of legs. But that is a horse\nof another color, and by the [above] lemma ["All horses are the same\ncolor"], that does not exist.\n',
'\nEvery Solidarity center had piles and piles of paper .... everyone was\neating paper and a policeman was at the door. Now all you have to do is\nbend a disk.\n ― an anonymous member of the outlawed Polish trade union, Solidarity,\n commenting on the benefits of using computers in support of their\n movement\n',
'\nEvery absurdity has a champion to defend it.\n',
'\nEvery creature has within him the wild, uncontrollable urge to punt.\n',
'\nEvery gun that is made, every warship launched, every rocket fired\nsignifies in the final sense, a theft from those who hunger and are not\nfed, those who are cold and are not clothed. This world in arms is not\nspending money alone. It is spending the sweat of its laborers, the\ngenius of its scientists, the hopes of its children. This is not a way\nof life at all in any true sense. Under the clouds of war, it is\nhumanity hanging on a cross of iron.\n ― Dwight Eisenhower, April 16, 1953\n',
"\nEvery institution I've ever been associated with has tried to screw me.\n ― Stephen Wolfram\n",
'\nEvery little picofarad has a nanohenry all its own.\n ― Don Vonada\n',
'\nEvery man is as God made him, ay, and often worse.\n ― Miguel de Cervantes\n',
"\nEvery program has at least one bug and can be shortened by at least one\ninstruction ― from which, by induction, one can deduce that every\nprogram can be reduced to one instruction which doesn't work.\n",
"\nEvery program has two purposes ― one for which it was written and another\nfor which it wasn't.\n",
'\nEvery program is a part of some other program, and rarely fits.\n', '\nEvery purchase has its price.\n',
'\nEvery silver lining has a cloud around it.\n', '\nEvery solution breeds new problems.\n',
'\nEvery successful person has had failures, but repeated failure is no\nguarantee of eventual success.\n',
'\nEvery word is like an unnecessary stain on silence and nothingness.\n ― Beckett\n',
'\nEverything is better with no people.\n ― Bob "Biff" Rendar\n',
"\nDykstra's Law: Everybody is somebody else's weirdo.\n",
'\nEverything is controlled by a small evil group to which, unfortunately,\nno one we know belongs.\n',
'\nEverything to excess! Moderation is for monks.\n ― Lazarus Long\n',
'\nEverything you know is wrong.\n ― The Firesign Theater\n',
'\nEverything you\'ve learned in school as "obvious" becomes less and less\nobvious as you begin to study the universe. For example, there are no\nsolids in the universe. There\'s not even a suggestion of a solid. There\nare no absolute continuums. There are no surfaces. There are no straight\nlines.\n ― R. Buckminster Fuller\n',
'\nEverything should be built top-down, except the first time.\n',
'\nEvolution is a bankrupt speculative philosophy, not a scientific fact.\nOnly a spiritually bankrupt society could ever believe it. ... Only\natheists could accept this Satanic theory.\n ― Rev. Jimmy Swaggart, "The Pre-Adamic Creation and Evolution"\n',
'\nEvolution does not require the nonexistence of God, it merely allows for\nit. That alone is enough to evoke condemnation from those who fear the\nnonexistence of God more than they fear God Himself.\n ― Keith Doyle, in talk.origins\n',
'\nEvolution is both fact and theory. Creationism is neither.\n ― Anonymous\n',
'\nExactitude in small matters is the essence of discipline.\n',
'\nExample is the school of mankind, and they will learn at no other.\n', '\nExcellent day to have a rotten day.\n',
'\nExcellent time to become a missing person.\n',
'\nExcess on occasion is exhilarating. It prevents moderation from\nacquiring the deadening effect of a habit.\n ― W. Somerset Maugham\n',
'\nExcessive login or logout messages are a sure sign of senility.\n',
'\nExcuse me while I change into something more formidable.\n',
'\nExecutive ability is prominent in your make-up.\n', '\nExpense Accounts, n.: Corporate food stamps.\n',
"\nExperience is a dear teacher, but fools will learn at no other.\n ― Poor Richard's Almanac\n",
"\nExperience is something you don't get until just after you need it.\n ― Olivier\n",
'\nExperience is that marvelous thing that enables you recognize a mistake when\nyou make it again.\n ― Franklin P. Jones\n',
'\nExperience is the worst teacher. It always gives the test first and\nthe instructions afterward.\n',
'\nExperience is what causes a person to make new mistakes instead of old ones.\n',
'\nExperience is what you get when you were expecting something else.\n',
'\nExtreme good-naturedness borders on weakness of character. Avoid it.\n',
'\nExtremes of fortune are fatal to folks of small dimensions.\n ― Arnold Glasow\n',
'\nFLASH! Intelligence of mankind decreasing. Details at ... uh, when\nthe little hand is on the ....\n',
'\nFacts do not cease to exist because they are ignored.\n',
"\nFacts are simple and facts are straight / Facts are lazy and facts are late.\nFacts all come with points of view / Facts don't do what I want them to.\nFacts just twist the truth around / Facts are living turned inside out.\nFacts are getting the best of them / Facts are nothing on the face of things.\nFacts don't stain the furniture / Facts go out and slam the door.\nFacts are written all over your face / Facts continue to change their shape.\n ― Talking Heads\n",
"\nFailing to get them to do it your way might mean they're stupid, but it also\nmeans you failed to get them to do it your way.\n ― Cal Keegan\n",
'\nFailure is more frequently from want of energy than want of capital.\n',
'\nFailure is not an option. It comes bundled with your Microsoft product.\n ― Ferenc Mantfeld\n',
"\nFaire de la bonne cuisine demande un certain temps. Si on vous fait attendre,\nc'est pour mieux vous servir, et vous plaire.\n[Good cooking takes time. If you are made to wait, it is to serve you better,\nand to please you.]\n ― Menu of Restaurant Antoine, New Orleans\n [Also, what we're going to be telling our customers]\n",
'\nFairy Tale: A horror story to prepare children for the newspapers.\n',
'\nFalling in love makes smoking pot all day look like the ultimate in restraint.\n ― Dave Sim, author of "Cerberus the Aardvark"\n',
'\nFamiliarity breeds attempt\n', '\nFamiliarity breeds children.\n', '\nFamiliarity breeds contempt.\n',
"\nFamilies, when a child is born/Want it to be intelligent.\nI, through intelligence,/Having wrecked my whole life,\nOnly hope the baby will prove/Ignorant and stupid.\nThen he will crown a tranquil life/By becoming a Cabinet Minister\n ― Su Tung-p'o\n",
'\nFanaticism consists of redoubling your efforts when you have forgotten your\naim.\n ― Santayana\n',
'\nFantasy, abandoned by reason, produces impossible monsters;\nunited with it, she is the mother of the arts and the origin of marvels.\n ― Goya\n',
'\nFar better it is to dare mighty things, to win glorious triumphs, even though\ncheckered by failure, than to take rank with those poor spirits who neither\nenjoy much nor suffer much, because they live in the gray twilight that knows\nnot victory or defeat.\n ― Theodore Roosevelt\n',
"\nFar duller than a serpent's tooth it is to spend a quiet youth.\n\n",
'\nFashion is a form of ugliness so intolerable that we have to alter it\nevery six months.\n ― Oscar Wilde\n',
"\nFelson's Law: To steal ideas from one person is plagiarism; to steal from\nmany is research.\n",
'\nFidelity: A virtue peculiar to those who are about to be betrayed.\n', '\nField theories, unite!\n',
"\nFinagle's Creed: Science is true. Don't be misled by facts.\n",
"\nFinagle's First Law: If an experiment works, something has gone wrong.\n",
"\nFinagle's Second Law: Once a job is fouled up, anything done to improve it\nonly makes it worse.\n",
'\nFinding the occasional straw of truth awash in a great ocean of confusion and\nbamboozle requires intelligence, vigilance, dedication and courage. But if we\ndon\'t practice these tough habits of thought, we cannot hope to solve the truly\nserious problems that face us ― and we risk becoming a nation of suckers, up\nfor grabs by the next charlatan who comes along.\n ― Carl Sagan, "The Fine Art of Baloney Detection," Parade,\n February 1, 1987\n',
"\nFine, Java MIGHT be a good example of what a programming language should be\nlike. But Java applications are good examples of what applications\nSHOULDN'T be like.\n ― pixadel\n",
'\nFine day to throw a party. Throw him as far as you can.\n',
'\nFine day to work off excess energy. Steal something heavy.\n',
"\nFinster's Law: a closed mouth gathers no feet.\n",
'\nFirst Law of Procrastination: Procrastination shortens the job and places\nthe responsibility for its termination on someone else (i.e., the authority\nwho imposed the deadline).\n',
'\nFirst Law of Socio-Genetics: Celibacy is not hereditary.\n',
"\nFirst Rule of History: History doesn't repeat itself, historians merely\nrepeat each other.\n",
'\nFlee at once: All is discovered.\n',
"\nFlon's Law:\n There is not now, and never will be, a language in which it is\n the least bit difficult to write bad programs.\n",
"\nFlugg's Law:\n When you need to knock on wood is when you realize that the\n world is composed of vinyl, naugahyde and aluminum.\n",
'\nFollow the river and you will eventually find the sea.\n',
'\nFootball combines the two worst features of American life: violence and\ncommittee meetings.\n ― George Will\n',
'\nFor a really sweet time, call C6H12O6.\n',
'\nFor a while there I was worried that my tin foil beanie was blocking the\nTopFive.com website. Luckily it turned out to be a router problem.\n ― Attributed to "wubwub", quoted on www.ruminate.com (2004)\n',
'\nFor an idea to be fashionable is ominous, since it must afterwards be\nalways old-fashioned.\n',
'\nFor every action, there is an equal and opposite criticism.\n',
'\nFor every credibility gap, there is a gullibility fill.\n ― R. Clopton\n',
'\nFor some reason a glaze passes over people\'s faces when you say\n"Canada". Maybe we should invade South Dakota or something.\n ― Sandra Gotlieb, wife of the Canadian ambassador to\n the U.S.\n',
'\nFor some reason, this fortune reminds everyone of Marvin Zelkowitz.\n',
'\nFor the politicians this was never about how efficient they could make\nthings happen or how to solve a problem, it is about the *appearance* of\nefficiency, or problem solving. My observation is that most politicians\nthink more like sales people than technicians, and are about as clueful.\nWhich means, unless the politicians change the way they think, discussion\nabout how to use *them* to go about really solving these problems would be\nlike asking a booth babe to write a kernel module.\n ― Rich Costine\n',
'\nFor those who like this sort of thing, this is the sort of thing they like.\n ― Abraham Lincoln\n',
'\nForgetfulness, n.: A gift of God bestowed upon debtors in compensation for\ntheir destitution of conscience.\n',
'\nFourth Law of Revision: It is usually impractical to worry beforehand about\ninterferences ― if you have none, someone will make one for you.\n',
'\nFourth Law of Thermodymanics:\nIf the probability of success is not almost one, then it is damn near zero.\n ― David Ellis\n',
"\nFrankly my dear, I don't give a damn.\n",
"\nFresco's Discovery: If you knew what you were doing you'd probably be bored.\n",
'\nFriends: people who borrow my books and set wet glasses on them.\n',
'\nFrisbeetarianism, n.: The belief that when you die, your soul goes up on the\nroof and gets stuck.\n',
'\nFrobnicate, v.:\n To manipulate or adjust, to tweak. Derived from FROBNITZ.\nUsually abbreviated to FROB. Thus one has the saying "to frob a\nfrob". See TWEAK and TWIDDLE. Usage: FROB, TWIDDLE, and TWEAK\nsometimes connote points along a continuum. FROB connotes aimless\nmanipulation; TWIDDLE connotes gross manipulation, often a coarse\nsearch for a proper setting; TWEAK connotes fine-tuning. If someone is\nturning a knob on an oscilloscope, then if he\'s carefully adjusting it\nhe is probably tweaking it; if he is just turning it but looking at the\nscreen he is probably twiddling it; but if he\'s just doing it because\nturning a knob is fun, he\'s frobbing it.\n',
"\nFrom the ice-age to the dole-age\nthere is but one concern\nand I have just discovered:\nsome girls are bigger than others\nsome girls are bigger than others\nsome girls are bigger than\nother girls' mothers\n ― The Smiths\n",
'\nFrom too much love of living/From hope and fear set free,\nWe thank with brief thanksgiving/Whatever gods may be,\nThat no life lives forever/That dead men rise up never,\nThat even the weariest river winds somewhere safe to sea.\n ― Swinburne\n',
"\nFroud's Law: A transistor protected by a fast acting fuse will protect the\nfuse by blowing first.\n",
"\nFudd's First Law of Opposition: Push something hard enough and it will\nfall over.\n",
'\nFurbling, v.: Having to wander through a maze of ropes at an airport or bank\neven when you are the only person in line.\n ― Rich Hall, "Sniglets"\n',
'\nFurious activity is no substitute for understanding.\n ― H. H. Williams\n',
'\nGadji beri bimba clandridi/Lauli lonni cadori gadjam\nA bim beri glassala glandride/E glassala tuffm I Zimbra.\n ― Talking Heads (I Zimbra)\n',
'\nG. B. Shaw to William Douglas Home: "Go on writing plays, my boy. One\nof these days a London producer will go into his office and say to his\nsecretary, `Is there a play from Shaw this morning?\' and when she says\n`No,\' he will say, `Well, then we\'ll have to start on the rubbish.\'\nAnd that\'s your chance, my boy."\n',
'\nGarbage In ― Gospel Out.\n',
'\nGarter, n.: An elastic band intended to keep a woman from coming out of her\nstockings and desolating the country.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nGenderplex, n.: The predicament of a person in a restaurant who is unable to\ndetermine his or her designated restroom (e.g., turtles and tortoises).\n ― Rich Hall, "Sniglets"\n',
'\nGene Police: YOU! Out of the pool!\n', '\nGenerosity and perfection are your everlasting goals.\n',
"\nGenetics explains why you look like your father, and if you don't, why\nyou should.\n",
'\nGenius is the talent of a man who is dead.\n',
'\nGenius may have its limitations, but stupidity is not thus handicapped.\n ― Elbert Hubbard\n',
'\nGenius: A chemist who discovers a laundry additive that rhymes with "bright".\n',
'\nGenuinely skillful use of obscenities is uniformly absent on the Internet.\n ― Karl Kleinpaste\n',
'\nGeology shows that fossils are of different ages. Paleontology shows a\nfossil sequence, the list of species represented changes through time.\nTaxonomy shows biological relationships among species. Evolution is the\nexplanation that threads it all together. Creationism is the practice of\nsqueeezing one\'s eyes shut and wailing, "Does not!"\n ― [email protected]\n',
'\nGeorge Orwell was an optimist.\n', '\nGet forgiveness now ― tomorrow you may no longer feel guilty.\n',
'\nGet hold of portable property.\n ― Charles Dickens, "Great Expectations"\n',
"\nGive a man a fish, and you feed him for a day.\nTeach a man to fish, and he'll invite himself over for dinner.\n ― Calvin Keegan\n",
'\nGive a small boy a hammer and he will find that everything he encounters needs\npounding.\n ― Abraham Kaplan\n',
'\nGive big space to the festive dog that shall sport in the roadway.\n',
"\nGive me a plumber's friend the size of the Pittsburgh Dome, and a place\nto stand, and I will drain the world.\n",
'\nGive up.\n', '\nGiving advice is not as risky as people say; few ever take it anyway.\n',
"\nGlib's Fourth Law of Unreliability: Investment in reliability will increase\nuntil it exceeds the probable cost of errors, or until someone insists on\ngetting some useful work done.\n",
'\nGo placidly amid the noise and waste, and remember what value there may\nbe in owning a piece thereof.\n ― National Lampoon, "Deteriorada"\n',
'\nGo soothingly in the grease mud, as there lurks the skid demon.\n', '\nGo west young, man.\n',
'\nGod did not create the world in 7 days; he screwed around for 6 days\nand then pulled an all-nighter.\n',
'\nGod does not play dice with the universe.\n',
'\nGod gives us relatives; thank goodness we can choose our friends.\n',
'\nGod has intended the great to be great and the little to be little ... The\ntrade unions, under the European system, destroy liberty ... I do not mean\nto say that a dollar a day is enough to support a workingman ... not enough\nto support a man and five children if he insists on smoking and drinking\nbeer. But the man who cannot live on bread and water is not fit to live!\nA family may live on good bread and water in the morning, water and bread\nat midday, and good bread and water at night!\n ― Rev. Henry Ward Beecher\n',
'\nGod is a comedian playing to an audience too afraid to laugh.\n ― Voltaire\n', '\nGod is a polytheist.\n',
'\nGod is a verb, not a noun.\n', '\nGod is an atheist.\n',
"\nGod is playing a comic to an audience that's afraid to laugh.\n", '\nGod is real, unless declared integer.\n',
'\nGod is really only another artist. He invented the giraffe, the elephant\nand the cat. He has no real style, He just goes on trying other things.\n ― Pablo Picasso\n',
'\nGod is the tangential point between zero and infinity.\n ― Alfred Jarry\n',
'\nGod made machine language; all the rest is the work of man.\n',
'\nGod made the integers; all else is the work of Man.\n ― Kronecker\n',
'\nGod made the world in six days, and was arrested on the seventh.\n',
'\nGod requireth not a uniformity of religion.\n ― Roger Williams\n',
'\nGod runs electromagnetics by wave theory on Monday, Wednesday, and Friday,\nand the Devil runs them by quantum theory on Tuesday, Thursday, and\nSaturday.\n ― William Bragg\n',
"\nGodwin's Law: As an online discussion grows longer, the probability of a\ncomparison involving Nazis or Hitler approaches one.\n",
'\nGoing the speed of light is bad for your age.\n',
'\nGoing to church does not make a person religious, nor does going to school\nmake a person educated, any more than going to a garage makes a person a car.\n',
"\nGoldenstern's Rules:\n 1. Always hire a rich attorney\n 2. Never buy from a rich salesman.\n",
'\nGood advice is something a man gives when he is too old to set a bad example.\n ― La Rouchefoucauld\n',
'\nGood advice is something a man gives when he is too old to set a bad\nexample.\n ― La Rouchefoucauld\n',
'\nGood leaders being scarce, following yourself is allowed.\n',
"\nGood-bye. I am leaving because I am bored.\n ― George Saunders' dying words\n",
'\nGot Mole problems? Call Avogadro, 6.02 E23.\n',
'\nGoto, n.: A programming tool that exists to allow structured programmers\nto complain about unstructured programmers.\n ― Ray Simard\n',
'\nGovernment expands to absorb all revenue and then some.\n',
'\nGovernment is an association of men who do violence to the rest of us.\n ― Tolstoy\n',
'\nGovernment sucks.\n ― Ben Olson\n',
"\nGrabel's Law:\n 2 is not equal to 3 ― not even for large values of 2.\n",
"\nGraduate life ― it's not just a job, it's an indenture.\n",
'\nGrain grows best in shit.\n ― Ursula K. LeGuin\n',
"\nGrandpa Charnock's Law:\n You never really learn to swear until you learn to drive.\n",
'\nGranholm\'s Definition of the Kludge: An ill-assorted collection of poorly\nmatching parts forming a distressing whole.\n ― Jackson W. Granholm, "How to Design a Kludge,"\n Datamation, Feb. 1962\n',
"\nGray's Law of Programming:\n `N+1' trivial tasks are expected to be accomplished in the same\n time as `N' tasks.\n\nLogg's Rebuttal to Gray's Law:\n `N+1' trivial tasks take twice as long as `N' trivial tasks.\n",
'\nGreat people talk about ideas, average people talk about things, and small\npeople talk about wine.\n ― Fran Lebowitz\n',
'\nGreatness is a transitory experience. It is never consistent.\n',
"\nGreener's Law: Never argue with a man who buys ink by the barrel.\n",
"\nGrelb's Reminder: Eighty percent of all people consider themselves to be above\naverage drivers.\n",
"\nHacker's Law: The belief that enhanced understanding will necessarily stir\na nation to action is one of mankind's oldest illusions.\n ― Andrew Hacker, The End of the American Era (1970)\n",
"\nHaggis is a kind of stuffed black pudding eaten by the Scots and considered\nby them to be not only a delicacy but fit for human consumption. The minced\nheart, liver and lungs of a sheep, calf or other animal's inner organs are\nmixed with oatmeal, sealed and boiled in maw in the sheep's intestinal\nstomach-bag and ... Excuse me a minute ...\n",
'\nHalf of one, six dozen of the other.\n',
'\nHalf the things that people do not succeed in are through fear of making\nthe attempt.\n',
'\nHand, n.: A singular instrument worn at the end of a human arm and\ncommonly thrust into somebody\'s pocket.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
"\nHanlon's Razor: Never attribute to malice that which is adequately\nexplained by stupidity.\n",
"\nHanson's Treatment of Time:\n There are never enough hours in a day, but always too many days\n before Saturday.\n",
'\nHappiness adds and multiplies as we divide it with others.\n',
'\nHappiness comes and goes and is short on staying power.\n ― Frank Tyger\n',
'\nHappiness is having a scratch for every itch.\n ― Ogden Nash\n',
"\nHappiness isn't something you experience; it's something you remember.\n ― Oscar Levant\n",
'\nHappiness, n.: An agreeable sensation arising from contemplating the misery of\nanother.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nHappiness: An agreeable sensation arising from contemplating the misery\nof another.\n',
'\nHardware, n.: The parts of a computer system that can be kicked.\n',
"\nHarris' Lament: All the good ones are taken.\n", "\nHarris's Lament:\n All the good ones are taken.\n",
"\nHarrisberger's Second Law of the Lab: No matter what result it anticipated,\nthere is always someone willing to fake it.\n",
"\nHarrisberger's Third Law of the Lab: Experiments should be reproducive.\nThey should all fail in the same way.\n",
"\nHarrisberger's Fourth Law of the Lab: Experience is directly proportional\nto the amount of equipment ruined.\n",
"\nHarrison's Postulate:\n For every action, there is an equal and opposite criticism.\n",
"\nHartley's First Law:\n You can lead a horse to water, but if you can get him to float\n on his back, you've got something.\n",
"\nHartley's Second Law: Never sleep with anyone crazier than yourself.\n",
'\nHarvard Law: Under the most rigorously controlled conditions of pressure,\ntemperature, volume, humidity, and other variables, the organism will do as\nit damn well pleases.\n',
'\nHas everyone noticed that all the letters of the word "database" are\ntyped with the left hand? Now the layout of the QWERTYUIOP typewriter\nkeyboard was designed, among other things, to facilitate the even use\nof both hands. It follows, therefore, that writing about databases is\nnot only unnatural, but a lot harder than it appears.\n',
'\nHatred, n.: A sentiment appropriate to the occasion of another\'s superiority.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nHave you ever noticed that the people who are always trying to tell you,\n"There\'s a time for work and a time for play," never find the time for play?\n',
'\nHave you locked your file cabinet?\n',
'\nHave you noticed that all you need to grow healthy, vigorous grass is a\ncrack in your sidewalk?\n',
'\nHe had that rare weird electricity about him ― that extremely wild and\nheavy presence that you only see in a person who has abandoned all hope\nof ever behaving "normally."\n ― Hunter S. Thompson, "Fear and Loathing \'72"\n',
"\nHe hadn't a single redeeming vice.\n ― Oscar Wilde\n",
'\nHe hated to mend, so young Ned\nCalled in a cute neighbor instead.\n Her husband said, "Vi,\n When you stitched up his torn fly,\nDid you have to bite off the thread?"\n',
'\nHe is considered the most graceful speaker who can say nothing in most words.\n',
"\nHe is truly wise who gains wisdom from another's mishap.\n",
'\nHe launched a massive attack on everything this country held inviolate, on\nmost of what it held self-evident. He showed how our politics was dominated\nby time-servers and demagogues, our religion by bigots, our culture by\npuritans. He showed how the average citizen, both in himself and in the\nway he let himself be pulled around by the nose, was a boob.\n ― Louis Kronenberger, "H.L. Mencken," in Malcolm Cowley, ed.,\n After the Genteel Tradition, 1964.\n\n',
"\nHe looked at me as if I was a side dish he hadn't ordered.\n",
'\nHe played the king as if afraid someone else would play the ace.\n ― John Mason Brown, drama critic\n',
'\nHe that labors and thrives spins gold.\n ― George Herbert\n',
'\nHe that would govern others, first should be the master of himself.\n',
'\nHe thinks by infection, catching an opinion like a cold.\n',
'\nHe walks as if balancing the family tree on his nose.\n',
'\nHe was so narrow-minded he could see through a keyhole with both eyes.\n',
"\nHe wasn't much of an actor, he wasn't much of a Governor ― Hell, they\nHAD to make him President of the United States. It's the only job he's\nqualified for!\n ― Michael Cain\n",
'\nHe who Laughs, Lasts.\n',
'\nHe who attacks the fundamentals of the American broadcasting industry\nattacks democracy itself.\n ― William S. Paley, chairman of CBS\n',
'\nHe who has a shady past knows that nice guys finish last.\n',
'\nHe who has imagination without learning has wings but no feet.\n', '\nHe who hates vices hates mankind.\n',
'\nHe who hesitates is sometimes saved.\n',
'\nHe who invents adages for others to peruse takes along rowboat when going on\ncruise.\n',
'\nHe who laughs, lasts.\n', '\nHe who lives without folly is less wise than he believes.\n',
'\nHe who shits on the road will meet flies on his return.\n ― South African Saying\n',
'\nHe who sneezes without a handkerchief takes matters into his own hands.\n',
'\nHe who spends a storm beneath a tree takes life with a grain of TNT.\n',
'\nHe who wonders discovers that this in itself is wonder.\n ― M. C. Escher\n',
'\nHe\'ll sit here and he\'ll say, "Do this! Do that!" And nothing will happen.\n ― Harry S. Truman, on presidential power\n',
"\nHe's dead, Jim.\n",
"\nHe's the kind of guy, that, well, if you were ever in a jam he'd be\nthere ... with two slices of bread and some chunky peanut butter.\n",
'\nHealth is merely the slowest possible rate at which one can die.\n',
'\nHeaven, n.: A place where the wicked cease from troubling you with talk of\ntheir personal affairs, and the good listen with attention while you\nexpound your own.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nHeavy, adj.: Seduced by the chocolate side of the force.\n', '\nHedonist for hire: no job too easy.\n',
'\nHeisenberg may have slept here.\n',
'\nHell hath no fury like a bureaucrat scorned.\n ― Milton Friedman\n',
"\nHeller's Law: The first myth of management is that it exists.\nJohnson's Corollary: Nobody really knows what is going on anywhere within the\norganization.\n",
'\nHello. My name is Batman. You killed my father. Prepare to die.\n', '\nHelp a swallow land at Capistrano.\n',
'\nHelp stamp out, remove and abolish redundancy.\n',
'\nHer life was saved by rock and roll.\n ― Lou Reed\n',
"\nHerblock's Law: if it is good, they will stop making it.\n",
"\nHere I am, fifty-eight, and I still don't know what I want to be when I grow\nup.\n ― Peter Drucker\n",
'\nHere at Controls, we have one chief for every Indian.\n',
"\nHeuristics are bug ridden by definition. If they didn't have bugs,\nthen they'd be algorithms.\n",
'\nHey what? Where? When? (Are you confused as I am?)\n',
"\nHi there! This is just a note from me, to you, to tell you, the person\nreading this note, that I can't think up any more famous quotes, jokes,\nnor bizarre stories, so you may as well go home.\n",
'\nHidden talent counts for nothing.\n ― Nero\n', '\nHindsight is an exact science.\n',
'\nHippogriff, n.:\n An animal (now extinct) which was half horse and half griffin.\nThe griffin was itself a compound creature, half lion and half eagle.\nThe hippogriff was actually, therefore, only one quarter eagle, which\nis two dollars and fifty cents in gold. The study of zoology is full\nof surprises.\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
'\nHire the morally handicapped.\n', '\nHis heart was yours from the first moment that you met.\n',
'\nHistory does not repeat itself; historians merely repeat each other.\n',
'\nHistory has the relation to truth that theology has to religion ―\ni.e., none to speak of.\n ― Lazarus Long\n',
"\nHistory repeats itself. That's one thing wrong with history.\n",
'\nHistory, I believe, furnishes no example of a priest-ridden people\nmaintaining a free civil government. This marks the lowest grade of\nignorance, of which their political as well as religious leaders will\nalways avail themselves for their own purpose.\n ― Thomas Jefferson, to Baron von Humboldt, 1813\n',
'\nHistory shows that the human mind, fed by constant accessions of knowledge,\nperiodically grows too large for its theoretical coverings, and bursts them\nasunder to appear in new habiliments, as the feeding and growing grub, at\nintervals, casts its too narrow skin and assumes another... Truly the\nimago state of Man seems to be terribly distant, but every moult is a step\ngained.\n ― Charles Darwin, from "Origin of the Species"\n',
"\nHlade's Law: If you have a difficult task, give it to a lazy person ― they\nwill find an easier way to do it.\n",
"\nHoare's Law of Large Problems: Inside every large problem is a\nsmall problem struggling to get out.\n",
"\nHofstadter's Law: It always takes longer than you expect, even when you take\nHofstadter's Law into account.\n",
'\nHokey religions and ancient weapons are no substitute for a good blaster at\nyour side.\n ― Han Solo\n',
"\nHollywood is where if you don't have happiness you send out for it.\n ― Rex Reed\n",
"\nHoly Smoke, Batman, it's the Joker!\n",
"\nHonesty pays, but it doesn't seem to pay enough to suit some people.\n ― F. M. Hubbard\n",
'\nHoni soit la vache qui rit.\n',
'\nHonorable, adj.: Afflicted with an impediment in one\'s reach. In legislative\nbodies, it is customary to mention all members as honorable; as, "the honorable\ngentleman is a scurvy cur."\n ― Ambrose Bierce, "The Devil\'s Dictionary"\n',
"\nHorngren's Observation: Among economists, the real world is often a special\ncase.\n",
'\nHorse sense is the thing a horse has which keeps it from betting on people.\n ― W. C. Fields\n',
'\nHow about a little fire, scarecrow?\n',
"\nHow can you be in two places at once when you're not anywhere at all?\n",
"\nHow can you be two places at once when you're not anywhere at all?\n ― Firesign Theater\n",
'\nHow come only your friends step on your new white sneakers?\n',
'\nHow does a project get to be a year late? ... One day at a time.\n ― Frederick Brooks, Jr., The Mythical Man Month\n',
'\nQ. How long does it take a DEC field service engineer to change a lightbulb?\nA. It depends on how many bad ones he brought with him.\n',
'\nQ. How many Bavarian Illuminati does it take to screw in a lightbulb?\nA. Three: one to screw it in, and one to confuse the issue.\n',
'\nQ. How many NASA managers does it take to screw in a lightbulb?\nA. "That\'s a known problem... don\'t worry about it."\n',
'\nQ. How many QA engineers does it take to screw in a lightbulb?\nA. Three: one to screw it in and two to say "I told you so" when it doesn\'t\n work.\n',
'\nQ. How many WASPs does it take to change a light bulb?\nA. Two. One to change the bulb and one to mix the drinks.\n',
'\nQ. How many Zen masters does it take to screw in a light bulb?\nA. None. The Universe spins the bulb, and the Zen master stays out of the way.\n',
'\nQ. How many hardware guys does it take to change a light bulb?\nA. "Well the diagnostics say it\'s fine buddy, so it\'s a software problem."\n',
"\nQ. How many programmers does it take to change a light bulb?\nA. None. It's a hardware problem.\n",
"\nQ. How many Vietnam vets does it take to screw in a light bulb?\nA. You don't know, man. You don't KNOW. Cause you weren't THERE.\n ― http://bash.org/?255991\n",
'\nQ. How was Thomas J. Watson buried?\nA. 9 edge down.\n',
"\nHowe's Law: Everyone has a scheme that will not work.\n",
'\nHowever, never daunted, I will cope with adversity in my traditional\nmanner ... sulking and nausea.\n ― Tom K. Ryan\n',
'\nHuman beings were created by water to transport it uphill.\n',
'\nHuman cardiac catheterization was introduced by Werner Forssman in 1929.\nIgnoring his department chief, and tying his assistant to an operating\ntable to prevent his interference, he placed a uretheral catheter into a\nvein in his arm, advanced it to the right atrium [of his heart], and walked\nupstairs to the x-ray department where he took the confirmatory x-ray film.\nIn 1956, Dr. Forssman was awarded the Nobel Prize.\n',
'\nHumanity has the stars in its future, and that future is too important to be\nlost under the burden of juvenile folly and ignorant superstition.\n ― Isaac Asimov\n',
"\nHurewitz's Memory Principle: The chance of forgetting something is directly\nproportional to ..... to ........ uh ..............\n",
'\nI always distrust people who know so much about what God wants them to do to\ntheir fellows.\n ― Susan B. Anthony\n',
"\nI HATE arbitrary limits, especially when they're small.\n ― Stephen Savitzky\n",
'\nI have found Christian dogma unintelligible. Early in life, I absented myself\nfrom Christian assemblies.\n ― Benjamin Franklin\n',
'\nI have had interactions with developers who are convinced that everything in\n.Net was created solely by MS for open source usage. But that could be another\nresult of vaccination preservatives.\n ― Larry Weber\n',
"\nI think all right-thinking people in this country are sick and tired of being\ntold that ordinary, decent people are fed up in this country with being sick\nand tired. I'm certainly not! And I'm sick and tired of being told that I am.\n ― Monty Python\n",
'\nI would defend the liberty of concenting adult creationists to practice\nwhatever intellectual perversions they like in the privacy of their own\nhomes; but it is also necessary to protect the young and innocent.\n ― Arthur C. Clarke\n',
'\nI would not dare to so dishonor my Creator God by attaching His name to\nthat book [the Bible].\n ― Thomas Paine, The Age of Reason, Part 1, Section 5\n',
"\nI'm also not very analytical. You know, I don't spend a lot of time thinking\nabout myself, about why I do things.\n ― George W. Bush, aboard Air Force One; June 4, 2003\n",
"\nI'm an evolutionist because I judge the evidence for the unity of life by\ncommon descent over billions of years to be overwhelming, not so that I can\ncheat on my wife or kick the cat with impunity. I live in no hope of heaven\nor fear of hell, but like most of my fellow Americans of all religious\npersuasions, I try to live a decent life. Folks like Tom DeLay just can't\nget it through their heads that a person can choose to live ethically\nbecause civilized life requires doing unto others as you would have them do\nunto you.\n ― Chet Raymo, science columnist for The Boston Globe, in a\n 5 Sep, 1999, article on the anti-evolution decision by Kansas\n School Board\n",
'\nI am a member of a party of one, and I live in an age of fear. Nothing\nlately has unsettled my party and raised my fears so much as your\neditorial, on Thanksgiving Day, suggesting that employees should be\nrequired to state their beliefs in order to hold their jobs. The idea is\ninconsistent with our constitutional theory and has been stubbornly opposed\nby watchful men since the early days of the Republic.\n ― E.B. White, in a letter to the New York Herald Tribune\n (November 29, 1947)\n',
'\nI am always with myself, and it is I who am my tormenter.\n ― Leo Tolstoy\n',
"\nI am astounded ... at the wonderful power you have developed ― and terrified\nat the thought that so much hideous and bad music may be put on record\nforever.\n ― Arthur Sullivan, on seeing a demonstration of Edison's new\n talking machine in 1888\n",
'\nI am not now, and never have been, a girl friend of Henry Kissinger.\n ― Gloria Steinem\n',
'\nI am ready to meet my Maker. Whether my Maker is prepared for the\ngreat ordeal of meeting me is another matter.\n ― Winston Churchill\n',
'\nI am the mother of all things, and all things should wear a sweater.\n',
'\nI am, in point of fact, a particularly haughty and exclusive person, of\npre-Adamite ancestral descent. You will understand this when I tell you\nthat I can trace my ancestry back to a protoplasmal primordial atomic\nglobule. Consequently, my family pride is something inconceivable. I can\'t\nhelp it. I was born sneering.\n ― Pooh-Bah, "The Mikado", Gilbert & Sullivan\n',
'\nI believe in getting into hot water; it keeps you clean.\n ― G. K. Chesterton\n',
'\nI belong to no organized party. I am a Democrat.\n ― Will Rogers\n',
"\nI'll bet the human brain is a kludge.\n ― Marvin Minsky\n",
'\nI can call spirits from the vasty deep.\nWhy so can I, or so can any man; but will they come when you do call for them?\n ― Shakespeare, King Henry IV, Part I\n',
"\nI can't complain, but sometimes I still do.\n ― Joe Walsh\n",
'\nI cannot affirm God if I fail to affirm man. Therefore, I affirm both.\nWithout a belief in human unity I am hungry and incomplete. Human unity\nis the fulfillment of diversity. It is the harmony of opposites. It is\na many-stranded texture, with color and depth.\n ― Norman Cousins\n',
"\nI cannot and will not cut my conscience to fit this year's fashions.\n ― Lillian Hellman\n",
'\nI contend that we are both atheists. I just believe in one fewer god than\nyou do. When you understand why you dismiss all the other possible gods,\nyou will understand why I dismiss yours.\n ― Steven Roberts\n',
'\nI could prove God statistically.\n ― George Gallup\n',
"\nI didn't claw my way to the top of the food chain to eat veggies.\n",
'\nI do not believe in the creed professed by the Jewish Church, by the Roman\nChurch, by the Greek Church, by the Turkish Church, by the Protestant Church,\nnor by any Church that I know of. My own mind is my own church.\n ― Thomas Paine\n',
'\nI do not believe that this generation of Americans is willing to resign itself\nto going to bed each night by the light of a Communist moon...\n ― Lyndon B. Johnson\n',
'\nI do not fear computers. I fear the lack of them.\n ― Isaac Asimov\n',
'\nI do not feel obliged to believe that the same God who has endowed us\nwith sense, reason, and intellect has intended us to forgo their use.\n ― Galileo Galilei\n',
'\nI do not find in orthodox Christianity one redeeming feature.\n ― Thomas Jefferson\n',
'\nI do not know myself, and God forbid that I should.\n ― Johann Wolfgang von Goethe\n',
"\nI do not mind what language an opera is sung in so long as it is a language\nI don't understand.\n ― Sir Edware Appleton\n",
"\nI don't believe in astrology. But then I'm an Aquarius, and Aquarians\ndon't believe in astrology.\n ― James R. F. Quirk\n",
"\nI don't care if I'm a lemming. I'm not going.\n",
"\nI don't care if it works on your machine! We are not shipping your machine!\n ― Vidiu Platon\n",
"\nI don't have any solution, but I certainly admire the problem.\n ― Ashleigh Brilliant\n",
"\nI don't like spreading rumors, but what else can you do with them?\n",
"\nI dread success. To have succeeded is to have finished one's business\non earth, like the male spider, who is killed by the female the moment\nhe has succeeded in his courtship. I like a state of continual\nbecoming, with a goal in front and not behind.\n ― George Bernard Shaw\n",
'\nI dream of a better tomorrow, where chickens can cross the road and not be\nquestioned about their motives.\n ― Leray Scifres\n',
'\nI either want less corruption, or more chance to participate in it.\n ― Ashleigh Brilliant\n',
"\nI fart in your general direction, tiny-brained wiper of other people's bottoms.\n",
"\nI generally avoid temptation unless I can't resist it.\n ― Mae West\n",
'\nI get the feeling that as soon as something appears in the paper, it ceases to\nbe true.\n ― T-Bone Burnett\n',
"\nI glance at the headlines just to kind of get a flavor for what's moving.\nI rarely read the stories, and get briefed by people who are probably read\nthe news themselves.\n ― George W. Bush, Washington, D.C.; September 21, 2003\n",
'\nI go to seek a great perhaps.\n ― Francois Rabelais\n',
'\nI had a great idea this morning but I did not like it.\n ― Anon\n',
"\nI had a monumental idea this morning, but I didn't like it.\n ― Samuel Goldwyn\n",
'\nI hate quotations.\n ― Ralph Waldo Emerson\n',
"\nI have a simple philosophy:\n Fill what's empty.\n Empty what's full.\n Scratch where it itches.\n ― A. R. Longworth\n",
'\nI have discovered the heart of bushido: to die!\n ― Yamamoto Tsunetomo\n',
'\nI have never killed a man, but I have read many obituaries with great pleasure.\n ― Clarence Darrow\n',
"\nI haven't lost my mind ― it's backed up on tape somewhere.\n",
"\nI haven't lost my mind; I know exactly where I left it.\n",
'\nI judge a religion as being good or bad based on whether its adherents\nbecome better people as a result of practicing it.\n ― Joe Mullally, computer salesman\n',
'\nI just thought of something funny...your mother.\n ― Cheech Marin\n',
'\nI like a man who grins when he fights.\n ― Winston Churchill\n',
"\nI like being single. I'm always there when I need me.\n ― Art Leo\n", "\nI like the future, I'm in it.\n",
'\nI maintain there is much more wonder in science than in pseudoscience. And\nin addition, to whatever measure this term has any meaning, science has the\nadditional virtue, and it is not an inconsiderable one, of being true.\n ― Carl Sagan, The Burden Of Skepticism, The Skeptical Inquirer,\n Vol. 12, Fall 87\n',
'\nI must have slipped a disk; my pack hurts.\n',
'\nI never fail to convince an audience that the best thing they could do\nwas to go away.\n',
"\nI never met a piece of chocolate I didn't like.\n",
'\nI profoundly believe it takes a lot of practice to become a moral slob.\n ― William F. Buckley\n',
'\nI program, therefore I am.\n',
"\nI put the shotgun in an Adidas bag and padded it out with four pairs of tennis\nsocks, not my style at all, but that was what I was aiming for: If they think\nyou're crude, go technical; if they think you're technical, go crude. I'm a\nvery technical boy. So I decided to get as crude as possible. These days,\nthough, you have to be pretty technical before you can even aspire to\ncrudeness.\n ― Johnny Mnemonic, by William Gibson\n",
'\nI regret to say that we of the F.B.I. are powerless to act in cases of\noral-genital intimacy, unless it has in some way obstructed interstate\ncommerce.\n ― J. Edgar Hoover\n',
'\nI regret to say that we of the FBI are powerless to act in cases of\noral-genital intimacy, unless it has in some way obstructed interstate\ncommerce.\n ― J. Edgar Hoover\n',
"\nI sat through it. Why shouldn't you?\n ― David Letterman, it a spot promoting one of his shows\n",
"\nI saw a werewolf drinking a pina colada at Trader Vic's.\n",
'\nI see you stand like greyhounds in the slips,\nStraining upon the start. The game\'s afoot.\n ― King Henry V, "Henry V", Act III, Scene 1\n',
'\nI simply try to aid in letting the light of historical truth into that decaying\nmass of outworn thought which attaches the modern world to medieval conceptions\nof Christianity, and which still lingers among us―a most serious barrier to\nreligion and morals, and a menace to the whole normal evolution of society.\n ― Andrew D. White, author, first president of Cornell University, 1896\n',
"\nI support everyone's right to be an idiot. I may need it someday.\n",
"\nI think every good Christian ought to kick Falwell's ass.\n ― Senator Barry Goldwater, when asked what he thought of\n Jerry Falwell's suggestion that all good Christians should be\n against Sandra Day O'Connor's nomination to the Supreme Court\n",