qotd 1.2.1

Sign up to get free protection for your applications and to get access to all the features.
checksums.yaml ADDED
@@ -0,0 +1,7 @@
1
+ ---
2
+ SHA1:
3
+ metadata.gz: bd9889a7ab61d9b29240cde99b8daed965b47775
4
+ data.tar.gz: 2e0a03abadddb9322261d0b559b71a076b660423
5
+ SHA512:
6
+ metadata.gz: c94b4bcfdc0ec7a0704f2d2d61de077fd121e981fed3c813631210f4f33172e2f9d453d36f0b542998f6f36bd1c2aa623d7e202c07f6e33b25bc872415c9aec9
7
+ data.tar.gz: 8b42ddb40cf214b108d8f095334f2ecdf1ebbc7e9f39d8ca130fe4f1604cbc96dbf5b39f868b38a09a9b8a683c821fc74374571e883409fc942836a4d4b5b01c
data/.gitignore ADDED
@@ -0,0 +1,17 @@
1
+ *.gem
2
+ *.rbc
3
+ .bundle
4
+ .config
5
+ .yardoc
6
+ Gemfile.lock
7
+ InstalledFiles
8
+ _yardoc
9
+ coverage
10
+ doc/
11
+ lib/bundler/man
12
+ pkg
13
+ rdoc
14
+ spec/reports
15
+ test/tmp
16
+ test/version_tmp
17
+ tmp
data/Gemfile ADDED
@@ -0,0 +1,4 @@
1
+ source 'https://rubygems.org'
2
+
3
+ # Specify your gem's dependencies in qotd.gemspec
4
+ gemspec
data/LICENSE.txt ADDED
@@ -0,0 +1,22 @@
1
+ Copyright (c) 2014 jfjhh
2
+
3
+ MIT License
4
+
5
+ Permission is hereby granted, free of charge, to any person obtaining
6
+ a copy of this software and associated documentation files (the
7
+ "Software"), to deal in the Software without restriction, including
8
+ without limitation the rights to use, copy, modify, merge, publish,
9
+ distribute, sublicense, and/or sell copies of the Software, and to
10
+ permit persons to whom the Software is furnished to do so, subject to
11
+ the following conditions:
12
+
13
+ The above copyright notice and this permission notice shall be
14
+ included in all copies or substantial portions of the Software.
15
+
16
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
17
+ EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
18
+ MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
19
+ NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
20
+ LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
21
+ OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
22
+ WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
data/README.md ADDED
@@ -0,0 +1,48 @@
1
+ # Qotd ~ Quote of the Day
2
+
3
+ Displays a random formatted quote from a massive compilation of hilarious
4
+ quotes.
5
+
6
+ The output is formatted to always be spaced out to the 80th column, and the
7
+ quote is displayed with reversed foreground / background colors.
8
+
9
+ ![screenshot](screenshot/screenshot.png)
10
+
11
+ A big thanks to [textfiles.com](textfiles.com), where I got all the quotes.
12
+ Without it, there would be no quote of the day. The reformatted file with all
13
+ the quotes in it numbers over 3000 lines!
14
+
15
+ ## Todo
16
+
17
+ - Publish on `rubygems.org`.
18
+
19
+ ## Installation
20
+
21
+ Add this line to your application's Gemfile:
22
+
23
+ gem 'qotd'
24
+
25
+ And then execute:
26
+
27
+ $ bundle
28
+
29
+ Or install it yourself as:
30
+
31
+ $ gem install qotd
32
+
33
+ ## Usage
34
+
35
+ Add it to a shell configuration file.
36
+
37
+ # ~/.bashrc
38
+ # ...
39
+ qotd
40
+
41
+ ## Contributing
42
+
43
+ 1. Fork it ( http://github.com/jfjhh/qotd/fork )
44
+ 2. Create your feature branch (`git checkout -b my-new-feature`)
45
+ 3. Commit your changes (`git commit -am 'Add some feature'`)
46
+ 4. Push to the branch (`git push origin my-new-feature`)
47
+ 5. Create new Pull Request
48
+
data/Rakefile ADDED
@@ -0,0 +1,2 @@
1
+ require "bundler/gem_tasks"
2
+
data/bin/qotd ADDED
@@ -0,0 +1,15 @@
1
+ #!/usr/bin/env ruby
2
+
3
+ # The first argument can be used as a quote to print, but if no arg is given,
4
+ # print a random quote from the file.
5
+
6
+ require 'qotd'
7
+
8
+ puts "Quote of the Day:"
9
+
10
+ if ARGV.first
11
+ Qotd.format_quote(ARGV.first)
12
+ else
13
+ Qotd.format_quote(Qotd.quote)
14
+ end
15
+
data/lib/format.rb ADDED
@@ -0,0 +1,49 @@
1
+ module Format
2
+
3
+ def self.space(str, spaces = 1)
4
+ padding = ' ' * spaces
5
+
6
+ return "%s%s%s" % [
7
+ padding,
8
+ str,
9
+ padding
10
+ ]
11
+ end
12
+
13
+ def self.to_80(str)
14
+ chars = 80 - str.length # => length left to 80th char in line.
15
+ padding = ""
16
+
17
+ (1..chars).each do |i|
18
+ padding << ' '
19
+ end
20
+
21
+ return padding
22
+ end
23
+
24
+ def self.padding(str, spaces = 1)
25
+ lines = str.split(/\n/)
26
+
27
+ if lines.length > 1
28
+ pstr = ""
29
+ last = lines.length - 1
30
+
31
+ (0...last).each do |line|
32
+ text = self.space(lines[line], spaces)
33
+ filler = self.to_80(text)
34
+
35
+ pstr << text << filler << "\n"
36
+ end
37
+
38
+ text = self.space(lines[last], spaces)
39
+ pstr << text << self.to_80(text)
40
+
41
+ return pstr
42
+ else
43
+ text = self.space(str, spaces)
44
+ return text << self.to_80(text)
45
+ end
46
+ end
47
+
48
+ end
49
+
data/lib/qotd.rb ADDED
@@ -0,0 +1,45 @@
1
+ require_relative "qotd/version"
2
+ require_relative "format"
3
+
4
+ module Qotd
5
+
6
+ def self.quote_file
7
+ file = File.join(File.dirname(__FILE__), "quotes/quotes.txt")
8
+ File.read(file) # => A string of the quotes from the file.
9
+ end
10
+
11
+ def self.quotes
12
+ quote_file.split(/\n\n/) # => Individual quotes in an array.
13
+ end
14
+
15
+ def self.rand_index
16
+ rand(quotes.length) # => A random index of quotes array.
17
+ end
18
+
19
+ def self.quote
20
+ quotes[self.rand_index] # => A random quote.
21
+ end
22
+
23
+ def self.color
24
+ "\033[7m" # => Colored background.
25
+ end
26
+
27
+ def self.clear
28
+ "\033[0m" # => Reset to normal.
29
+ end
30
+
31
+ def self.format_quote(quote)
32
+ message = Format.padding(quote, 2) # => Add padding to the quote.
33
+ space = ' ' * 80 # => Filler to highlight.
34
+
35
+ print self.color
36
+ puts space
37
+
38
+ puts message
39
+
40
+ puts space
41
+ print self.clear
42
+ end
43
+
44
+ end
45
+
@@ -0,0 +1,3 @@
1
+ module Qotd
2
+ VERSION = "1.2.1"
3
+ end
@@ -0,0 +1,3228 @@
1
+ McGowan's Madison Avenue Axiom:
2
+ If an item is advertised as "under $50", you can bet it's not $19.95.
3
+
4
+ Van Roy's Law:
5
+ An unbreakable toy is useful for breaking other toys.
6
+
7
+ How long a minute is depends on which side of the bathroom door you're on.
8
+
9
+ Underlying Principle of Socio-Genetics:
10
+ Superiority is recessive.
11
+
12
+ Don't worry over what other people are thinking about you. They're too
13
+ busy worrying over what you are thinking about them.
14
+
15
+ Ducharm's Axiom:
16
+ If you view your problem closely enough you will recognize
17
+ yourself as part of the problem.
18
+
19
+ A Law of Computer Programming:
20
+ Make it possible for programmers to write in English and you
21
+ will find the programmers cannot write in English.
22
+
23
+ Turnaucka's Law:
24
+ The attention span of a computer is only as long as its
25
+ electrical cord.
26
+
27
+ One good reason why computers can do more work than people is that they
28
+ never have to stop and answer the phone.
29
+
30
+ Bradley's Bromide:
31
+ If computers get too powerful, we can organize them into a
32
+ committee —— that will do them in.
33
+
34
+ At the source of every error which is blamed on the computer you will
35
+ find at least two human errors, including the error of blaming it on
36
+ the computer.
37
+
38
+ If you put garbage in a computer nothing comes out but garbage. But
39
+ this garbage, having passed through a very expensive machine, is
40
+ somehow enobled and none dare criticize it.
41
+
42
+ Old programmers never die. They just branch to a new address.
43
+
44
+ The past always looks better than it was. It's only pleasant because
45
+ it isn't here.
46
+ —— Finley Peter Dunne (Mr. Dooley)
47
+
48
+ Military intelligence is a contradiction in terms.
49
+ —— Groucho Marx
50
+
51
+ Military justice is to justice what military music is to music.
52
+ —— Groucho Marx
53
+
54
+ Eggheads unite! You have nothing to lose but your yolks.
55
+ —— Adlai Stevenson
56
+
57
+ A university is what a college becomes when the faculty loses interest
58
+ in students.
59
+ —— John Ciardi
60
+
61
+ The IQ of the group is the lowest IQ of a member of the group divided
62
+ by the number of people in the group.
63
+
64
+ Imagination is the one weapon in the war against reality.
65
+ —— Jules de Gaultier
66
+
67
+ Ingrate: A man who bites the hand that feeds him, and then complains of
68
+ indigestion.
69
+
70
+ Justice: A decision in your favor.
71
+
72
+ Kin: An affliction of the blood
73
+
74
+ Lie: A very poor substitute for the truth, but the only one discovered
75
+ to date.
76
+
77
+ Love at first sight is one of the greatest labor-saving devices the
78
+ world has ever seen.
79
+
80
+ Lunatic Asylum: The place where optimism most flourishes.
81
+
82
+ Majority: That quality that distinguishes a crime from a law.
83
+
84
+ Man is the only animal that blushes —— or needs to.
85
+ —— Mark Twain
86
+
87
+ Man is a rational animal who always loses his temper when he is called
88
+ upon to act in accordance with the dictates of reason.
89
+ —— Oscar Wilde
90
+
91
+ Menu: A list of dishes which the restaurant has just run out of
92
+
93
+ "The way to make a small fortune in the commodities market is to start
94
+ with a large fortune."
95
+
96
+ Noncombatant: A dead Quaker.
97
+ —— Ambrose Bierce
98
+
99
+ The Law, in its majestic equality, forbids the rich, as well as the
100
+ poor, to sleep under the bridges, to beg in the streets, and to steal
101
+ bread.
102
+ —— Anatole France
103
+
104
+ BLISS is ignorance
105
+
106
+ God is a comic playing to an audience that's afraid to laugh
107
+
108
+ Predestination was doomed from the start.
109
+
110
+ Duct tape is like the force. It has a light side, and a dark side, and
111
+ it holds the universe together...
112
+ —— Carl Zwanzig
113
+
114
+ Xerox does it again and again and again and ...
115
+
116
+ Never call a man a fool; borrow from him.
117
+
118
+ Misery loves company, but company does not reciprocate.
119
+
120
+ Love is sentimental measles.
121
+
122
+ Life is like an onion: you peel off layer after layer, then you find
123
+ there is nothing in it.
124
+
125
+ If you make people think they're thinking, they'll love you; but if you
126
+ really make them think they'll hate you.
127
+
128
+ I never fail to convince an audience that the best thing they could do
129
+ was to go away.
130
+
131
+ If we do not change our direction we are likely to end up where we are
132
+ headed.
133
+
134
+ "All my friends and I are crazy. That's the only thing that keeps us
135
+ sane."
136
+
137
+ "If you go on with this nuclear arms race, all you are going to do is
138
+ make the rubble bounce"
139
+ —— Winston Churchill
140
+
141
+ But scientists, who ought to know
142
+ Assure us that it must be so.
143
+ Oh, let us never, never doubt
144
+ What nobody is sure about.
145
+ —— Hilaire Belloc
146
+
147
+ Hello Dr. Falken.
148
+ Would you like to play Global Thermo-nuclear War?
149
+
150
+ Real Programmers don't write specs —— users should consider themselves lucky to
151
+ get any programs at all and take what they get.
152
+
153
+ Real Programmers don't comment their code. If it was hard to write, it should
154
+ be hard to understand.
155
+
156
+ Real Programmers don't write application programs; they program right down on
157
+ the bare metal. Application programming is for feebs who can't do systems
158
+ programming.
159
+
160
+ Real Programmers don't eat quiche. In fact, real programmers don't know how to
161
+ SPELL quiche. They eat Twinkies, and Szechwan food.
162
+
163
+ Real Programmers don't write in COBOL. COBOL is for wimpy applications
164
+ programmers.
165
+
166
+ Real Programmers' programs never work right the first time. But if you throw
167
+ them on the machine they can be patched into working in "only a few" 30-hour
168
+ debugging sessions.
169
+
170
+ Real Programmers don't write in FORTRAN. FORTRAN is for pipe stress freaks and
171
+ crystallography weenies.
172
+
173
+ Real Programmers never work 9 to 5. If any real programmers are around a 9 AM,
174
+ it's because they were up all night.
175
+
176
+ Real Programmers don't write in BASIC. Actually, no programmers write in BASIC
177
+ after the age of 12.
178
+
179
+ Real Programmers don't write in PL/I. PL/I is for programmers who can't decide
180
+ whether to write in COBOL or FORTRAN.
181
+
182
+ Real Programmers don't play tennis, or any other sport that requires you to
183
+ changer clothes. Mountain climbing is OK, and real programmers wear their
184
+ climbing boots to work in case a mountain should suddenly spring up in the
185
+ middle of the machine room.
186
+
187
+ Real Programmers don't document. Documentation is for simps who can't read the
188
+ listings or the object deck.
189
+
190
+ Real Programmers don't write in PASCAL, or BLISS, or ADA, or any of those pinko
191
+ computer science languages. Strong typing is for people with weak memories.
192
+
193
+ The secret to success is sincerity. Once you learn to fake that you have
194
+ it made.
195
+
196
+ Never let your child play with a loaded carp.
197
+
198
+ The answer is 42.
199
+ -Deep Thought
200
+
201
+ I don't do booze,
202
+ it dulls the drugs.
203
+
204
+ LSD consumes 47 times its weight in excess reality.
205
+
206
+ I'm not as think as you stoned I am.
207
+
208
+ Computers are infalllible.
209
+
210
+ The three laws of thermodynamics:
211
+
212
+ The First Law: You can't get anything without working for it.
213
+ The Second Law: The most you can accomplish by working is to break
214
+ even.
215
+ The Third Law: You can only break even at absolute zero.
216
+
217
+ Famous last words:
218
+ 1) "Don't worry, I can handle it."
219
+ 2) "You and what army?"
220
+ 3) "If you were as smart as you think you are, you wouldn't be
221
+ a cop."
222
+
223
+ Our OS who art in CPU, UNIX be thy name.
224
+ Thy programs run, thy syscalls done,
225
+ in kernel as it is in user!
226
+
227
+ Nothing is faster than the speed of light...
228
+
229
+ To prove this to yourself, try opening the refrigerator door before
230
+ the light comes on.
231
+
232
+ Q: How many heterosexual males does it take to screw in a light bulb in
233
+ San Francisco?
234
+ A: Both of them.
235
+
236
+ San Francisco isn't what it used to be, and it never was.
237
+
238
+ Insanity is hereditary. You get it from your kids.
239
+
240
+ Anarchy may not be the best form of government, but it's better than no
241
+ government at all.
242
+
243
+ Do molecular biologists wear designer genes?
244
+
245
+ Whenever the literary German dives into a sentence, that is the last
246
+ you are going to see of him until he emerges on the other side of his
247
+ atlantic with his verb in his mouth.
248
+ —— Mark Twain
249
+
250
+ "Now is the time for all good men to come to."
251
+ —— Walt Kelly
252
+
253
+ Laetrile is the pits
254
+
255
+ Got Mole problems?
256
+ Call Avogardo 6.02 x 10^23
257
+
258
+ There's no future in time travel
259
+
260
+ Vitamin C deficiency is apauling
261
+
262
+ Time flies like an arrow
263
+ Fruit flies like a banana
264
+
265
+ Science is what happens when preconception meets verification.
266
+
267
+ Electrical Engineers do it with less resistance.
268
+
269
+ "Really ?? What a coincidence, I'm shallow too!!"
270
+
271
+ But in our enthusiasm, we could not resist a radical overhaul of the
272
+ system, in which all of its major weaknesses have been exposed,
273
+ analyzed, and replaced with new weaknesses.
274
+ —— Bruce Leverett
275
+ "Register Allocation in Optimizing Compilers"
276
+
277
+ Psychiatrists say that one out of four people are mentally ill. Check
278
+ three friends. If they're ok, you're it.
279
+
280
+ USER n.: A programmer who will believe anything you tell him.
281
+
282
+ Worst Month of the Year: February. February has only 28 days in it,
283
+ which means that if you rent an apartment, you are paying for three
284
+ full days you don't get. Try to avoid Februarys whenever possible.
285
+
286
+ Worst Vegetable of the Year: The brussels sprout. This is also the
287
+ worst vegetable of next year.
288
+
289
+ Worst Month of 1981 for Downhill Skiing: January. The lines are the
290
+ shortest, though.
291
+
292
+ There once was a girl named Irene
293
+ Who lived on distilled kerosene
294
+ But she started absorbin'
295
+ A new hydrocarbon
296
+ And since then has never benzene.
297
+
298
+ Genius may have its limitations, but stupidity is not thus
299
+ handicapped.
300
+ —— Elbert Hubbard
301
+
302
+ Computer programmers do it byte by byte
303
+
304
+ "I know not with what weapons World War III will be fought, but
305
+ World War IV will be fought with sticks and stones."
306
+ —— Albert Einstein
307
+
308
+ No one can make you feel inferior without your consent.
309
+ —— Eleanor Roosevelt
310
+
311
+ I must have slipped a disk —— my pack hurts
312
+
313
+ What is worth doing is worth the trouble of asking somebody to do.
314
+
315
+ This login session: $13.99, but for you $11.88
316
+
317
+ "I just need enough to tide me over until I need more."
318
+ —— Bill Hoest
319
+
320
+ Q: How many Oregonians does it take to screw in a light bulb?
321
+ A: Three. One to screw in the lightbulb and two to fend off all those
322
+ Californians trying to share the experience.
323
+
324
+ Now and then an innocent person is sent to the legislature.
325
+
326
+ She missed an invaluable opportunity to give him a look that you could
327
+ have poured on a waffle.
328
+
329
+ He looked at me as if I was a side dish he hadn't ordered.
330
+
331
+ People will buy anything that's one to a customer.
332
+
333
+ It was a book to kill time for those who liked it better dead.
334
+
335
+ How wonderful opera would be if there were no singers.
336
+
337
+ The new Congressmen say they're going to turn the government around. I
338
+ hope I don't get run over again.
339
+
340
+ What garlic is to salad, insanity is to art.
341
+
342
+ Do not take life too seriously; you will never get out if it alive.
343
+
344
+ Forgetfulness: A gift of God bestowed upon debtors in compensation for
345
+ their destitution of conscience.
346
+
347
+ Absentee: A person with an income who has had the forethought to remove
348
+ himself from the sphere of exaction.
349
+
350
+ You will be surprised by a loud noise.
351
+
352
+ As of next week, passwords will be entered in Morse code.
353
+
354
+ "In short, _N is Richardian if, and only if, _N is not Richardian."
355
+
356
+ President Reagan has noted that there are too many economic pundits and
357
+ forecasters and has decided on an excess prophets tax.
358
+
359
+ Absent: Exposed to the attacks of friends and acquaintances; defamed;
360
+ slandered.
361
+
362
+ Brain, v.: [as in "to brain"] To rebuke bluntly, but not pointedly; to
363
+ dispel a source of error in an opponent.
364
+
365
+ Truthful: Dumb and illiterate.
366
+
367
+ A computer, to print out a fact,
368
+ Will divide, multiply, and subtract.
369
+ But this output can be
370
+ No more than debris,
371
+ If the input was short of exact.
372
+ —— Gigo
373
+
374
+ Corrupt: In politics, holding an office of trust or profit.
375
+
376
+ Nature and nature's laws lay hid in night,
377
+ God said, "Let Newton be," and all was light.
378
+
379
+ It did not last; the devil howling "Ho!
380
+ Let Einstein be!" restored the status quo.
381
+
382
+ Razors pain you;
383
+ Rivers are damp;
384
+ Acids stain you;
385
+ And drugs cause cramp.
386
+ Guns aren't lawful;
387
+ Nooses give;
388
+ Gas smells awful;
389
+ You might as well live.
390
+ —— Dorothy Parker
391
+
392
+ Whenever you find that you are on the side of the majority, it is time
393
+ to reform.
394
+ —— Mark Twain
395
+
396
+ There cannot be a crisis next week. My schedule is already full.
397
+ —— Henry Kissinger
398
+
399
+ Whenever people agree with me I always feel I must be wrong.
400
+ ——Oscar Wilde
401
+
402
+ The only way to get rid of a temptation is to yield to it.
403
+ —— Oscar Wilde
404
+
405
+ About the time we think we can make ends meet, somebody moves the
406
+ ends.
407
+ —— Herbert Hoover
408
+
409
+ There is only one thing in the world worse than being talked about, and
410
+ that is not being talked about.
411
+ —— Oscar Wilde
412
+
413
+ The sun was shining on the sea,
414
+ Shining with all his might:
415
+ He did his very best to make
416
+ The billows smooth and bright ——
417
+ And this was very odd, because it was
418
+ The middle of the night.
419
+ —— Lewis Carroll
420
+
421
+ It's not that I'm afraid to die. I just don't want to be there when it
422
+ happens.
423
+ —— Woody Allen.
424
+
425
+ The typewriting machine, when played with expression, is no more
426
+ annoying than the piano when played by a sister or near relation.
427
+ —— Oscar Wilde
428
+
429
+ I can't complain, but sometimes I still do.
430
+ —— Joe Walsh
431
+
432
+ 43rd Law of Computing:
433
+ Anything that can go wr
434
+ fortune: Segmentation violation —— Core dumped
435
+
436
+ Never try to outstubborn a cat.
437
+ —— Lazarus Long
438
+
439
+ FLASH! Intelligence of mankind decreasing. Details at ... uh, when
440
+ the little hand is on the ....
441
+
442
+ Only God can make random selections.
443
+
444
+ Space is big. You just won't believe how vastly, hugely, mind-
445
+ bogglingly big it is. I mean, you may think it's a long way down the
446
+ road to the drug store, but that's just peanuts to space.
447
+
448
+ —— "The Hitchhiker's Guide to the Galaxy"
449
+
450
+ Limericks are art forms complex,
451
+ Their topics run chiefly to sex.
452
+ They usually have virgins,
453
+ And masculine urgin's,
454
+ And other erotic effects.
455
+
456
+ Kinkler's First Law:
457
+ Responsibility always exceeds authority.
458
+
459
+ Kinkler's Second Law:
460
+ All the easy problems have been solved.
461
+
462
+ "Why be a man when you can be a success?"
463
+ —— Bertold Brecht
464
+
465
+ "Matrimony isn't a word, it's a sentence."
466
+
467
+ How many Zen masters does it take to screw in a light bulb?
468
+
469
+ None. The Universe spines the bulb, and the Zen master stays out of
470
+ the way.
471
+
472
+ University: Like a software house, except the software's free, and it's
473
+ usable, and it works, and if it breaks they'll quickly tell you how to
474
+ fix it, and ...
475
+
476
+ How many hardware engineers does it take to change a lightbulb?
477
+ None: "We'll fix it in software."
478
+
479
+ How many software engineers does it take to change a lightbulb?
480
+ None: "We'll document it in the manual."
481
+
482
+ How many tech writers does it take to change a lightbulb?
483
+ None: "The user can work it out."
484
+
485
+ God made the Idiot for practice, and then He made the School Board
486
+ —— Mark Twain
487
+
488
+ Be wary of strong drink. It can make you shoot at tax collectors and
489
+ miss
490
+
491
+ Bride: A woman with a fine prospect of happiness behind her.
492
+
493
+ The Pig, if I am not mistaken,
494
+ Gives us ham and pork and Bacon.
495
+ Let others think his heart is big,
496
+ I think it stupid of the Pig.
497
+
498
+ I think that I shall never see
499
+ A billboard lovely as a tree.
500
+ Perhaps, unless the billboards fall
501
+ I'll never see a tree at all.
502
+
503
+ Bizarreness is the essence of the exotic
504
+
505
+ Today is the first day of the rest of the mess
506
+
507
+ Today is the tomorrow you worried about yesterday
508
+
509
+ Just because you're paranoid doesn't mean they AREN'T after you.
510
+
511
+ Paranoia is simply an optimistic outlook on life.
512
+
513
+ Take heart amid the deepening gloom that your dog is finally getting
514
+ enough cheese
515
+
516
+ Whether you can hear it or not
517
+ The Universe is laughing behind your back
518
+
519
+ Go 'way! You're bothering me!
520
+
521
+ Put your Nose to the Grindstone!
522
+ —— Amalgamated Plastic Surgeons and Toolmakers, Ltd.
523
+
524
+ Chicken Soup: An ancient miracle drug containing equal parts of
525
+ aureomycin, cocaine, interferon, and TLC. The only ailment chicken
526
+ soup can't cure is neurotic dependence on one's mother.
527
+ —— Arthur Naiman
528
+
529
+ One of the oldest problems puzzled over in the Talmud is: "Why did God
530
+ create goyim?" The generally accepted answer is "_s_o_m_e_b_o_d_y has to buy
531
+ retail."
532
+ —— Arthur Naiman
533
+
534
+ "I am not an Economist. I am an honest man!"
535
+ —— Paul McCracken
536
+
537
+ Dying is a very dull, dreary affair. And my advice to you is to
538
+ have nothing whatever to do with it.
539
+ —— W. Somerset Maughm
540
+
541
+ Good-bye. I am leaving because I am bored.
542
+ —— George Saunders' dying words
543
+
544
+ Die? I should say not, dear fellow. No Barrymore would allow such a
545
+ conventional thing to happen to him.
546
+ —— John Barrymore's dying words
547
+
548
+ Every program is a part of some other program, and rarely fits.
549
+
550
+ It is easier to write an incorrect program than understand a correct
551
+ one.
552
+
553
+ If you have a procedure with 10 parameters, you probably missed some.
554
+
555
+ Everyting should be built top-down, except the first time.
556
+
557
+ Every program has (at least) two purposes: the one for which it was
558
+ written and another for which it wasn't.
559
+
560
+ If a listener nods his head when you're explaining your program, wake
561
+ him up.
562
+
563
+ Optimization hinders evolution.
564
+
565
+ A language that doesn't affect the way you think about programming is
566
+ not worth knowing.
567
+
568
+ Everyone can be taught to sculpt: Michelangelo would have had to be
569
+ taught how _n_o_t to. So it is with the great programmers.
570
+
571
+ Never put off till tomorrow what you can avoid all together.
572
+
573
+ Never call a man a fool. Borrow from him.
574
+
575
+ Mistakes are often the stepping stones to utter failure.
576
+
577
+ A truly wise man never plays leapfrog with a unicorn.
578
+
579
+ Stop searching. Happiness is right next to you.
580
+
581
+ Stop searching. Happiness is right next to you. Now, if they'd only
582
+ take a bath...
583
+
584
+ "He was so narrow minded he could see through a keyhole with both
585
+ eyes..."
586
+
587
+ It seems like the less a statesman amounts to, the more he loves the
588
+ flag.
589
+
590
+ Why did the Lord give us so much quickness of movement unless it was to
591
+ avoid responsibility with?
592
+
593
+ SHIFT TO THE LEFT! SHIFT TO THE RIGHT!
594
+ POP UP, PUSH DOWN, BYTE, BYTE, BYTE!
595
+
596
+ The average woman would rather have beauty than brains, because the
597
+ average man can see better than he can think.
598
+
599
+ "If God lived on Earth, people would knock out all His windows."
600
+ —— Yiddish saying
601
+
602
+ Waiter: "Tea or coffee, gentlemen?"
603
+ 1st customer: "I'll have tea."
604
+ 2nd customer: "Me, too —— and be sure the glass is clean!"
605
+ (Waiter exits, returns)
606
+ Waiter: "Two teas. Which one asked for the clean glass?"
607
+
608
+ The men sat sipping their tea in silence. After a while the klutz
609
+ said, "Life is like a bowl of sour cream."
610
+ "Like a bowl of sour cream?" asked the other. "Why?"
611
+ "How should I know? What am I, a philosopher?"
612
+
613
+ Horse sense is the thing a horse has which keeps it from betting on
614
+ people.
615
+ —— W. C. Fields
616
+
617
+ There is something fascinating about science. One gets such wholesale
618
+ returns of conjecture out of such a trifling investment of fact.
619
+ —— Mark Twain
620
+
621
+ This will be a memorable month —— no matter how hard you try to forget
622
+ it.
623
+
624
+ Afternoon very favorable for romance. Try a single person for a
625
+ change.
626
+
627
+ Beware of low-flying butterflies.
628
+
629
+ Green light in A.M. for new projects. Red light in P.M. for traffic
630
+ tickets.
631
+
632
+ Artistic ventures highlighted. Rob a museum.
633
+
634
+ Keep emotionally active. Cater to your favorite neurosis.
635
+
636
+ Your analyst has you mixed up with another patient. Don't believe a
637
+ thing he tells you.
638
+
639
+ Do not drink coffee in early A.M. It will keep you awake until noon.
640
+
641
+ You may be recognized soon. Hide.
642
+
643
+ You have the capacity to learn from mistakes. You'll learn a lot
644
+ today.
645
+
646
+ Good day for overcoming obstacles. Try a steeplechase.
647
+
648
+ Day of inquiry. You will be subpoenaed.
649
+
650
+ You could get a new lease on life —— if only you didn't need the first
651
+ and last month in advance.
652
+
653
+ Surprise your boss. Get to work on time.
654
+
655
+ You're being followed. Cut out the hanky-panky for a few days.
656
+
657
+ Don't kiss an elephant on the lips today.
658
+
659
+ Future looks spotty. You will spill soup in late evening.
660
+
661
+ Don't feed the bats tonight.
662
+
663
+ Stay away from flying saucers today.
664
+
665
+ You've been leading a dog's life. Stay off the furniture.
666
+
667
+ Do not sleep in a eucalyptus tree tonight.
668
+
669
+ Help a swallow land at Capistrano.
670
+
671
+ Succumb to natural tendencies. Be hateful and boring.
672
+
673
+ Half Moon tonight. (At least its better than no Moon at all.)
674
+
675
+ Another good night not to sleep in a eucalyptus tree.
676
+
677
+ Message will arrive in the mail. Destroy, before the FBI sees it.
678
+
679
+ Do what comes naturally now. Seethe and fume and throw a tantrum.
680
+
681
+ Perfect day for scrubbing the floor and other exciting things.
682
+
683
+ Be free and open and breezy! Enjoy! Things won't get any better so
684
+ get used to it.
685
+
686
+ Truth will be out this morning. (Which may really mess things up.)
687
+
688
+ Travel important today; Internal Revenue men arrive tomorrow.
689
+
690
+ Good day for a change of scene. Repaper the bedroom wall.
691
+
692
+ You can create your own opportunities this week. Blackmail a senior
693
+ executive.
694
+
695
+ Fine day to throw a party. Throw him as far as you can.
696
+
697
+ Good news. Ten weeks from Friday will be a pretty good day.
698
+
699
+ Think of your family tonight. Try to crawl home after the
700
+ computer crashes.
701
+
702
+ Show respect for age. Drink good Scotch for a change.
703
+
704
+ Give thought to your reputation. Consider changing name and moving to
705
+ a new town.
706
+
707
+ If you think last Tuesday was a drag, wait till you see what happens
708
+ tomorrow!
709
+
710
+ Excellent day to have a rotten day.
711
+
712
+ You worry too much about your job. Stop it. You are not paid enough
713
+ to worry.
714
+
715
+ Don't tell any big lies today. Small ones can be just as effective.
716
+
717
+ Others will look to you for stability, so hide when you bite your
718
+ nails.
719
+
720
+ Tonight's the night: Sleep in a eucalyptus tree.
721
+
722
+ A professor is one who talks in someone else's sleep.
723
+
724
+ Cynic: A blackguard whose faulty vision sees things as they are, not as
725
+ they ought to be. Hence the custom among the Scythians of plucking out
726
+ a cynic's eyes to improve his vision.
727
+
728
+ Happiness: An agreeable sensation arising from contemplating the misery
729
+ of another.
730
+
731
+ Our country has plenty of good five-cent cigars, but the trouble is
732
+ they charge fifteen cents for them.
733
+
734
+ Question:
735
+ Man Invented Alcohol,
736
+ God Invented Grass.
737
+ Who do you trust?
738
+
739
+ The brain is a wonderful organ; it starts working the moment you get up
740
+ in the morning, and does not stop until you get to school.
741
+
742
+ You cannot kill time without injuring eternity.
743
+
744
+ Enzymes are things invented by biologists that explain things which
745
+ otherwise require harder thinking.
746
+ —— Jerome Lettvin
747
+
748
+ Ten years of rejection slips is nature's way of telling you to stop
749
+ writing.
750
+ —— R. Geis
751
+
752
+ Paranoids are people, too; they have their own problems. It's easy to
753
+ criticize, but if everybody hated you, you'd be paranoid too.
754
+ —— D. J. Hicks
755
+
756
+ What use is magic if it can't save a unicorn?
757
+ —— Peter S. Beagle
758
+
759
+ If at first you don't succeed, give up, no use being a damn fool.
760
+
761
+ According to the latest official figures, 43% of all statistics are
762
+ totally worthless.
763
+
764
+ Wasting time is an important part of living.
765
+
766
+ Due to a shortage of devoted followers, the production of great leaders
767
+ has been discontinued.
768
+
769
+ I'm prepared for all emergencies but totally unprepared for everyday
770
+ life.
771
+
772
+ Excellent day for drinking heavily. Spike office water cooler.
773
+
774
+ Excellent time to become a missing person.
775
+
776
+ A day for firm decisions!!!!! Or is it?
777
+
778
+ Fine day to work off excess energy. Steal something heavy.
779
+
780
+ Spend extra time on hobby. Get plenty of rolling papers.
781
+
782
+ Things will be bright in P.M. A cop will shine a light in your face.
783
+
784
+ Good day to avoid cops. Crawl to school.
785
+
786
+ Screw up your courage! You've screwed up everything else.
787
+
788
+ Don't believe everything you hear or anything you say.
789
+
790
+ Do something unusual today. Pay a bill.
791
+
792
+ You will be a winner today. Pick a fight with a four-year-old.
793
+
794
+ Troubled day for virgins over 16 who are beautiful and wealthy and live
795
+ in eucalyptus trees.
796
+
797
+ Surprise due today. Also the rent.
798
+
799
+ Avoid reality at all costs.
800
+
801
+ Good day to let down old friends who need help.
802
+
803
+ Next Friday will not be your lucky day. As a matter of fact, you don't
804
+ have a lucky day this year.
805
+
806
+ You are wise, witty, and wonderful, but you spend too much time reading
807
+ this sort of trash.
808
+
809
+ What the hell, go ahead and put all your eggs in one basket.
810
+
811
+ Don't go surfing in South Dakota for a while.
812
+
813
+ Celebrate Hannibal Day this year. Take an elephant to lunch.
814
+
815
+ Stay away from hurricanes for a while.
816
+
817
+ A chubby man with a white beard and a red suit will approach you soon.
818
+ Avoid him. He's a Commie.
819
+
820
+ I really hate this damned machine
821
+ I wish that they would sell it.
822
+ It never does quite what I want
823
+ But only what I tell it.
824
+
825
+ Caution: breathing may be hazardous to your health.
826
+
827
+ Remember, even if you win the rat race —— you're still a rat.
828
+
829
+ Nihilism should commence with oneself.
830
+
831
+ Vote anarchist
832
+
833
+ I'd give my right arm to be ambidextrous.
834
+
835
+ Nudists are people who wear one-button suits.
836
+
837
+ Tomorrow will be canceled due to lack of interest.
838
+
839
+ Old soldiers never die. Young ones do.
840
+
841
+ UFO's are for real: the Air Force doesn't exist.
842
+
843
+ In case of atomic attack, the federal ruling against prayer in schools
844
+ will be temporarily canceled.
845
+
846
+ Drive defensively. Buy a tank.
847
+
848
+ Alexander Graham Bell is alive and well in New York, and still waiting
849
+ for a dial tone.
850
+
851
+ The meek shall inherit the earth —— they are too weak to refuse.
852
+
853
+ Condense soup, not books!
854
+
855
+ The world is coming to an end! Repent and return those library books!
856
+
857
+ Philadelphia is not dull —— it just seems so because it is next to
858
+ exciting Delaware, New Jersy. (Home of Barry Fletcher!)
859
+
860
+ Never be led astray onto the path of virtue.
861
+
862
+ Give your child mental blocks for Christmas.
863
+
864
+ Mickey Mouse wears a Spiro Agnew watch.
865
+
866
+ Minnie Mouse is a slow maze learner.
867
+
868
+ Don't hate yourself in the morning —— sleep till noon.
869
+
870
+ Keep America beautiful. Swallow your beer cans.
871
+
872
+ What this country needs is a good five cent ANYTHING!
873
+
874
+ Hire the morally handicapped.
875
+
876
+ I can resist anything but temptation.
877
+
878
+ Modern man is the missing link between apes and human beings.
879
+
880
+ Don't knock President Fillmore. He kept us out of Vietnam.
881
+
882
+ Earn cash in your spare time —— blackmail your friends.
883
+
884
+ Keep grandma off the streets —— legalize bingo.
885
+
886
+ Reporter (to Mahatma Gandhi): Mr Gandhi, what do you think of
887
+ Western Civilization?
888
+ Gandhi: I think it would be a good idea.
889
+
890
+ Xerox never comes up with anything original.
891
+
892
+ Acid —— better living through chemistry.
893
+
894
+
895
+ "All flesh is grass"
896
+ —— Isaiah
897
+
898
+ Smoke a friend today.
899
+
900
+ "You'll never be the man your mother was!"
901
+
902
+ George Orwell was an optimist.
903
+
904
+ Chicken Little was right.
905
+
906
+ "Qvid me anxivs svm?"
907
+
908
+ Gravity is a myth, the Earth sucks.
909
+
910
+ Nostalgia isn't what it used to be.
911
+
912
+ Cleveland still lives. God _m_u_s_t be dead.
913
+
914
+ Don't cook tonight —— starve a rat today!
915
+
916
+ They're only trying to make me LOOK paranoid!
917
+
918
+ Hail to the sun god
919
+ He sure is a fun god
920
+ Ra! Ra! Ra!
921
+
922
+ Brain fried —— Core dumped
923
+
924
+ Remember, UNIX spelled backwards is XINU.
925
+
926
+ Time is nature's way of making sure that everything doesn't happen at
927
+ once.
928
+
929
+ If God had wanted you to go around nude, He would have given you bigger
930
+ hands.
931
+
932
+ What this country needs is a good five-cent nickel.
933
+
934
+ Losing your drivers' license is just God's way of saying "BOOGA, BOOGA!"
935
+
936
+ A closed mouth gathers no foot.
937
+
938
+ A diva who specializes in risqu'e arias is an off-coloratura soprano...
939
+
940
+ Q: How many IBM cpu's does it take to do a logical right shift?
941
+ A: 33. 1 to hold the bits and 32 to push the register.
942
+
943
+ Violence is the last refuge of the incompetent.
944
+ —— Salvor Hardin
945
+
946
+ "Who cares if it doesn't do anything? It was made with our new
947
+ Triple-Iso-Bifurcated-Krypton-Gate-MOS process..."
948
+
949
+ "There are three possibilities: Pioneer's solar panel has turned away
950
+ >from the sun; there's a large meteor blocking transmission; or someone
951
+ loaded Star Trek 3.2 into our video processor."
952
+
953
+ If time heals all wounds, how come the belly button stays the same?
954
+
955
+ Ban the bomb. Save the world for conventional warfare.
956
+
957
+ Death is nature's way of telling you to slow down
958
+
959
+ Down with categorical imperative!
960
+
961
+ Earn cash in your spare time —— blackmail your friends
962
+
963
+ Life is a yo-yo, and mankind ties knots in the string.
964
+
965
+ Things are more like they used to be than they are now.
966
+
967
+ Hummingbirds never remember the words to songs.
968
+
969
+ Lysistrata had a good idea.
970
+
971
+ Reality is an obstacle to hallucination.
972
+
973
+ Paul Revere was a tattle-tale
974
+
975
+ Familiarity breeds attempt
976
+
977
+ Coronation: The ceremony of investing a sovereign with the outward and
978
+ visible signs of his divine right to be blown skyhigh with a dynamite
979
+ bomb.
980
+
981
+ Coward: One who in a perilous emergency thinks with his legs.
982
+
983
+ Idiot: A member of a large and powerful tribe whose influence in human
984
+ affairs has always been dominant and controlling.
985
+
986
+ Honorable: Afflicted with an impediment in one's reach. In legislative
987
+ bodies, it is customary to mention all members as honorable; as, "the
988
+ honorable gentleman is a scurvy cur."
989
+
990
+ Year: A period of three hundred and sixty-five disappointments.
991
+
992
+ God did not create the world in 7 days; he screwed around for 6 days
993
+ and then pulled an all-nighter.
994
+
995
+ God is a polythiest
996
+
997
+ God isn't dead, he just couldn't find a parking place.
998
+
999
+ If God is perfect, why did He create discontinuous functions?
1000
+
1001
+ "And what will you do when you grow up to be as big as me?"
1002
+ asked the father of his little son.
1003
+ "Diet."
1004
+
1005
+ Admiration: Our polite recognition of another's resemblance to
1006
+ ourselves.
1007
+
1008
+ Death: to stop sinning suddenly.
1009
+
1010
+ "Might as well be frank, monsieur. It would take a miracle to get you
1011
+ out of Casablanca and the Germans have outlawed miracles."
1012
+
1013
+ Slang is language that takes off its coat, spits on its hands, and goes
1014
+ to work.
1015
+
1016
+ "That must be wonderful! I don't understand it at all."
1017
+
1018
+ The chicken that clucks the loudest is the one most likely to show up
1019
+ at the steam fitters' picnic.
1020
+
1021
+ As far as the laws of mathematics refer to reality, they are not
1022
+ certain; and as far as they are certain, they do not refer to reality.
1023
+ —— Albert Einstein
1024
+
1025
+ Death is life's way of telling you you've been fired.
1026
+ —— R. Geis
1027
+
1028
+ "Contrariwise," continued Tweedledee, "if it was so, it might be, and
1029
+ if it were so, it would be; but as it isn't, it ain't. That's logic!"
1030
+ —— Lewis Carroll
1031
+
1032
+ It is the business of the future to be dangerous.
1033
+ —— Hawkwind
1034
+
1035
+ The earth is like a tiny grain of sand, only much, much heavier.
1036
+
1037
+ There was a young poet named Dan,
1038
+ Whose poetry never would scan.
1039
+ When told this was so,
1040
+ He said, "Yes, I know.
1041
+ It's because I try to put every possible syllable into that last line
1042
+ that I can."
1043
+
1044
+ A limerick packs laughs anatomical
1045
+ Into space that is quite economical.
1046
+ But the good ones I've seen
1047
+ So seldom are clean,
1048
+ And the clean ones so seldom are comical.
1049
+
1050
+ "We don't care. We don't have to. We're the Phone Company."
1051
+
1052
+ "Here at the Phone Company, we serve all kinds of people; from
1053
+ Presidents and Kings to the scum of the earth..."
1054
+
1055
+ "Why isn't there a special name for the tops of your feet?"
1056
+ —— Lily Tomlin
1057
+
1058
+ God is not dead! He's alive and autographing bibles at Cody's
1059
+
1060
+ "If I had only known, I would have been a locksmith."
1061
+ —— Albert Einstein
1062
+
1063
+ If someone had told me I would be Pope one day, I would have studied
1064
+ harder.
1065
+ —— Pope John Paul I
1066
+
1067
+ There's only one way to have a happy marriage and as soon as I learn
1068
+ what it is I'll get married again.
1069
+ —— Clint Eastwood
1070
+
1071
+ Flappity, floppity, flip
1072
+ The mouse on the m"obius strip;
1073
+ The strip revolved,
1074
+ The mouse dissolved
1075
+ In a chronodimensional skip.
1076
+
1077
+ ...And malt does more than Milton can
1078
+ to justify God's ways to man
1079
+ —— A. E. Housman
1080
+
1081
+ WHERE CAN THE MATTER BE
1082
+
1083
+ Oh, dear, where can the matter be
1084
+ When it's converted to energy?
1085
+ There is a slight loss of parity.
1086
+ Johnny's so long at the fair.
1087
+
1088
+ IBM had a PL/I,
1089
+ Its syntax worse than JOSS;
1090
+ And everywhere this language went,
1091
+ It was a total loss.
1092
+
1093
+ System/3! System/3!
1094
+ See how it runs! See how it runs!
1095
+ Its monitor loses so totally!
1096
+ It runs all its programs in RPG!
1097
+ It's made by our favorite monopoly!
1098
+ System/3!
1099
+
1100
+ As I was passing Project MAC,
1101
+ I met a Quux with seven hacks.
1102
+ Every hack had seven bugs;
1103
+ Every bug had seven manifestations;
1104
+ Every manifestation had seven symptoms.
1105
+ Symptoms, manifestations, bugs, and hacks,
1106
+ How many losses at Project MAC?
1107
+
1108
+ Reclaimer, spare that tree!
1109
+ Take not a single bit!
1110
+ It used to point to me,
1111
+ Now I'm protecting it.
1112
+ It was the reader's CONS
1113
+ That made it, paired by dot;
1114
+ Now, GC, for the nonce,
1115
+ Thou shalt reclaim it not.
1116
+
1117
+ 99 blocks of crud on the disk,
1118
+ 99 blocks of crud!
1119
+ You patch a bug, and dump it again:
1120
+ 100 blocks of crud on the disk!
1121
+
1122
+ 100 blocks of crud on the disk,
1123
+ 100 blocks of crud!
1124
+ You patch a bug, and dump it again:
1125
+ 101 blocks of crud on the disk!...
1126
+
1127
+ THE GOLDEN RULE OF ARTS AND SCIENCES
1128
+ The one who has the gold makes the rules.
1129
+
1130
+ If the odds are a million to one against something occurring, chances
1131
+ are 50-50 it will.
1132
+
1133
+ A.A.A.A.A.: An organization for drunks who drive
1134
+
1135
+ Accident: A condition in which presence of mind is good, but absence of
1136
+ body is better.
1137
+ —— Foolish Dictionary
1138
+
1139
+ Accordion: A bagpipe with pleats.
1140
+
1141
+ Accuracy: The vice of being right
1142
+
1143
+ "Acting is an art which consists of keeping the audience from
1144
+ coughing."
1145
+
1146
+ Adolescence: The stage between puberty and adultery.
1147
+
1148
+ Adult: One old enough to know better.
1149
+
1150
+ Advertisement: The most truthful part of a newspaper
1151
+ —— Thomas Jefferson
1152
+
1153
+ Good advice is something a man gives when he is too old to set a bad
1154
+ example.
1155
+ —— La Rouchefoucauld
1156
+
1157
+ Afternoon: That part of the day we spend worrying about how we wasted
1158
+ the morning.
1159
+
1160
+ Alimony is a system by which, when two people make a mistake, one of
1161
+ them keeps paying for it.
1162
+ —— Peggy Joyce
1163
+
1164
+ Ambition is a poor excuse for not having sense enough to be lazy.
1165
+ —— Charlie McCarthy
1166
+
1167
+ America may be unique in being a country which has leapt from barbarism
1168
+ to decadence without touching civilization.
1169
+ —— John O'Hara
1170
+
1171
+ Antonym: The opposite of the word you're trying to think of.
1172
+
1173
+ Arithmetic is being able to count up to twenty without taking off your
1174
+ shoes.
1175
+ —— Mickey Mouse
1176
+
1177
+ Ass: The masculine of "lass".
1178
+
1179
+ Automobile: A four-wheeled vehicle that runs up hills and down
1180
+ pedestrians.
1181
+
1182
+ A baby is an alimentary canal with a loud voice at one end and no
1183
+ responsibility at the other.
1184
+
1185
+ A bachelor is a selfish, undeserving guy who has cheated some woman
1186
+ out of a divorce.
1187
+ —— Don Quinn
1188
+
1189
+ A banker is a fellow who lends you his umbrella when the sun is shining
1190
+ and wants it back the minute it begins to rain.
1191
+ —— Mark Twain
1192
+
1193
+ Boy: A noise with dirt on it.
1194
+
1195
+ Broad-mindedness: The result of flattening high-mindedness out.
1196
+
1197
+ A budget is just a method of worrying before you spend money, as well
1198
+ as afterward.
1199
+
1200
+ California is a fine place to live —— if you happen to be an orange.
1201
+ —— Fred Allen
1202
+
1203
+ A candidate is a person who gets money from the rich and votes from the
1204
+ poor to protect them from each other.
1205
+
1206
+ Children are natural mimic who act like their parents despite every
1207
+ effort to teach them good manners.
1208
+
1209
+ Christ: A man who was born at least 5,000 years ahead of his time.
1210
+
1211
+ Cigarette: A fire at one end, a fool at the other, and a bit of
1212
+ tobacco in between.
1213
+
1214
+ A city is a large community where people are lonesome together
1215
+ —— Herbert Prochnow
1216
+
1217
+ "The climate of Bombay is such that its inhabitants have to live
1218
+ elsewhere."
1219
+
1220
+ Collaboration: A literary partnership based on the false assumption
1221
+ that the other fellow can spell.
1222
+
1223
+ Conscience is the inner voice that warns us somebody is looking
1224
+ —— H. L. Mencken
1225
+
1226
+ Conversation: A vocal competition in which the one who is catching his
1227
+ breath is called the listener.
1228
+
1229
+ "Calvin Coolidge was the greatest man who ever came out of Plymouth
1230
+ Corner, Vermont."
1231
+ —— Clarence Darrow
1232
+
1233
+ The cow is nothing but a machine with makes grass fit for us people to
1234
+ eat.
1235
+ —— John McNulty
1236
+
1237
+ Cynic: One who looks through rose-colored glasses with a jaundiced eye.
1238
+
1239
+ Democracy is a form of government that substitutes election by the
1240
+ incompetent many for appointment by the corrupt few.
1241
+ —— G. B. Shaw
1242
+
1243
+ Democracy is a form of government in which it is permitted to wonder
1244
+ aloud what the country could do under first-class management.
1245
+ —— Senator Soaper
1246
+
1247
+ Die: To stop sinning suddenly.
1248
+ —— Elbert Hubbard
1249
+
1250
+ Diplomacy is the art of saying "nice doggy" until you can find a rock.
1251
+
1252
+ A diplomat is a man who can convince his wife she'd look stout in a
1253
+ fur coat.
1254
+
1255
+ Egotism is the anesthetic given by a kindly nature to relieve the pain
1256
+ of being a damned fool.
1257
+ —— Bellamy Brooks
1258
+
1259
+ Electrocution: Burning at the stake with all the modern improvements.
1260
+
1261
+ Experience is that marvelous thing that enables you recognize a
1262
+ mistake when you make it again.
1263
+ —— F. P. Jones
1264
+
1265
+ "It's Fabulous! We haven't seen anything like it in the last half an
1266
+ hour!"
1267
+ —— Macy's
1268
+
1269
+ Fairy Tale: A horror story to prepare children for the newspapers.
1270
+
1271
+ Faith is the quality that enables you to eat blackberry jam on a picnic
1272
+ without looking to see whether the seeds move.
1273
+
1274
+ Fashion is a form of ugliness so intolerable that we have to alter it
1275
+ every six months.
1276
+ —— Oscar Wilde
1277
+
1278
+ We wish you a Hare Krishna
1279
+ We wish you a Hare Krishna
1280
+ We wish you a Hare Krishna
1281
+ And a Sun Myung Moon!
1282
+
1283
+ —— Maxwell Smart
1284
+
1285
+ If God had meant for us to be naked, we would have been born that way.
1286
+
1287
+ There was a young lady from Hyde
1288
+ Who ate a green apple and died.
1289
+ While her lover lamented
1290
+ The apple fermented
1291
+ And made cider inside her inside.
1292
+
1293
+ If I traveled to the end of the rainbow
1294
+ As Dame Fortune did intend,
1295
+ Murphy would be there to tell me
1296
+ The pot's at the other end.
1297
+ —— Bert Whitney
1298
+
1299
+ Silverman's Law:
1300
+ If Murphy's Law can go wrong, it will.
1301
+
1302
+ Hindsight is an exact science.
1303
+
1304
+ Ducharme's Precept:
1305
+ Opportunity always knocks at the least opportune moment.
1306
+
1307
+ If you don't care where you are, then you ain't lost.
1308
+
1309
+ Naeser's Law:
1310
+ You can make it foolproof, but you can't make it
1311
+ damnfoolproof.
1312
+
1313
+ The Third Law of Photography:
1314
+ If you did manage to get any good shots, they will be ruined
1315
+ when someone inadvertently opens the darkroom door and all of
1316
+ the dark leaks out.
1317
+
1318
+ Mollison's Bureaucracy Hypothesis:
1319
+ If an idea can survive a bureaucratic review and be implemented
1320
+ it wasn't worth doing.
1321
+
1322
+ Conway's Law:
1323
+ In any organization there will always be one person who knows
1324
+ what is going on.
1325
+
1326
+ This person must be fired.
1327
+
1328
+ It is easier to get forgiveness than permission.
1329
+
1330
+ Consultants are mystical people who ask a company for a number and then
1331
+ give it back to them.
1332
+
1333
+ There is no time like the present for postponing what you ought to be
1334
+ doing.
1335
+
1336
+ Important letters which contain no errors will develop errors in the
1337
+ mail. Corresponding errors will show up in the duplicate while the
1338
+ Boss is reading it.
1339
+
1340
+ Vital papers will demonstrate their vitality by spontaneously moving
1341
+ >from where you left them to where you can't find them.
1342
+
1343
+ DeVries' Dilemma:
1344
+ If you hit two keys on the typewriter, the one you don't want
1345
+ hits the paper.
1346
+
1347
+ When you do not know what you are doing, do it neatly.
1348
+
1349
+ Finagle's Creed:
1350
+ Science is true. Don't be misled by facts.
1351
+
1352
+ Velilind's Laws of Experimentation:
1353
+ 1. If reproducibility may be a problem, conduct the test only
1354
+ once.
1355
+ 2. If a straight line fit is required, obtain only two data
1356
+ points.
1357
+
1358
+ Rocky's Lemma of Innovation Prevention
1359
+ Unless the results are known in advance, funding agencies will
1360
+ reject the proposal.
1361
+
1362
+ Steinbach's Guideline for Systems Programming
1363
+ Never test for an error condition you don't know how to
1364
+ handle.
1365
+
1366
+ When the government bureau's remedies do not match your problem, you
1367
+ modify the problem, not the remedy.
1368
+
1369
+ Horngren's Observation:
1370
+ Among economists, the real world is often a special case.
1371
+
1372
+ First Rule of History:
1373
+ History doesn't repeat itself —— historians merely repeat each
1374
+ other.
1375
+
1376
+ Hanlon's Razor:
1377
+ Never attribute to malice that which is adequately explained by
1378
+ stupidity.
1379
+
1380
+ Fourth Law of Applied Terror:
1381
+ The night before the English History mid-term, your Biology
1382
+ instructor will assign 200 pages on planaria.
1383
+ Corollary:
1384
+ Every instructor assumes that you have nothing else to do
1385
+ except study for that instructor's course.
1386
+
1387
+ Fifth Law of Applied Terror:
1388
+ If you are given an open-book exam, you will forget your book.
1389
+ Corollary:
1390
+ If you are given a take-home exam, you will forget where you
1391
+ live.
1392
+
1393
+ Just because your doctor has a name for your condition doesn't mean he
1394
+ knows what it is.
1395
+
1396
+ Only adults have difficulty with childproof caps.
1397
+
1398
+ Anything labeled "NEW" and/or "IMPROVED" isn't. The label means the
1399
+ price went up. The label "ALL NEW", "COMPLETELY NEW", or "GREAT NEW"
1400
+ means the price went way up.
1401
+
1402
+ Re graphics: A picture is worth 10K words —— but only those to
1403
+ describe the picture. Hardly any sets of 10K words can be adequately
1404
+ described with pictures.
1405
+
1406
+ There are two ways to write error-free programs. Only the third one
1407
+ works.
1408
+
1409
+ As Will Rogers would have said, "There is no such things as a free
1410
+ variable."
1411
+
1412
+ The best book on programming for the layman is "Alice in Wonderland";
1413
+ but that's because it's the best book on anything for the layman.
1414
+
1415
+ Bringing computers into the home won't change either one, but may
1416
+ revitalize the corner saloon.
1417
+
1418
+ Beware of the Turing Tar-pit in which everything is possible but
1419
+ nothing of interest is easy.
1420
+
1421
+ A LISP programmer knows the value of everything, but the cost of
1422
+ nothing.
1423
+
1424
+ It is easier to change the specification to fit the program than vice
1425
+ versa.
1426
+
1427
+ In English, every word can be verbed. Would that it were so in our
1428
+ programming languages.
1429
+
1430
+ In a five year period we can get one superb programming language. Only
1431
+ we can't control when the five year period will begin.
1432
+
1433
+ Is it possible that software is not like anything else, that it is
1434
+ meant to be discarded: That the whole point is to always see it as a
1435
+ soap bubble?
1436
+
1437
+ A year spent in artificial intelligence is enough to make one believe
1438
+ in God.
1439
+
1440
+ When someone says "I want a programming language in which I need only
1441
+ say what I wish done," give him a lollipop.
1442
+
1443
+ Dealing with failure is easy: Work hard to improve. Success is also
1444
+ easy to handle: You've solved the wrong problem. Work hard to
1445
+ improve.
1446
+
1447
+ One can't proceed from the informal to the formal by formal means.
1448
+
1449
+ Think of it! With VLSI we can pack 100 ENIACs in 1 sq. cm.!
1450
+
1451
+ Why did the Roman Empire collapse? What is the Latin for office
1452
+ automation?
1453
+
1454
+ If there are epigrams, there must be meta-epigrams.
1455
+
1456
+ Be different: conform.
1457
+
1458
+ Save energy: be apathetic.
1459
+
1460
+ I have seen the future and it is just like the present, only longer.
1461
+ —— Kehlog Albran
1462
+
1463
+ "Stealing a rhinoceros should not be attempted lightly."
1464
+
1465
+ "It is easier for a camel to pass through the eye of a needle if it is
1466
+ lightly greased."
1467
+ —— Kehlog Albran
1468
+
1469
+ "Arguments with furniture are rarely productive."
1470
+ —— Kehlog Albran
1471
+
1472
+ "Even the best of friends cannot attend each other's funeral."
1473
+ —— Kehlog Albran
1474
+
1475
+ There's no point in being grown up if you can't be childish sometimes.
1476
+ —— Dr. Who
1477
+
1478
+ "Just once, I wish we would encounter an alien menace that wasn't
1479
+ immune to bullets"
1480
+ —— The Brigader, from Dr. Who
1481
+
1482
+ The National Short-Sleeved Shirt Association says:
1483
+ Support your right to bare arms!
1484
+
1485
+ They also surf who only stand on waves.
1486
+
1487
+ Signs of crime: screaming or cries for help.
1488
+ —— from the Brown Security Crime Prevention Pamphlet
1489
+
1490
+ In the long run, every program becomes rococo, and then rubble.
1491
+ —— Alan Perlis
1492
+
1493
+ You can measure a programmer's perspective by noting his attitude on
1494
+ the continuing viability of Fortran.
1495
+ —— Alan Perlis
1496
+
1497
+ A Lisp programmer knows the value of everything, but the cost of
1498
+ nothing.
1499
+ —— Alan Perlis
1500
+
1501
+ The computing field is always in need of new cliches.
1502
+ —— Alan Perlis
1503
+
1504
+ It is against the grain of modern education to teach children to
1505
+ program. What fun is there in making plans, acquiring discipline in
1506
+ organizing thoughts, devoting attention to detail, and learning to be
1507
+ self-critical?
1508
+ —— Alan Perlis
1509
+
1510
+ "Please try to limit the amount of `this room doesn't have any
1511
+ bazingas' until you are told that those rooms are `punched out.' Once
1512
+ punched out, we have a right to complain about atrocities, missing
1513
+ bazingas, and such."
1514
+ —— N. Meyrowitz
1515
+
1516
+ People will buy anything that's one to a customer.
1517
+
1518
+ Pereant, inquit, qui ante nos nostra dixerunt.
1519
+ [Confound those who have said our remarks before us.]
1520
+ —— Aelius Donatus
1521
+
1522
+ If God had not given us sticky tape, it would have been necessary to
1523
+ invent it.
1524
+
1525
+ It is amusing that a virtue is made of the vice of chastity; and it's a
1526
+ pretty odd sort of chastity at that, which leads men straight into the
1527
+ sin of Onan, and girls to the waning of their color.
1528
+ —— Voltaire
1529
+
1530
+ The superfluous is very necessary.
1531
+ —— Voltaire
1532
+
1533
+ It is one of the superstitions of the human mind to have imagined that
1534
+ virginity could be a virtue.
1535
+ —— Voltaire
1536
+
1537
+ I'm very good at integral and differential calculus,
1538
+ I know the scientific names of beings animalculous;
1539
+ In short, in matters vegetable, animal, and mineral,
1540
+ I am the very model of a modern Major-General.
1541
+
1542
+ Oh don't the days seem lank and long
1543
+ When all goes right and none goes wrong,
1544
+ And isn't your life extremely flat
1545
+ With nothing whatever to grumble at!
1546
+
1547
+ An Englishman never enjoys himself, except for a noble purpose.
1548
+ —— A. P. Herbert
1549
+
1550
+ Old age is the most unexpected of things that can happen to a man.
1551
+ —— Trotsky
1552
+
1553
+ It is not enough to succeed. Others must fail.
1554
+ —— Gore Vidal
1555
+
1556
+ A celebrity is a person who is known for his well-knownness.
1557
+
1558
+ The rain it raineth on the just
1559
+ And also on the unjust fella,
1560
+ But chiefly on the just, because
1561
+ The unjust steals the just's umbrella.
1562
+
1563
+ The world's as ugly as sin,
1564
+ And almost as delightful
1565
+ —— Frederick Locker-Lampson
1566
+
1567
+ "Reflections on Ice-Breaking"
1568
+ Candy
1569
+ Is dandy
1570
+ But liquor
1571
+ Is quicker.
1572
+
1573
+ —— Ogden Nash
1574
+
1575
+ Maturity is only a short break in adolescence.
1576
+ —— Jules Feiffer
1577
+
1578
+ Some people in this department wouldn't recognize subtlety if it hit
1579
+ them on the head.
1580
+
1581
+ You cannot achieve the impossible without attempting the absurd.
1582
+
1583
+ For every complex problem, there is a solution that is simple, neat,
1584
+ and wrong.
1585
+ —— H. L. Mencken
1586
+
1587
+ Death is God's way of telling you not to be such a wise guy.
1588
+
1589
+ Research is what I'm doing when I don't know what I'm doing.
1590
+ —— Wernher von Braun
1591
+
1592
+ Death is Nature's way of recycling human beings.
1593
+
1594
+ "Grub first, then ethics."
1595
+ —— Bertolt Brecht
1596
+
1597
+ "I drink to make other people interesting."
1598
+ —— George Jean Nathan
1599
+
1600
+ "Pascal is not a high-level language."
1601
+ —— Steven Feiner
1602
+
1603
+ E Pluribus Unix
1604
+
1605
+ Everybody wants to go to heaven, but nobody wants to die.
1606
+
1607
+ You are only young once, but you can stay immature indefinitely.
1608
+
1609
+ Immortality —— a fate worse than death.
1610
+ —— Edgar A. Shoaff
1611
+
1612
+ The trouble with being punctual is that people think you have nothing
1613
+ more important to do.
1614
+
1615
+ You can't carve your way to success without cutting remarks.
1616
+
1617
+ All I ask of life is a constant and exaggerated sense of my own
1618
+ importance.
1619
+
1620
+ If only one could get that wonderful feeling of accomplishment without
1621
+ having to accomplish anything.
1622
+
1623
+ My opinions may have changed, but not the fact that I am right.
1624
+
1625
+ No man is an island, but some of us are long peninsulas.
1626
+
1627
+ The goal of Computer Science is to build something that will last at
1628
+ least until we've finished building it.
1629
+
1630
+ It's really quite a simple choice: Life, Death, or Los Angeles.
1631
+
1632
+ Everything is controlled by a small evil group to which, unfortunately,
1633
+ no one we know belongs.
1634
+
1635
+ All I ask is a chance to prove that money can't make me happy.
1636
+
1637
+ If you can't learn to do it well, learn to enjoy doing it badly.
1638
+
1639
+ Anything is good if it's made of chocolate.
1640
+
1641
+ There has been an alarming increase in the number of things you know
1642
+ nothing about.
1643
+
1644
+ What makes the universe so hard to comprehend is that there's nothing
1645
+ to compare it with.
1646
+
1647
+ It may be that your whole purpose in life is simply to serve as a
1648
+ warning to others.
1649
+
1650
+ To be sure of hitting the target, shoot first and, whatever you hit,
1651
+ call it the target.
1652
+
1653
+ If only I could be respected without having to be respectable.
1654
+
1655
+ Nothing is illegal if one hundred businessmen decide to do it.
1656
+ —— Andrew Young
1657
+
1658
+ The individual choice of garnishment of a burger can be an important
1659
+ point to the consumer in this day when individualism is an increasingly
1660
+ important thing to people.
1661
+ —— Donald N. Smith, president of Burger King
1662
+
1663
+ "If you can count your money, you don't have a billion dollars."
1664
+ —— J. Paul Getty
1665
+
1666
+ Hell hath no fury like a bureaucrat scorned.
1667
+ —— Milton Friedman
1668
+
1669
+ The cost of living is going up, and the chance of living is going
1670
+ down.
1671
+
1672
+ There are really not many jobs that actually require a penis or a
1673
+ vagina, and all other occupations should be open to everyone.
1674
+ —— Gloria Steinem
1675
+
1676
+ We are confronted with insurmountable opportunities.
1677
+ —— Pogo
1678
+
1679
+ Nothing recedes like success.
1680
+ —— Walter Winchell
1681
+
1682
+ I do not fear computers. I fear the lack of them.
1683
+ —— Isaac Asimov
1684
+
1685
+ Sometimes I worry about being a success in a mediocre world.
1686
+ —— Lily Tomlin
1687
+
1688
+ Tax reform means "Don't tax you, don't tax me, tax that fellow behind
1689
+ the tree."
1690
+ —— Russell Long
1691
+
1692
+ Some people are born mediocre, some people achieve mediocrity, and some
1693
+ people have mediocrity thrust upon them.
1694
+ —— Joseph Heller
1695
+
1696
+ Yesterday I was a dog. Today I'm a dog. Tomorrow I'll probably still
1697
+ be a dog. Sigh! There's so little hope for advancement.
1698
+ —— Snoopy
1699
+
1700
+ If you think nobody cares if you're alive, try missing a couple of car
1701
+ payments.
1702
+ —— Earl Wilson
1703
+
1704
+ The trouble with being poor is that it takes up all your time.
1705
+
1706
+ If all else fails, immortality can always be assured by spectacular
1707
+ error.
1708
+ —— John Kenneth Galbraith
1709
+
1710
+ Where humor is concerned there are no standards —— no one can say what
1711
+ is good or bad, although you can be sure that everyone will.
1712
+ —— John Kenneth Galbraith
1713
+
1714
+ TV is chewing gum for the eyes.
1715
+ —— Frank Lloyd Wright
1716
+
1717
+ He who attacks the fundamentals of the American broadcasting industry
1718
+ attacks democracy itself.
1719
+ —— William S. Paley, chairman of CBS
1720
+
1721
+ Passionate hatred can give meaning and purpose to an empty life.
1722
+ —— Eric Hoffer
1723
+
1724
+ You couldn't even prove the White House staff sane beyond a reasonable
1725
+ doubt.
1726
+ —— Ed Meese, on the Hinckley verdict
1727
+
1728
+ If you think the United States has stood still, who built the largest
1729
+ shopping center in the world?
1730
+ —— Richard Nixon
1731
+
1732
+ If at first you don't succeed, redefine success.
1733
+
1734
+ AMAZING BUT TRUE...
1735
+ If all the salmon caught in Canada in one year were laid end to end
1736
+ across the Sahara Desert, the smell would be absolutely awful.
1737
+
1738
+ AMAZING BUT TRUE...
1739
+ There is so much sand in Northern Africa that if it were spread out it
1740
+ would completely cover the Sahara Desert.
1741
+
1742
+ Anyone who is capable of getting themselves made President should on no
1743
+ account be allowed to do the job.
1744
+ —— The Hitchhiker's Guide to the Galaxy
1745
+
1746
+ With a rubber duck, one's never alone.
1747
+ —— The Hitchhiker's Guide to the Galaxy
1748
+
1749
+ A nuclear war can ruin your whole day.
1750
+
1751
+ SOFTWARE —— formal evening attire for female computer analysts.
1752
+
1753
+ Today is National Existential Ennui Awareness Day.
1754
+
1755
+ In the Top 40, half the songs are secret messages to the teen world to
1756
+ drop out, turn on, and groove with the chemicals and light shows at
1757
+ discotheques.
1758
+ —— Art Linkletter
1759
+
1760
+ Most people wouldn't know music if it came up and bit them on the ass.
1761
+ —— Frank Zappa
1762
+
1763
+ Justice is incidental to law and order.
1764
+ —— J. Edgar Hoover
1765
+
1766
+ The fortune program is supported, in part, by user contributions and by
1767
+ a major grant from the National Endowment for the Inanities.
1768
+
1769
+ Flon's Law:
1770
+ There is not now, and never will be, a language in which it is
1771
+ the least bit difficult to write bad programs.
1772
+
1773
+ I used to think I was indecisive, but now I'm not so sure.
1774
+
1775
+ "The warning message we sent the Russians was a calculated ambiguity
1776
+ that would be clearly understood."
1777
+ —— Alexander Haig
1778
+
1779
+ This life is a test. It is only a test. Had this been an actual life,
1780
+ you would have received further instructions as to what to do and where
1781
+ to go.
1782
+
1783
+ To YOU I'm an atheist; to God, I'm the Loyal Opposition.
1784
+ —— Woody Allen
1785
+
1786
+ "Earth is a great funhouse without the fun."
1787
+ —— Jeff Berner
1788
+
1789
+ Cocaine —— the thinking man's Dristan.
1790
+
1791
+ This is National Non-Dairy Creamer Week.
1792
+
1793
+ When in doubt, do what the President does —— guess.
1794
+
1795
+ Marriage is the only adventure open to the cowardly.
1796
+ —— Voltaire
1797
+
1798
+ Q: How many DEC repairman does it take to fix a flat ?
1799
+ A: Five; four to hold the car up and one to swap tires.
1800
+
1801
+ Q: How many IBM CPU's does it take to execute a job?
1802
+ A: Four; three to hold it down, and one to rip its head off.
1803
+
1804
+ SEMINARS: From 'semi' and 'arse', hence, any half-assed discussion.
1805
+
1806
+ POLITICIAN: From the Greek 'poly' ("many") and the French 'tete'
1807
+ ("head" or "face," as in 'tete-a-tete': head to head or face to face).
1808
+ Hence 'polytetien', a person of two or more faces.
1809
+ —— Martin Pitt
1810
+
1811
+ CALIFORNIA: From Latin 'calor', meaning "heat" (as in English
1812
+ 'calorie' or Spanish 'caliente'); and 'fornia', for "sexual
1813
+ intercourse" or "fornication." Hence: Tierra de California, "the land
1814
+ of hot sex."
1815
+ —— Ed Moran, Covina, California
1816
+
1817
+ Armadillo: to provide weapons to a Spanish pickle
1818
+
1819
+ Micro Credo: Never trust a computer bigger than you can lift.
1820
+
1821
+ "Nondeterminism means never having to say you are wrong."
1822
+
1823
+ Bumper sticker:
1824
+
1825
+ "All the parts falling off this car are of the very finest British
1826
+ manufacture"
1827
+
1828
+ "Would you tell me, please, which way I ought to go from here?"
1829
+
1830
+ "That depends a good deal on where you want to get to," said the Cat
1831
+
1832
+ —— Lewis Carrol
1833
+
1834
+ I'm not under the alkafluence of inkahol that some thinkle peep I am.
1835
+ It's just the drunker I sit here the longer I get.
1836
+
1837
+ Serocki's Stricture:
1838
+ Marriage is always a bachelor's last option.
1839
+
1840
+ Virtue is its own punishment.
1841
+
1842
+ Line Printer paper is strongest at the perforations.
1843
+
1844
+ The older a man gets, the farther he had to walk to school as a boy.
1845
+
1846
+ We may not return the affection of those who like us, but we always
1847
+ respect their good judgement.
1848
+
1849
+ A real patriot is the fellow who gets a parking ticket and rejoices
1850
+ that the system works.
1851
+
1852
+ One nice thing about egotists: they don't talk about other people.
1853
+
1854
+ The cost of living hasn't affected its popularity.
1855
+
1856
+ Anybody who doesn't cut his speed at the sight of a police car is
1857
+ probably parked.
1858
+
1859
+ Don't put off for tomorrow what you can do today, because if you enjoy
1860
+ it today you can do it again tomorrow.
1861
+
1862
+ Anybody with money to burn will easily find someone to tend the fire.
1863
+
1864
+ Teach children to be polite and courteous in the home, and, when he
1865
+ grows up, he will never be able to edge his car onto a freeway.
1866
+
1867
+ A bore is someone who persists in holding his own views after we have
1868
+ enlightened him with ours.
1869
+
1870
+ Maybe you can't buy happiness, but these days you can certainly charge
1871
+ it.
1872
+
1873
+ The best thing about growing older is that it takes such a long time.
1874
+
1875
+ There are three ways to get something done: do it yourself, hire
1876
+ someone, or forbid your kids to do it.
1877
+
1878
+ The trouble with doing something right the first time is that nobody
1879
+ appreciates how difficult it was.
1880
+
1881
+ Politics is like coaching a football team. you have to be smart enough
1882
+ to understand the game but not smart enough to lose interest.
1883
+
1884
+ Nobody wants constructive criticism. It's all we can do to put up with
1885
+ constructive praise.
1886
+
1887
+ History repeats itself. That's one thing wrong with history.
1888
+
1889
+ Resisting temptation is easier when you think you'll probably get
1890
+ another chance later on.
1891
+
1892
+ Never make anything simple and efficient when a way can be found to
1893
+ make it complex and wonderful.
1894
+
1895
+ A student who changes the course of history is probably taking an
1896
+ exam.
1897
+
1898
+ Ever notice that even the busiest people are never too busy to tell you
1899
+ just how busy they are.
1900
+
1901
+ There's a fine line between courage and foolishness. Too bad its not a
1902
+ fence.
1903
+
1904
+ The marvels of today's modern technology include the development of a
1905
+ soda can, when discarded will last forever...and a $7,000 car which
1906
+ when properly cared for will rust out in two or three years.
1907
+
1908
+ One difference between a man and a machine is that a machine is quiet
1909
+ when well oiled.
1910
+
1911
+ To be intoxicated is to feel sophisticated but not be able to say it.
1912
+
1913
+ Youth is when you blame all your troubles on your parents; maturity is
1914
+ when you learn that everything is the fault of the younger generation.
1915
+
1916
+ A well adjusted person is one who makes the same mistake twice without
1917
+ getting nervous.
1918
+
1919
+ Behold the warranty...the bold print giveth and the fine print taketh
1920
+ away.
1921
+
1922
+ Always borrow money from a pessimist; he doesn't expect to be paid
1923
+ back.
1924
+
1925
+ How come wrong numbers are never busy?
1926
+
1927
+ One thing the inventors can't seem to get the bugs out of is fresh
1928
+ paint.
1929
+
1930
+ Have you noticed that all you need to grow healthy, vigorous grass is a
1931
+ crack in your sidewalk?
1932
+
1933
+ Conscience is what hurts when everything else feels so good.
1934
+
1935
+ Cleanliness is next to impossible.
1936
+
1937
+ Political T.V. commercials prove one thing: some candidates can tell
1938
+ all their good points and qualifications in just 30 seconds.
1939
+
1940
+ Ask not for whom the telephone bell tolls...if thou art in the bathtub,
1941
+ it tolls for thee.
1942
+
1943
+ One way to stop a run away horse is to bet on him.
1944
+
1945
+ A real person has two reasons for doing anything...a good reason and
1946
+ the real reason.
1947
+
1948
+ Show me a man who is a good loser and i'll show you a man who is
1949
+ playing golf with his boss.
1950
+
1951
+ Serving coffee on aircraft causes turbulence.
1952
+
1953
+ Nothing cures insomnia like the realization that it's time to get up.
1954
+
1955
+ If you want your spouse to listen and pay strict attention to every
1956
+ word you say, talk in your sleep.
1957
+
1958
+ X-rated movies are all alike...the only thing they leave to the
1959
+ imagination is the plot.
1960
+
1961
+ People usually get what's coming to them...unless it's been mailed.
1962
+
1963
+ Isn't it strange that the same people that laugh at gypsy fortune
1964
+ tellers take economists seriously?
1965
+
1966
+ Man usually avoids attributing cleverness to somebody else ——
1967
+ unless it is an enemy.
1968
+ —— A. Einstein
1969
+
1970
+ "Calvin Coolidge looks as if he had been weaned on a pickle."
1971
+ —— Alice Roosevelt Longworth
1972
+
1973
+ "There are two ways of disliking poetry; one way is to dislike it, the
1974
+ other is to read Pope."
1975
+ —— Oscar Wilde
1976
+
1977
+ "She is descended from a long line that her mother listened to."
1978
+ —— Gypsy Rose Lee
1979
+
1980
+ "The difference between a misfortune and a calamity? If Gladstone fell
1981
+ into the Thames, it would be a misfortune. But if someone dragged him
1982
+ out again, it would be a calamity."
1983
+ —— Benjamin Disraeli
1984
+
1985
+ "MacDonald has the gift on compressing the largest amount of words into
1986
+ the smallest amount of thoughts."
1987
+ —— Winston Churchill
1988
+
1989
+ Actor: "I'm a smash hit. Why, yesterday during the last act, I had
1990
+ everyone glued in their seats!"
1991
+ Oliver Herford: "Wonderful! Wonderful! Clever of you to think of
1992
+ it!"
1993
+
1994
+ "Sherry [Thomas Sheridan] is dull, naturally dull; but it must have
1995
+ taken him a great deal of pains to become what we now see him. Such an
1996
+ excess of stupidity, sir, is not in Nature."
1997
+ —— Samuel Johnson
1998
+
1999
+ "Why was I born with such contemporaries?"
2000
+ —— Oscar Wilde
2001
+
2002
+ "Wagner's music is better than it sounds."
2003
+ —— Mark Twain
2004
+
2005
+ On a paper submitted by a physicist colleague:
2006
+
2007
+ "This isn't right. This isn't even wrong."
2008
+
2009
+ —— Wolfgang Pauli
2010
+
2011
+ Leibowitz's Rule:
2012
+ When hammering a nail, you will never hit your finger if you
2013
+ hold the hammer with both hands.
2014
+
2015
+ Drew's Law of Highway Biology:
2016
+ The first bug to hit a clean windshield lands directly in front
2017
+ of your eyes.
2018
+
2019
+ Langsam's Laws:
2020
+ 1) Everything depends.
2021
+ 2) Nothing is always.
2022
+ 3) Everything is sometimes.
2023
+
2024
+ Law of Probable Dispersal:
2025
+ Whatever it is that hits the fan will not be evenly
2026
+ distributed.
2027
+
2028
+ Meader's Law:
2029
+ Whatever happens to you, it will previously have happened to
2030
+ everyone you know, only more so.
2031
+
2032
+ Fourth Law of Revision:
2033
+ It is usually impractical to worry beforehand about
2034
+ interferences —— if you have none, someone will make one for
2035
+ you.
2036
+
2037
+ Sodd's Second Law:
2038
+ Sooner or later, the worst possible set of circumstances is
2039
+ bound to occur.
2040
+
2041
+ Murphy's Law is recursive. Washing your car to make it rain doesn't
2042
+ work.
2043
+
2044
+ Rule of Defactualization:
2045
+ Information deteriorates upward through bureaucracies.
2046
+
2047
+ Spark's Sixth Rule for Managers:
2048
+ If a subordinate asks you a pertinent question, look at him as
2049
+ if he had lost his senses. When he looks down, paraphrase the
2050
+ question back at him.
2051
+
2052
+ Anthony's Law of Force:
2053
+ Don't force it; get a larger hammer.
2054
+
2055
+ Ray's Rule of Precision:
2056
+ Measure with a micrometer. Mark with chalk. Cut with an axe.
2057
+
2058
+ Rule of Creative Research:
2059
+ 1) Never draw what you can copy.
2060
+ 2) Never copy what you can trace.
2061
+ 3) Never trace what you can cut out and paste down.
2062
+
2063
+ Barach's Rule:
2064
+ An alcoholic is a person who drinks more than his own
2065
+ physician.
2066
+
2067
+ Ink: A villainous compound of tannogallate of iron, gum-arabic, and
2068
+ water, chiefly used to facilitate the infection of idiocy and promote
2069
+ intellectual crime.
2070
+
2071
+ Kleptomaniac: A rich thief.
2072
+
2073
+ Labor: One of the processes by which A acquires property for B.
2074
+
2075
+ Trivia pursuit -
2076
+ The culmination of man's
2077
+ never ending search for a
2078
+ lack of purpose.
2079
+ - B.C. -
2080
+
2081
+ Liar: A lawyer with a roving commission.
2082
+
2083
+ Major Premise: Sixty men can do a piece of work sixty times as quickly
2084
+ as one man.
2085
+
2086
+ Minor Premise: One man can dig a post hole in sixty seconds;
2087
+
2088
+ Conclusion: Sixty men can dig a post hole in one second.
2089
+
2090
+ Mad: Affected with a high degree of intellectual independence...
2091
+
2092
+ Misfortune: The kind of fortune that never misses.
2093
+
2094
+ Miss: A title with which we brand unmarried women to indicate that
2095
+ they are in the market.
2096
+
2097
+ Monday: In Christian countries, the day after the baseball game.
2098
+
2099
+ Mythology: The body of a primitive people's beliefs concerning its
2100
+ origin, early history, heroes, deities and so forth, as distinguished
2101
+ >from the true accounts which it invents later.
2102
+
2103
+ ...It has been observed that one's nose is never so happy as when it
2104
+ is thrust into the affairs of another, from which some physiologists
2105
+ have drawn the inference that the nose is devoid of the sense of
2106
+ smell.
2107
+ —— Ambrose Bierce
2108
+
2109
+ November: The eleventh twelfth of a weariness.
2110
+
2111
+ Once, adv.: Enough.
2112
+
2113
+ In Dr. Johnson's famous dictionary patriotism is defined as the last
2114
+ resort of the scoundrel. With all due respect to an enlightened but
2115
+ inferior lexicographer I beg to submit that it is the first.
2116
+ —— Ambrose Bierce
2117
+
2118
+ Pig: An animal (Porcus omnivorous) closely allied to the human race by
2119
+ the splendor and vivacity of its appetite, which, however, is inferior
2120
+ in scope, for it balks at pig.
2121
+
2122
+ Positive: Mistaken at the top of one's voice.
2123
+
2124
+ It has just been discovered that research causes cancer in rats.
2125
+
2126
+ Frisbeetarianism: The belief that when you die, your soul goes up the
2127
+ on roof and gets stuck.
2128
+
2129
+ Hofstadter's Law:
2130
+ It always takes longer than you expect, even when you take
2131
+ Hofstadter's Law into account.
2132
+
2133
+ "It is bad luck to be superstitious."
2134
+ —— Andrew W. Mathis
2135
+
2136
+ If A = B and B = C, then A = C, except where void or prohibited by law.
2137
+ —— Roy Santoro
2138
+
2139
+ Main's Law:
2140
+ For every action there is an equal and opposite government
2141
+ program.
2142
+
2143
+ "When you are in it up to your ears, keep your mouth shut."
2144
+
2145
+ Preudhomme's Law of Window Cleaning:
2146
+ It's on the other side.
2147
+
2148
+ The shortest distance between two points is under construction.
2149
+ —— Noelie Altito
2150
+
2151
+ Any small object that is accidentally dropped will hide under a
2152
+ larger object.
2153
+
2154
+ If while you are in school, there is a shortage of qualified personnel
2155
+ in a particular field, then by the time you graduate with the necessary
2156
+ qualifications, that field's employment market is glutted.
2157
+ —— Marguerite Emmons
2158
+
2159
+ Pro is to con as progress is to Congress.
2160
+
2161
+ The probability of someone watching you is proportional to the
2162
+ stupidity of your action.
2163
+
2164
+ Hurewitz's Memory Principle:
2165
+ The chance of forgetting something is directly proportional
2166
+ to.....to........uh..............
2167
+
2168
+ Money is the root of all evil, and man needs roots
2169
+
2170
+ It is said that the lonely eagle flies to the mountain peaks while the
2171
+ lowly ant crawls the ground, but cannot the soul of the ant soar as
2172
+ high as the eagle?
2173
+
2174
+ "If you wants to get elected president, you'se got to think up some
2175
+ memoraboble homily so's school kids can be pestered into memorizin'
2176
+ it, even if they don't know what it means."
2177
+ —— Walt Kelly
2178
+
2179
+ Bride: A woman with a fine prospect of happiness behind her.
2180
+
2181
+ A penny saved is ridiculous.
2182
+
2183
+ The right half of the brain controls the left half of the body.
2184
+ This means that only left handed people are in their right mind.
2185
+
2186
+ "You must realize that the computer has it in for you. The irrefutable
2187
+ proof of this is that the computer always does what you tell it to do."
2188
+
2189
+ If a President doesn't do it to his wife, he'll do it to his country.
2190
+
2191
+ It is better to kiss an avocado than to get in a fight with an aardvark
2192
+
2193
+ Joe's sister puts spaghetti in her shoes!
2194
+
2195
+ Bank error in your favor. Collect $200.
2196
+
2197
+ Remember that whatever misfortune may be your lot, it could only be
2198
+ worse in Cleveland.
2199
+
2200
+ As the trials of life continue to take their toll, remember that there
2201
+ is always a future in Computer Maintenance.
2202
+
2203
+ Go placidly amid the noise and waste, and remember what value there may
2204
+ be in owning a piece thereof.
2205
+
2206
+ For a good time, call (415) 642-9483
2207
+
2208
+ AAAAAAAAAaaaaaaaaaaaaaaaccccccccckkkkkk!!!!!!!!!
2209
+ You brute! Knock before entering a ladies room!
2210
+
2211
+ A gleekzorp without a tornpee is like a quop without a fertsneet (sort of).
2212
+
2213
+ To be is to do.
2214
+ —— I. Kant
2215
+ To do is to be.
2216
+ —— A. Sartre
2217
+ Yabba-Dabba-Doo!
2218
+ —— F. Flintstone
2219
+
2220
+ God is Dead
2221
+ —— Nietzsche
2222
+ Nietzsche is Dead
2223
+ —— God
2224
+ Nietzsche is God
2225
+ —— Dead
2226
+
2227
+ Jesus Saves,
2228
+ Moses Invests,
2229
+ But only Buddha pays Dividends.
2230
+
2231
+ Acid absorbs 47 times its weight in excess Reality.
2232
+
2233
+ Reality is a cop-out for people who can't handle science fiction.
2234
+
2235
+ Census Taker to Housewife: Did you ever have the measles, and, if so,
2236
+ how many?
2237
+
2238
+ Anything free is worth what you pay for it.
2239
+
2240
+ Ask Not for whom the Bell Tolls, and You will Pay only the
2241
+ Station-to-Station rate.
2242
+
2243
+ Necessity is a mother.
2244
+
2245
+ Help! I'm trapped in a PDP 11/70!
2246
+
2247
+ !07/11 PDP a ni deppart m'I !pleH
2248
+
2249
+ You can't judge a book by the way it wears its hair.
2250
+
2251
+ May the Fleas of a Thousand Camels infest one of your Erogenous Zones.
2252
+
2253
+ May a Misguided Platypus lay its Eggs in your Jockey Shorts
2254
+
2255
+ May your Tongue stick to the Roof of your Mouth with the Force of a
2256
+ Thousand Caramels.
2257
+
2258
+ In the days of old,
2259
+ When Knights were bold,
2260
+ And women were too cautious;
2261
+ Oh, those gallant days,
2262
+ When women were women,
2263
+ And men were really obnoxious...
2264
+
2265
+ Sex is not the answer. Sex is the question. "Yes" is the answer.
2266
+
2267
+ If anything can go wrong, it will.
2268
+
2269
+ $100 invested at 7% interest for 100 years will become $100,000, at
2270
+ which time it will be worth absolutely nothing.
2271
+
2272
+ If God had intended Men to Smoke, He would have put Chimneys in their
2273
+ Heads.
2274
+
2275
+ If God had intended Man to Smoke, He would have set him on Fire.
2276
+
2277
+ If God had intended Man to Walk, He would have given him Feet.
2278
+
2279
+ If God had intended Man to Watch TV, He would have given him Rabbit
2280
+ Ears.
2281
+
2282
+ How doth the little crocodile
2283
+ Improve his shining tail,
2284
+ And pour the waters of the Nile
2285
+ On every golden scale!
2286
+
2287
+ How cheerfully he seems to grin,
2288
+ How neatly spreads his claws,
2289
+ And welcomes little fishes in,
2290
+ With gently smiling jaws!
2291
+
2292
+ You're at the end of the road again.
2293
+
2294
+ If anything can go wrong, it will.
2295
+
2296
+ The best equipment for your work is, of course, the most expensive.
2297
+
2298
+ However, your neighbor is always wasting money that should be yours by
2299
+ judging things by their price.
2300
+
2301
+ In Riemann, Hilbert or in Banach space
2302
+ Let superscripts and subscripts go their ways.
2303
+ Our symptotes no longer out of phase,
2304
+ We shall encounter, counting, face to face.
2305
+
2306
+ I'll grant the random access to my heart,
2307
+ Thoul't tell me all the constants of thy love;
2308
+ And so we two shall all love's lemmas prove
2309
+ And in our bound partition never part.
2310
+
2311
+ Cancel me not —— for what then shall remain?
2312
+ Abscissas, some mantissas, modules, modes,
2313
+ A root or two, a torus and a node:
2314
+ The inverse of my verse, a null domain.
2315
+
2316
+ A very intelligent turtle
2317
+ Found programming UNIX a hurdle
2318
+ The system, you see,
2319
+ Ran as slow as did he,
2320
+ And that's not saying much for the turtle.
2321
+
2322
+ This fortune intentionally not included.
2323
+
2324
+ flibber-ti-gibbet
2325
+ One who is inclined to look up words like flibbertigibbert -B.C.-
2326
+
2327
+ Seduced, shaggy Samson snored.
2328
+ She scissored short. Sorely shorn,
2329
+ Soon shackled slave, Samson sighed,
2330
+ Silently scheming,
2331
+ Sightlessly seeking
2332
+ Some savage, spectacular suicide.
2333
+
2334
+ —— Stanislaw Lem
2335
+
2336
+ In an organization, each person rises to the level of his own
2337
+ incompetency
2338
+ —— the Peter Principle
2339
+
2340
+ Pohl's law: Nothing is so good that somebody, somewhere, will not hate
2341
+ it.
2342
+
2343
+ A diplomat is someone who can tell you to go to hell in such a way that
2344
+ you will look forward to the trip.
2345
+
2346
+ A bird in the hand is worth what it will bring.
2347
+ —— Ambrose Bierce
2348
+
2349
+ I'd rather have a bottle in front of me than a frontal lobotomy.
2350
+
2351
+ When Marriage is Outlawed,
2352
+ Only Outlaws will have Inlaws.
2353
+
2354
+ HE: Let's end it all, bequeathin' our brains to science.
2355
+ SHE: What?!? Science got enough trouble with their OWN brains.
2356
+ —— Walt Kelley
2357
+
2358
+ Look out! Behind you!
2359
+
2360
+ Give me the Luxuries, and the Hell with the Necessities!
2361
+
2362
+ Desk: A wastebasket with drawers.
2363
+
2364
+ Anything worth doing is worth overdoing
2365
+
2366
+ Dentist: A Prestidigitator who, putting metal in one's mouth, pulls
2367
+ coins out of one's pockets.
2368
+ —— Ambrose Bierce
2369
+
2370
+ It will be advantageous to cross the great stream...the Dragon is on
2371
+ the wing in the Sky...the Great Man rouses himself to his Work.
2372
+
2373
+ If all be true that I do think,
2374
+ There be Five Reasons why one should Drink;
2375
+ Good friends, good wine, or being dry,
2376
+ Or lest we should be by-and-by,
2377
+ Or any other reason why.
2378
+
2379
+ If there is a possibility of several things going wrong, the one that
2380
+ will cause the most damage will be the one to go wrong.
2381
+
2382
+ If you perceive that there are four possible ways in which a procedure
2383
+ can go wrong, and circumvent these, then a fifth way will promptly
2384
+ develop.
2385
+
2386
+ Left to themselves, things tend to go from bad to worse.
2387
+
2388
+ Every solution breeds new problems.
2389
+
2390
+ It is impossible to make anything foolproof because fools are so
2391
+ ingenious.
2392
+
2393
+ O'Toole's commentary on Murphy's Law:
2394
+ "Murphy was an optimist."
2395
+
2396
+ Boling's postulate:
2397
+ If you're feeling good, don't worry. You'll get over it.
2398
+
2399
+ Anytime things appear to be going better, you have overlooked
2400
+ something.
2401
+
2402
+ If you explain so clearly that nobody can misunderstand, somebody
2403
+ will.
2404
+
2405
+ Scott's first Law:
2406
+ No matter what goes wrong, it will probably look right.
2407
+
2408
+ Finagle's first Law:
2409
+ If an experiment works, something has gone wrong.
2410
+
2411
+ Finagle's second Law:
2412
+ No matter what the anticipated result, there will always be
2413
+ someone eager to (a) misinterpret it, (b) fake it, or (c)
2414
+ believe it happened according to his own pet theory.
2415
+
2416
+ Finagle's fourth Law:
2417
+ Once a job is fouled up, anything done to improve it only
2418
+ makes it worse.
2419
+
2420
+ Do not believe in miracles —— rely on them.
2421
+
2422
+ Science is convinced there's no intelligent
2423
+ life in our solar system.
2424
+ S. F. Chronicle
2425
+
2426
+ Issawi's Laws of Progress:
2427
+
2428
+ The Course of Progress:
2429
+ Most things get steadily worse.
2430
+
2431
+ The Path of Progress:
2432
+ A shortcut is the longest distance between two points.
2433
+
2434
+ Simon's Law:
2435
+ Everything put together falls apart sooner or later.
2436
+
2437
+ Ehrman's Commentary:
2438
+ 1. Things will get worse before they get better.
2439
+ 2. Who said things would get better?
2440
+
2441
+ Dimensions will always be expressed in the least usable term.
2442
+ Velocity, for example, will be expressed in furlongs per fortnight.
2443
+
2444
+ Non-Reciprocal Laws of Expectations:
2445
+ Negative expectations yield negative results.
2446
+ Positive expectations yield negative results.
2447
+
2448
+ Howe's Law:
2449
+ Everyone has a scheme that will not work.
2450
+
2451
+ Sturgeon's Law:
2452
+ 90% of everything is crud.
2453
+
2454
+ Glib's Fourth Law of Unreliability:
2455
+ Investment in reliability will increase until it exceeds the
2456
+ probable cost of errors, or until someone insists on getting
2457
+ some useful work done.
2458
+
2459
+ Brook's Law:
2460
+ Adding manpower to a late software project makes it later
2461
+
2462
+ Bolub's Fourth Law of Computerdom:
2463
+ Project teams detest weekly progress reporting because it so
2464
+ vividly manifests their lack of progress.
2465
+
2466
+ Lubarsky's Law of Cybernetic Entomology:
2467
+ There's always one more bug.
2468
+
2469
+ Shaw's Principle:
2470
+ Build a system that even a fool can use, and only a fool will
2471
+ want to use it.
2472
+
2473
+ Law of the Perversity of Nature:
2474
+ You cannot successfully determine beforehand which side of the
2475
+ bread to butter.
2476
+
2477
+ Law of Selective Gravity:
2478
+ An object will fall so as to do the most damage.
2479
+
2480
+ Jenning's Corollary:
2481
+ The chance of the bread falling with the buttered side down is
2482
+ directly proportional to the cost of the carpet.
2483
+
2484
+ Paul's Law:
2485
+ You can't fall off the floor.
2486
+
2487
+ Johnson's First Law:
2488
+ When any mechanical contrivance fails, it will do so at the
2489
+ most inconvenient possible time.
2490
+
2491
+ Watson's Law:
2492
+ The reliability of machinery is inversely proportional to the
2493
+ number and significance of any persons watching it.
2494
+
2495
+ Sattinger's Law:
2496
+ It works better if you plug it in.
2497
+
2498
+ Lowery's Law:
2499
+ If it jams —— force it. If it breaks, it needed replacing
2500
+ anyway.
2501
+
2502
+ Fudd's First Law of Opposition:
2503
+ Push something hard enough and it will fall over.
2504
+
2505
+ Cahn's Axiom:
2506
+ When all else fails, read the instructions.
2507
+
2508
+ Jenkinson's Law:
2509
+ It won't work.
2510
+
2511
+ Murphy's Law of Research:
2512
+ Enough research will tend to support your theory.
2513
+
2514
+ Williams and Holland's Law:
2515
+ If enough data is collected, anything may be proven by
2516
+ statistical methods.
2517
+
2518
+ Harvard Law:
2519
+ Under the most rigorously controlled conditions of pressure,
2520
+ temperature, volume, humidity, and other variables, the
2521
+ organism will do as it damn well pleases.
2522
+
2523
+ Hoare's Law of Large Problems:
2524
+ Inside every large problem is a small problem struggling to get
2525
+ out.
2526
+
2527
+ Brooke's Law:
2528
+ Whenever a system becomes completely defined, some damn fool
2529
+ discovers something which either abolishes the system or
2530
+ expands it beyond recognition.
2531
+
2532
+ Meskimen's Law:
2533
+ There's never time to do it right, but there's always time to
2534
+ do it over.
2535
+
2536
+ Heller's Law:
2537
+ The first myth of management is that it exists.
2538
+
2539
+ Johnson's Corollary:
2540
+ Nobody really knows what is going on anywhere within the
2541
+ organization.
2542
+
2543
+ Peter's Law of Substitution:
2544
+ Look after the molehills, and the mountains will look after
2545
+ themselves.
2546
+
2547
+ Parkinson's Fourth Law:
2548
+ The number of people in any working group tends to increase
2549
+ regardless of the amount of work to be done.
2550
+
2551
+ Parkinson's Fifth Law:
2552
+ If there is a way to delay in important decision, the good
2553
+ bureaucracy, public or private, will find it.
2554
+
2555
+ Zymurgy's Law of Volunteer Labor:
2556
+ People are always available for work in the past tense.
2557
+
2558
+ Iron Law of Distribution:
2559
+ Them that has, gets.
2560
+
2561
+ H. L. Mencken's Law:
2562
+ Those who can —— do.
2563
+ Those who can't —— teach.
2564
+
2565
+ Martin's Extension:
2566
+ Those who cannot teach —— administrate.
2567
+
2568
+ Jones' Law:
2569
+ The man who smiles when things go wrong has thought of someone
2570
+ to blame it on.
2571
+
2572
+ Rule of Feline Frustration:
2573
+ When your cat has fallen asleep on your lap and looks utterly
2574
+ content and adorable, you will suddenly have to go to the
2575
+ bathroom.
2576
+
2577
+ A transistor protected by a fast-acting fuse will protect the fuse by
2578
+ blowing first.
2579
+
2580
+ After the last of 16 mounting screws has been removed from an access
2581
+ cover, it will be discovered that the wrong access cover has been
2582
+ removed.
2583
+
2584
+ After an instrument has been assembled, extra components will be found
2585
+ on the bench.
2586
+
2587
+ This universe never did make sense; I suspect that it was built on
2588
+ government contract.
2589
+
2590
+ In any formula, constants (especially those obtained from handbooks)
2591
+ are to be treated as variables.
2592
+
2593
+ Parts that positively cannot be assembled in improper order will be.
2594
+
2595
+ First Law of Bicycling:
2596
+ No matter which way you ride, it's uphill and against the
2597
+ wind.
2598
+
2599
+ Boob's Law:
2600
+ You always find something in the last place you look.
2601
+
2602
+ Osborn's Law:
2603
+ Variables won't; constants aren't.
2604
+
2605
+ Skinner's Constant (or Flannagan's Finagling Factor):
2606
+ That quantity which, when multiplied by, divided by, added to,
2607
+ or subtracted from the answer you get, gives you the answer you
2608
+ should have gotten.
2609
+
2610
+ Miksch's Law:
2611
+ If a string has one end, then it has another end.
2612
+
2613
+ Law of Communications:
2614
+ The inevitable result of improved and enlarged communications
2615
+ between different levels in a hierarchy is a vastly increased
2616
+ area of misunderstanding.
2617
+
2618
+ Harris's Lament:
2619
+ All the good ones are taken.
2620
+
2621
+ If you cannot convince them, confuse them.
2622
+ —— Harry S Truman
2623
+
2624
+ Putt's Law:
2625
+ Technology is dominated by two types of people:
2626
+ Those who understand what they do not manage.
2627
+ Those who manage what they do not understand.
2628
+
2629
+ First Law of Procrastination:
2630
+ Procrastination shortens the job and places the responsibility
2631
+ for its termination on someone else (i.e., the authority who
2632
+ imposed the deadline).
2633
+
2634
+ Fifth Law of Procrastination:
2635
+ Procrastination avoids boredom; one never has the feeling that
2636
+ there is nothing important to do.
2637
+
2638
+ Swipple's Rule of Order:
2639
+ He who shouts the loudest has the floor.
2640
+
2641
+ Wiker's Law:
2642
+ Government expands to absorb revenue and then some.
2643
+
2644
+ Gray's Law of Programming:
2645
+ 'n+1' trivial tasks are expected to be accomplished in the same
2646
+ time as 'n' trivial tasks.
2647
+
2648
+ Logg's Rebuttal to Gray's Law:
2649
+ 'n+1' trivial tasks take twice as long as 'n' trivial tasks.
2650
+
2651
+ Ninety-Ninety Rule of Project Schedules:
2652
+ The first ninety percent of the task takes ninety percent of
2653
+ the time, and the last ten percent takes the other ninety
2654
+ percent.
2655
+
2656
+ Weinberg's First Law:
2657
+ Progress is made on alternate Fridays.
2658
+
2659
+ Weinberg's Second Law:
2660
+ If builders built buildings the way programmers wrote programs,
2661
+ then the first woodpecker that came along would destroy
2662
+ civilization.
2663
+
2664
+ Paul's Law:
2665
+ In America, it's not how much an item costs, it's how much you
2666
+ save.
2667
+
2668
+ Malek's Law:
2669
+ Any simple idea will be worded in the most complicated way.
2670
+
2671
+ Weinberg's Principle:
2672
+ An expert is a person who avoids the small errors while
2673
+ sweeping on to the grand fallacy.
2674
+
2675
+ Barth's Distinction:
2676
+ There are two types of people: those who divide people into
2677
+ two types, and those who don't.
2678
+
2679
+ Weiler's Law:
2680
+ Nothing is impossible for the man who doesn't have to do it
2681
+ himself.
2682
+
2683
+ First Law of Socio-Genetics:
2684
+ Celibacy is not hereditary.
2685
+
2686
+ Beifeld's Principle:
2687
+ The probability of a young man meeting a desirable and
2688
+ receptive young female increases by pyramidal progression when
2689
+ he is already in the company of: (1) a date, (2) his wife, (3)
2690
+ a better looking and richer male friend.
2691
+
2692
+ Hartley's Second Law:
2693
+ Never sleep with anyone crazier than yourself.
2694
+
2695
+ Pardo's First Postulate:
2696
+ Anything good in life is either illegal, immoral, or fattening.
2697
+
2698
+ Arnold's Addendum:
2699
+ Anything not fitting into these categories causes cancer in
2700
+ rats.
2701
+
2702
+ Parker's Law:
2703
+ Beauty is only skin deep, but ugly goes clean to the bone.
2704
+
2705
+ Captain Penny's Law:
2706
+ You can fool all of the people some of the time, and some of
2707
+ the people all of the time, but you Can't Fool Mom.
2708
+
2709
+ Katz' Law:
2710
+ Man and nations will act rationally when all other
2711
+ possibilities have been exhausted.
2712
+
2713
+ Mr. Cole's Axiom:
2714
+ The sum of the intelligence on the planet is a constant; the
2715
+ population is growing.
2716
+
2717
+ Steele's Plagiarism of Somebody's Philosophy:
2718
+ Everybody should believe in something —— I believe I'll have
2719
+ another drink.
2720
+
2721
+ The Kennedy Constant:
2722
+ Don't get mad —— get even.
2723
+
2724
+ Canada Bill Jone's Motto:
2725
+ It's morally wrong to allow suckers to keep their money.
2726
+
2727
+ Supplement:
2728
+ A .44 magnum beats four aces.
2729
+
2730
+ Jone's Motto:
2731
+ Friends come and go, but enemies accumulate.
2732
+
2733
+ The Fifth Rule:
2734
+ You have taken yourself too seriously.
2735
+
2736
+ Cole's Law:
2737
+ Thinly sliced cabbage.
2738
+
2739
+ Hartley's First Law:
2740
+ You can lead a horse to water, but if you can get him to float
2741
+ on his back, you've got something.
2742
+
2743
+ Jacquin's Postulate on Democratic Government:
2744
+ No man's life, liberty, or property are safe while the
2745
+ legislature is in session.
2746
+
2747
+ Churchill's Commentary on Man:
2748
+ Man will occasionally stumble over the truth, but most of the
2749
+ time he will pick himself up and continue on.
2750
+
2751
+ Newton's Little-Known Seventh Law:
2752
+ A bird in the hand is safer than one overhead.
2753
+
2754
+ Mosher's Law of Software Engineering:
2755
+ Don't worry if it doesn't work right. If everything did, you'd
2756
+ be out of a job.
2757
+
2758
+ ROMEO: Courage, man; the hurt cannot be much.
2759
+ MERCUTIO: No, 'tis not so deep as a well, nor so wide as a church-
2760
+ door; but 'tis enough, 'twill serve.
2761
+
2762
+ "He is now rising from affluence to poverty."
2763
+ —— Mark Twain
2764
+
2765
+ A classic is something that everybody wants to have read and nobody
2766
+ wants to read.
2767
+ —— Mark Twain
2768
+
2769
+ If you pick up a starving dog and make him prosperous, he will not bite
2770
+ you. This is the principal difference between a dog and a man.
2771
+ —— Mark Twain
2772
+
2773
+ Cauliflower is nothing but Cabbage with a College Education.
2774
+ —— Mark Twain
2775
+
2776
+ But soft you, the fair Ophelia:
2777
+ Ope not thy ponderous and marble jaws,
2778
+ But get thee to a nunnery —— go!
2779
+ —— Mark "The Bard" Twain
2780
+
2781
+ "Why is it that we rejoice at a birth and grieve at a funeral? It is
2782
+ because we are not the person involved"
2783
+ —— Mark Twain
2784
+
2785
+ "...an experienced, industrious, ambitious, and often quite often
2786
+ picturesque liar."
2787
+ —— Mark Twain
2788
+
2789
+ I was gratified to be able to answer promptly, and I did. I said I
2790
+ didn't know.
2791
+ —— Mark Twain
2792
+
2793
+ "...all the modern inconveniences..."
2794
+ —— Mark Twain
2795
+
2796
+ We have met the enemy, and he is us.
2797
+ —— Walt Kelly
2798
+
2799
+ "Humor is a drug which it's the fashion to abuse."
2800
+ —— William Gilbert
2801
+
2802
+ Mencken and Nathan's Second Law of The Average American:
2803
+ All the postmasters in small towns read all the postcards.
2804
+
2805
+ Mencken and Nathan's Ninth Law of The Average American:
2806
+ The quality of a champagne is judged by the amount of noise the
2807
+ cork makes when it is popped.
2808
+
2809
+ Mencken and Nathan's Fifteenth Law of The Average American:
2810
+ The worst actress in the company is always the manager's wife.
2811
+
2812
+ Mencken and Nathan's Sixteenth Law of The Average American:
2813
+ Milking a cow is an operation demanding a special talent that
2814
+ is possessed only by yokels, and no person born in a large city
2815
+ can never hope to acquire it.
2816
+
2817
+ Hark, the Herald Tribune sings,
2818
+ Advertising wondrous things.
2819
+
2820
+ Angels we have heard on High
2821
+ Tell us to go out and Buy.
2822
+
2823
+ The Preacher, the Politicain, the Teacher,
2824
+ Were each of them once a kiddie.
2825
+ A child, indeed, is a wonderful creature.
2826
+ Do I want one? God Forbiddie!
2827
+
2828
+ —— Ogden Nash
2829
+
2830
+ Who made the world I cannot tell;
2831
+ 'Tis made, and here am I in hell.
2832
+ My hand, though now my knuckles bleed,
2833
+ I never soiled with such a deed.
2834
+
2835
+ —— A. E. Housman
2836
+
2837
+ Families, when a child is born
2838
+ Want it to be intelligent.
2839
+ I, through intelligence,
2840
+ Having wrecked my whole life,
2841
+ Only hope the baby will prove
2842
+ Ignorant and stupid.
2843
+ Then he will crown a tranquil life
2844
+ By becoming a Cabinet Minister
2845
+
2846
+ —— Su Tung-p'o
2847
+
2848
+ The human animal differs from the lesser primates in his passion for
2849
+ lists of "Ten Best".
2850
+ —— H. Allen Smith
2851
+
2852
+ Is not marriage an open question, when it is alleged, from the
2853
+ beginning of the world, that such as are in the institution wish to get
2854
+ out, and such as are out wish to get in?
2855
+ —— Ralph Emerson
2856
+
2857
+ The hearing ear is always found close to the speaking tongue,
2858
+ a custom whereof the memory of man runneth not howsomever to
2859
+ the contrary, nohow.
2860
+
2861
+ Emersons' Law of Contrariness:
2862
+ Our chief want in life is somebody who shall make us do what we
2863
+ can. Having found them, we shall then hate them for it.
2864
+
2865
+ Nothing astonishes men so much as common sense and plain dealing.
2866
+
2867
+ There is a great discovery still to be made in Literature: that of
2868
+ paying literary men by the quantity they do NOT write.
2869
+
2870
+ The great masses of the people . . . will more easily fall victims to a
2871
+ great lie than to a small one.
2872
+ -Adolph Hitler
2873
+
2874
+ Pay no attention to what the critics say; there has never been set up a
2875
+ statue in honor of a critic.
2876
+ -Jean Sibelius
2877
+
2878
+ Every crowd has a silver lining.
2879
+ -Phineas Taylor Barnum
2880
+
2881
+ A cynic is just a man who found out when he was about ten that there wasn't
2882
+ any Santa Claus, and he's still upset.
2883
+ -James Gould Cozzens
2884
+
2885
+ The devil was the first democrat.
2886
+ -Lord Byron
2887
+
2888
+ I don't call them Democrats and Republicans. There are only Liberals
2889
+ and Americans.
2890
+ -James Watt
2891
+
2892
+ Vegetarianism is harmless enough, although it is apt to fill a man with
2893
+ wind and self-righteousness.
2894
+ -Sir Robert Hutchison
2895
+
2896
+ I have discovered the art of deceiving diplomats. I speak the truth, and
2897
+ they never believe me.
2898
+ -Conte Camillo Benso di Cavour
2899
+
2900
+ Modern diplomats approach every problem with an open mouth.
2901
+ -Arthur J. Goldberg
2902
+
2903
+ Bad officials are elected by good citizens who do not vote.
2904
+ -George Jean Nathan
2905
+
2906
+ It is inexcusable for scientists to torture animals; let them make their
2907
+ experiments on journalists and politicians.
2908
+ -Henrik Ibsen
2909
+
2910
+ Anybody can win, unless there happens to be a second entry.
2911
+
2912
+ It is hard to believe that a man is telling the truth when you know that
2913
+ you would lie if you were in his place.
2914
+ -Henry Louis Mencken
2915
+
2916
+ It is twice as hard to crush a half-truth as a whole lie.
2917
+
2918
+ Men occasionally stumble over the truth, but most of them pick themselves
2919
+ up and hurry off as if nothing had happened.
2920
+ -Sir Winston Churchill
2921
+
2922
+ A great many people think they are thinking when they are merely rearranging
2923
+ their prejudices.
2924
+ -William James
2925
+
2926
+ Nothing you can't spell will ever work.
2927
+ -Will Rogers
2928
+
2929
+ A fool must now and then be right by chance.
2930
+
2931
+ Hi there! This is just a note from me, to you, to tell you, the person
2932
+ reading this note, that I can't think up any more famous quotes, jokes,
2933
+ nor bizarre stories, so you may as well go home.
2934
+
2935
+ Arnold's Laws of Documentation:
2936
+ 1) If it should exist, it doesn't.
2937
+ 2) If it does exist, it's out of date.
2938
+ 3) Only documentation for useless programs transcends the
2939
+ first two laws.
2940
+
2941
+ Harrisberger's Fourth Law of the Lab:
2942
+ Experience is directly proportional to the amount of
2943
+ equipment ruined.
2944
+
2945
+ Boren's Laws:
2946
+ 1) When in charge, ponder.
2947
+ 2) When in trouble, delegate.
2948
+ 3) When in doubt, mumble.
2949
+
2950
+ Chisolm's First Corollary to Murphy's Second Law:
2951
+ When things just can't possibly get any worse, they will.
2952
+
2953
+ Rudin's Law:
2954
+ If there is a wrong way to do something, most people will
2955
+ do it every time.
2956
+
2957
+ Bucy's Law:
2958
+ Nothing is ever accomplished by a reasonable man.
2959
+
2960
+ Hacker's Law:
2961
+ The belief that enhanced understanding will necessarily stir
2962
+ a nation to action is one of mankind's oldest illusions.
2963
+
2964
+ Probable-Possible, my black hen,
2965
+ She lays eggs in the Relative When.
2966
+ She doesn't lay eggs in the Positive Now
2967
+ Because she's unable to postulate how.
2968
+ —— Frederick Winsor
2969
+
2970
+ Vail's Second Axiom:
2971
+ The amount of work to be done increases in proportion to the
2972
+ amount of work already completed.
2973
+
2974
+ Never count your chickens before they rip your lips off
2975
+
2976
+ "Sometimes I simply feel that the whole world is a cigarette and I'm
2977
+ the only ashtray."
2978
+
2979
+ Santa Claus wears a Red Suit,
2980
+ He must be a communist.
2981
+ And a beard and long hair,
2982
+ Must be a pacifist.
2983
+
2984
+ What's in that pipe that he's smoking?
2985
+
2986
+ —— Arlo Guthrie
2987
+
2988
+ There is no satisfaction in hanging a man who does not object to it
2989
+ —— G. B. Shaw
2990
+
2991
+ Two can Live as Cheaply as One for Half as Long.
2992
+ —— Howard Kandel
2993
+
2994
+ Where there's a will, there's an Inheritance Tax.
2995
+
2996
+ It is generally agreed that "Hello" is an appropriate greeting because
2997
+ if you entered a room and said "Goodbye," it could confuse a lot of
2998
+ people.
2999
+ —— Dolph Sharp
3000
+
3001
+ Hand: A singular instrument worn at the end of a human arm and commonly
3002
+ thrust into somebody's pocket.
3003
+
3004
+ You should never wear your best trousers when you go out to fight for
3005
+ freedom and liberty.
3006
+ —— Henrick Ibson
3007
+
3008
+ Wit: The salt with which the American Humorist spoils his cookery...
3009
+ by leaving it out.
3010
+
3011
+ Yield to Temptation...it may not pass your way again.
3012
+ —— Lazarus Long
3013
+
3014
+ I like work...
3015
+ I can sit and watch it for ours.
3016
+
3017
+ Know thyself. If you need help, call the C.I.A.
3018
+
3019
+ "The Lord gave us farmers two strong hands so we could grab as much as
3020
+ we could with both of them."
3021
+ —— Major Major's father
3022
+
3023
+ Crime does not pay...as well as politics.
3024
+ —— A. E. Newman
3025
+
3026
+ Keep you Eye on the Ball,
3027
+ Your Shoulder to the Wheel,
3028
+ Your Nose to the Grindstone,
3029
+ Your Feet on the Ground,
3030
+ Your Head on your Shoulders.
3031
+ Now...try to get something DONE!
3032
+
3033
+ Magpie: A bird whose thievish disposition suggested to someone that it
3034
+ might be taught to talk.
3035
+
3036
+ Democracy is also a form of worship. It is the worship of Jackals by
3037
+ Jackasses.
3038
+ —— H. L. Mencken
3039
+
3040
+ Peace: In international affairs, a period of cheating between two
3041
+ periods of fighting.
3042
+
3043
+ NAPOLEON: What shall we do with this soldier, Guiseppe? Everything he
3044
+ says is wrong.
3045
+ GUISEPPE: Make him a general, Excellency, and then everything he says
3046
+ will be right.
3047
+ —— G. B. Shaw
3048
+
3049
+ People who have what they want are very fond of telling people who
3050
+ haven't what they want that they don't want it.
3051
+ —— Ogden Nash
3052
+
3053
+ Avoid Quiet and Placid persons unless you are in Need of Sleep.
3054
+
3055
+ A lot of people I know believe in positive thinking, and so do I. I
3056
+ believe everything positively stinks.
3057
+ —— Lew Col
3058
+
3059
+ Be assured that a walk through the ocean of most Souls would scarcely
3060
+ get your Feet wet. Fall not in Love, therefore: it will stick to your
3061
+ face.
3062
+
3063
+ Recieving a million dollars tax free will make you feel better than
3064
+ being flat broke and having a stomach ache.
3065
+ —— Dolph Sharp
3066
+
3067
+ The Schwine-Kitzenger Institute study of 47 men over the age of 100
3068
+ showed that all had these things in common:
3069
+ 1) They all had moderate appetites.
3070
+ 2) They all came from middle class homes
3071
+ 3) All but two of them were dead.
3072
+
3073
+ Children aren't happy without something to ignore,
3074
+ And that's what parents were created for.
3075
+ —— Ogden Nash
3076
+
3077
+ Certainly there are things in life that money can't buy, but it's very funny——
3078
+ Did you ever try buying then without money?
3079
+
3080
+ —— Ogden Nash
3081
+
3082
+ Confucius say too much.
3083
+ —— Recent Chinese Proverb
3084
+
3085
+ Reporter: A writer who guesses his way to the truth and dispels it with
3086
+ a tempest of words.
3087
+ —— Ambrose Bierce
3088
+
3089
+ Fats Loves Madelyn
3090
+
3091
+ Anyone who hates Dogs and Kids Can't be All Bad.
3092
+ —— W. C. Fields
3093
+
3094
+ "Hey! Who took the cork off my lunch??!"
3095
+ —— W. C. Fields
3096
+
3097
+ A dozen, a gross, and a score,
3098
+ Plus three times the square root of four,
3099
+ Divided by seven,
3100
+ Plus five time eleven,
3101
+ Equals nine squared plus zero, no more.
3102
+
3103
+ Who's on first?
3104
+
3105
+ Clothes make the man. Naked people have little or no influence on
3106
+ society.
3107
+ —— Mark Twain
3108
+
3109
+ We really don't have any enemies. It's just that some of our best
3110
+ friends are trying to kill us.
3111
+
3112
+ If there is no God, who pops up the next Kleenex?
3113
+ —— Art Hoppe
3114
+
3115
+ The Killer Ducks are coming!!!
3116
+
3117
+ "This is a country where people are free to practice their religion,
3118
+ regardless of race, creed, color, obesity, or number of dangling
3119
+ keys..."
3120
+
3121
+ COMMENT
3122
+ Oh, life is a glorious cycle of song,
3123
+ A medley of extemporanea;
3124
+ And love is thing that can never go wrong;
3125
+ And I am Marie of Roumania.
3126
+ —— Dorothy Parker
3127
+
3128
+ "He's just a politician trying to save both his faces..."
3129
+
3130
+ "Drawing on my fine command of language, I said nothing."
3131
+
3132
+ Blessed are they who Go Around in Circles, for they Shall be Known
3133
+ as Wheels.
3134
+
3135
+ Every absurdity has a champion who will defend it.
3136
+
3137
+ He who Laughs, Lasts.
3138
+
3139
+ Now and then, an innocent man is sent to the Legislature.
3140
+
3141
+ Somebody ought to cross ball point pens with coat hangers so that the
3142
+ pens will multiply instead of disappear.
3143
+
3144
+ "It took me fifteen years to discover that I had no talent for writing,
3145
+ but I couldn't give up because by that time I was too famous."
3146
+
3147
+ Today is a good day to bribe a high-ranking public official.
3148
+
3149
+ To iterate is human, to recurse, divine.
3150
+
3151
+ Too much of a good thing is WONDERFUL.
3152
+ —— Mae West
3153
+
3154
+ Famous last words:
3155
+
3156
+ You will be Told about it Tomorrow. Go Home and Prepare Thyself.
3157
+
3158
+ Absurdity: A statement or belief manifestly inconsistent with one's own
3159
+ opinion.
3160
+
3161
+ Abstainer: A weak person who yields to the temptation of denying
3162
+ himself a pleasure.
3163
+
3164
+ A total abstainer is one who abstains from everything but abstention,
3165
+ and especially from inactivity in the affairs of others.
3166
+ —— Ambrose Bierce
3167
+
3168
+ Acquaintance: A person whom we know well enough to borrow from, but not
3169
+ well enough to lend to.
3170
+ —— Ambrose Bierce
3171
+
3172
+ Admiration: Our polite recognition of another's resemblance to
3173
+ ourselves.
3174
+
3175
+ Adore: To venerate expectantly.
3176
+
3177
+ Alliance: In international politics, the union of two thieves who have
3178
+ their hands so deeply inserted in each other's pocket that they cannot
3179
+ separately plunder a third.
3180
+
3181
+ Alone: In bad company.
3182
+
3183
+ Ambidextrous: Able to pick with equal skill a right-hand pocket or a
3184
+ left.
3185
+
3186
+ God made the world in six days, and was arrested on the seventh.
3187
+
3188
+ Anoint: To grease a king or other great functionary already
3189
+ sufficiently slippery.
3190
+
3191
+ Bacchus: A convenient deity invented by the ancients as an excuse for
3192
+ getting drunk.
3193
+
3194
+ Barometer: An ingenious instrument which indicates what kind of weather
3195
+ we are having.
3196
+
3197
+ Birth: The first and direst of all disasters.
3198
+
3199
+ Bore: A person who talks when you wish him to listen.
3200
+
3201
+ Brain: The apparatus with which we think that we think.
3202
+
3203
+ In our civilization, and under our republican form of government,
3204
+ intelligence is so highly honored that it is rewarded by exemption
3205
+ >from the cares of office.
3206
+
3207
+ Cabbage: A familiar kitchen-garden vegetable about as large and wise as
3208
+ a man's head.
3209
+
3210
+ Cogito cogito ergo cogito sum ——
3211
+ "I think that I think, therefore I think that I am."
3212
+ —— Ambrose Bierce
3213
+
3214
+ Critic: A person who boasts himself hard to please because nobody tries
3215
+ to please him.
3216
+
3217
+ Dawn: The time when men of reason go to bed.
3218
+
3219
+ "The first thing we do, let's kill all the lawyers"
3220
+ William Shakespeare
3221
+
3222
+ "Computers make it easier to do a lot of things, but most of the things
3223
+ they make it easier to do don't need to be done."
3224
+ Andy Rooney
3225
+
3226
+ "I'd rather have a bottle in front of me than a frontal lobotomy."
3227
+ Scott Watson
3228
+