aitech-eks-pub/cw/09_sequence_labeling.ipynb

2.1 MiB
Raw Blame History

Klasyfikacja wieloklasowa i sequence labelling

import numpy as np
import gensim
import torch
import pandas as pd
import seaborn as sns
from sklearn.model_selection import train_test_split

from datasets import load_dataset
from torchtext.vocab import Vocab
from collections import Counter

from sklearn.datasets import fetch_20newsgroups
# https://scikit-learn.org/0.19/datasets/twenty_newsgroups.html

from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.metrics import accuracy_score
/media/kuba/ssdsam/anaconda3/lib/python3.8/site-packages/gensim/similarities/__init__.py:15: UserWarning: The gensim.similarities.levenshtein submodule is disabled, because the optional Levenshtein package <https://pypi.org/project/python-Levenshtein/> is unavailable. Install Levenhstein (e.g. `pip install python-Levenshtein`) to suppress this warning.
  warnings.warn(msg)

Klasyfikacja

Klasfikacja binarna- 2 klasy

CATEGORIES = ['soc.religion.christian', 'alt.atheism']
newsgroups = fetch_20newsgroups(categories=CATEGORIES)
X =  newsgroups['data']
Y = newsgroups['target']
Y_names = newsgroups['target_names']
X[0:1]
['From: nigel.allen@canrem.com (Nigel Allen)\nSubject: library of congress to host dead sea scroll symposium april 21-22\nLines: 96\n\n\n Library of Congress to Host Dead Sea Scroll Symposium April 21-22\n To: National and Assignment desks, Daybook Editor\n Contact: John Sullivan, 202-707-9216, or Lucy Suddreth, 202-707-9191\n          both of the Library of Congress\n\n   WASHINGTON, April 19  -- A symposium on the Dead Sea \nScrolls will be held at the Library of Congress on Wednesday,\nApril 21, and Thursday, April 22.  The two-day program, cosponsored\nby the library and Baltimore Hebrew University, with additional\nsupport from the Project Judaica Foundation, will be held in the\nlibrary\'s Mumford Room, sixth floor, Madison Building.\n   Seating is limited, and admission to any session of the symposium\nmust be requested in writing (see Note A).\n   The symposium will be held one week before the public opening of a\nmajor exhibition, "Scrolls from the Dead Sea: The Ancient Library of\nQumran and Modern Scholarship," that opens at the Library of Congress\non April 29.  On view will be fragmentary scrolls and archaeological\nartifacts excavated at Qumran, on loan from the Israel Antiquities\nAuthority.  Approximately 50 items from Library of Congress special\ncollections will augment these materials.  The exhibition, on view in\nthe Madison Gallery, through Aug. 1, is made possible by a generous\ngift from the Project Judaica Foundation of Washington, D.C.\n   The Dead Sea Scrolls have been the focus of public and scholarly\ninterest since 1947, when they were discovered in the desert 13 miles\neast of Jerusalem.  The symposium will explore the origin and meaning\nof the scrolls and current scholarship.  Scholars from diverse\nacademic backgrounds and religious affiliations, will offer their\ndisparate views, ensuring a lively discussion.\n   The symposium schedule includes opening remarks on April 21, at\n2 p.m., by Librarian of Congress James H. Billington, and by\nDr. Norma Furst, president, Baltimore Hebrew University.  Co-chairing\nthe symposium are Joseph Baumgarten, professor of Rabbinic Literature\nand Institutions, Baltimore Hebrew University and Michael Grunberger,\nhead, Hebraic Section, Library of Congress.\n   Geza Vermes, professor emeritus of Jewish studies, Oxford\nUniversity, will give the keynote address on the current state of\nscroll research, focusing on where we stand today. On the second\nday, the closing address will be given by Shmaryahu Talmon, who will\npropose a research agenda, picking up the theme of how the Qumran\nstudies might proceed.\n   On Wednesday, April 21, other speakers will include:\n\n   -- Eugene Ulrich, professor of Hebrew Scriptures, University of\nNotre Dame and chief editor, Biblical Scrolls from Qumran, on "The\nBible at Qumran;"\n   -- Michael Stone, National Endowment for the Humanities\ndistinguished visiting professor of religious studies, University of\nRichmond, on "The Dead Sea Scrolls and the Pseudepigrapha."\n   -- From 5 p.m. to 6:30 p.m. a special preview of the exhibition\nwill be given to symposium participants and guests.\n\n   On Thursday, April 22, beginning at 9 a.m., speakers will include:\n\n   -- Magen Broshi, curator, shrine of the Book, Israel Museum,\nJerusalem, on "Qumran: The Archaeological Evidence;"\n   -- P. Kyle McCarter, Albright professor of Biblical and ancient\nnear Eastern studies, The Johns Hopkins University, on "The Copper\nScroll;"\n   -- Lawrence H. Schiffman, professor of Hebrew and Judaic studies,\nNew York University, on "The Dead Sea Scrolls and the History of\nJudaism;" and\n   -- James VanderKam, professor of theology, University of Notre\nDame, on "Messianism in the Scrolls and in Early Christianity."\n\n   The Thursday afternoon sessions, at 1:30 p.m., include:\n\n   -- Devorah Dimant, associate professor of Bible and Ancient Jewish\nThought, University of Haifa, on "Qumran Manuscripts: Library of a\nJewish Community;"\n   -- Norman Golb, Rosenberger professor of Jewish history and\ncivilization, Oriental Institute, University of Chicago, on "The\nCurrent Status of the Jerusalem Origin of the Scrolls;"\n   -- Shmaryahu Talmon, J.L. Magnas professor emeritus of Biblical\nstudies, Hebrew University, Jerusalem, on "The Essential \'Commune of\nthe Renewed Covenant\': How Should Qumran Studies Proceed?" will close\nthe symposium.\n\n   There will be ample time for question and answer periods at the\nend of each session.\n\n   Also on Wednesday, April 21, at 11 a.m.:\n   The Library of Congress and The Israel Antiquities Authority\nwill hold a lecture by Esther Boyd-Alkalay, consulting conservator,\nIsrael Antiquities Authority, on "Preserving the Dead Sea Scrolls"\nin the Mumford Room, LM-649, James Madison Memorial Building, The\nLibrary of Congress, 101 Independence Ave., S.E., Washington, D.C.\n    ------\n   NOTE A: For more information about admission to the symposium,\nplease contact, in writing, Dr. Michael Grunberger, head, Hebraic\nSection, African and Middle Eastern Division, Library of Congress,\nWashington, D.C. 20540.\n -30-\n--\nCanada Remote Systems - Toronto, Ontario\n416-629-7000/629-7044\n']
Y
array([1, 0, 1, ..., 0, 1, 1])
Y_names
['alt.atheism', 'soc.religion.christian']
del CATEGORIES, newsgroups, X, Y, Y_names

klasyfikacja wieloklasowa

newsgroups_train_dev = fetch_20newsgroups(subset = 'train')
newsgroups_test = fetch_20newsgroups(subset = 'test')
newsgroups_train_dev_text = newsgroups_train_dev['data']
newsgroups_test_text = newsgroups_test['data']
Y_train_dev = newsgroups_train_dev['target']
Y_test = newsgroups_test['target']
newsgroups_train_text, newsgroups_dev_text, Y_train, Y_dev = train_test_split(newsgroups_train_dev_text, Y_train_dev, random_state=42)
Y_names = newsgroups_train_dev['target_names']
Y_train_dev
array([7, 4, 4, ..., 3, 1, 8])
Y_names
['alt.atheism',
 'comp.graphics',
 'comp.os.ms-windows.misc',
 'comp.sys.ibm.pc.hardware',
 'comp.sys.mac.hardware',
 'comp.windows.x',
 'misc.forsale',
 'rec.autos',
 'rec.motorcycles',
 'rec.sport.baseball',
 'rec.sport.hockey',
 'sci.crypt',
 'sci.electronics',
 'sci.med',
 'sci.space',
 'soc.religion.christian',
 'talk.politics.guns',
 'talk.politics.mideast',
 'talk.politics.misc',
 'talk.religion.misc']

Jaki baseline?

pd.value_counts(Y_train)
10    464
5     457
9     456
15    449
13    449
2     449
6     448
12    447
1     446
3     445
8     443
14    441
11    439
7     430
17    429
4     421
16    396
0     363
18    328
19    285
dtype: int64
accuracy_score(Y_test, np.ones_like(Y_test) * 10)
0.05297397769516728

Pytanie - w jaki sposób stworzyć taki klasyfikator na podstawie tylko wiedzy z poprzednich ćwiczeń?

from sklearn.multiclass import OneVsRestClassifier
from sklearn.linear_model import LogisticRegression
from sklearn.feature_extraction.text import TfidfVectorizer

Podejście softmax na tfidif

Zadanie Na podstawie poprzednich zajęć stworzyć sieć w pytorch bez warstw ukrytych, z jedną warstwą _output z funkcją softmax (bez trenowania i ewaluacji sieci)

Użyć https://pytorch.org/docs/stable/generated/torch.nn.Softmax.html?highlight=softmax

X_train
<8485x10000 sparse matrix of type '<class 'numpy.float64'>'
	with 1115170 stored elements in Compressed Sparse Row format>
class NeuralNetworkModel(torch.nn.Module):

    pass
OUTPUT_SIZE = len(Y_names)
nn_model = NeuralNetworkModel(FEAUTERES, OUTPUT_SIZE)
nn_model(torch.Tensor(X_train[0:3].astype(np.float32).todense()))
tensor([[0.3346, 0.3337, 0.3341, 0.3301, 0.3312, 0.3340, 0.3347, 0.3345, 0.3318,
         0.3337, 0.3344, 0.3328, 0.3314, 0.3322, 0.3335, 0.3331, 0.3328, 0.3302,
         0.3336, 0.3331],
        [0.3325, 0.3342, 0.3339, 0.3370, 0.3361, 0.3309, 0.3321, 0.3332, 0.3349,
         0.3324, 0.3330, 0.3345, 0.3353, 0.3368, 0.3326, 0.3331, 0.3329, 0.3335,
         0.3352, 0.3333],
        [0.3329, 0.3321, 0.3319, 0.3329, 0.3327, 0.3350, 0.3332, 0.3323, 0.3333,
         0.3339, 0.3326, 0.3327, 0.3333, 0.3310, 0.3339, 0.3338, 0.3342, 0.3363,
         0.3312, 0.3336]], grad_fn=<SoftmaxBackward>)
BATCH_SIZE = 5
criterion = torch.nn.NLLLoss()
optimizer = torch.optim.SGD(nn_model.parameters(), lr = 0.2)
#optimizer = torch.optim.Adam(nn_model.parameters())
def get_loss_acc(model, X_dataset, Y_dataset):
    loss_score = 0
    acc_score = 0
    items_total = 0
    model.eval()
    for i in range(0, Y_dataset.shape[0], BATCH_SIZE):
        X = X_dataset[i:i+BATCH_SIZE]
        X = torch.tensor(X.astype(np.float32).todense())
        Y = Y_dataset[i:i+BATCH_SIZE]
        Y = torch.tensor(Y)
        Y_predictions = model(X)
        acc_score += torch.sum(torch.argmax(Y_predictions,dim=1) == Y).item()
        items_total += Y.shape[0] 

        loss = criterion(Y_predictions, Y)

        loss_score += loss.item() * Y.shape[0] 
    return (loss_score / items_total), (acc_score / items_total)
for epoch in range(5):
    loss_score = 0
    acc_score = 0
    items_total = 0
    nn_model.train()
    for i in range(0, Y_train.shape[0], BATCH_SIZE):
        X = X_train[i:i+BATCH_SIZE]
        X = torch.tensor(X.astype(np.float32).todense())
        Y = Y_train[i:i+BATCH_SIZE]

        Y = torch.tensor(Y)
        Y_predictions = nn_model(X)
        acc_score += torch.sum(torch.argmax(Y_predictions,dim=1) == Y).item()
        items_total += Y.shape[0] 

        optimizer.zero_grad()
        loss = criterion(Y_predictions, Y)
        loss.backward()
        optimizer.step()


        loss_score += loss.item() * Y.shape[0]

    
    display(epoch)
    display(get_loss_acc(nn_model, X_train, Y_train))
    display(get_loss_acc(nn_model, X_dev, Y_dev))
0
(-0.2123467895692422, 0.7024160282852092)
(-0.2114526037404629, 0.6313184870979145)
1
(-0.2260659699079635, 0.71101944608132)
(-0.22411313908455777, 0.6415694591728526)
2
(-0.2411795081323782, 0.7104301708898055)
(-0.23805134338660897, 0.6451042771297278)
3
(-0.2576608823620016, 0.7103123158515027)
(-0.2532473176549205, 0.6468716861081655)
4
(-0.27536448837204686, 0.7121979964643489)
(-0.2695745413549463, 0.6504065040650406)
X.shape
torch.Size([5, 10000])
newsgroups_train_text
["From: DSHAL@vmd.cso.uiuc.edu\nSubject: Re: Clintons views on Jerusalem\nOrganization: C.C.S.O.\nLines: 10\n\nIt seems that President Clinton can recognize Jerusalem as Israels capitol\nwhile still keeping his diplomatic rear door open by stating that the Parties\nconcerned should decide the city's final status. Even as I endorse Clintons vie\nw (of course), it is definitely a matter to be decided upon by Israel (and\nother participating neighboring contries).\nI see no real conflict in stating both views, nor expect any better from\npoliticians.\n-----\nDavid Shalhevet / dshal@vmd.cso.uiuc.edu / University of Illinois\nDept Anim Sci / 220 PABL / 1201 W. Gregory Dr. / Urbana, IL 61801\n",
 'From: david@stat.com (David Dodell)\nSubject: HICN610 Medical News Part 4/4\nReply-To: david@stat.com (David Dodell)\nDistribution: world\nOrganization: Stat Gateway Service, WB7TPY\nLines: 577\n\n------------- cut here -----------------\nlimits of AZT\'s efficacy and now suggest using the drug  either sequentially \nwith other drugs or in a kind of AIDS  treatment "cocktail" combining a number \nof drugs to fight the  virus all at once.  "Treating people with AZT alone \ndoesn\'t  happen in the real world anymore," said Dr. Mark Jacobson of the  \nUniversity of California--San Francisco.  Also, with recent  findings \nindicating that HIV replicates rapidly in the lymph  nodes after infection, \nphysicians may begin pushing even harder  for early treatment of HIV-infected \npatients.\n==================================================================    \n\n"New Infectious Disease Push" American Medical News (04/05/93) Vol. 36, No. \n13, P. 2 \n\n     The Center for Disease Control will launch a worldwide network to track \nthe spread of infectious diseases and detect drug-resistant or new strains in \ntime to help prevent their spread.  The network is expected to cost between \n$75 million and $125 million but is  an essential part of the Clinton \nadministration\'s health reform  plan, according to the CDC and outside \nexperts.  The plan will  require the CDC to enhance surveillance of disease in \nthe United  States and establish about 15 facilities across the world to  \ntrack disease. \n\n     =====================================================================  \n                                April 13, 1993 \n     =====================================================================  \n\n"NIH Plans to Begin AIDS Drug Trials at Earlier Stage" Nature (04/01/93) Vol. \n362, No. 6419, P. 382  (Macilwain, Colin) \n\n\nHICNet Medical Newsletter                                              Page 42\nVolume  6, Number 10                                           April 20, 1993\n\n     The National Institutes of Health has announced it will start  treating \nHIV-positive patients as soon as possible after  seroconversion, resulting \nfrom recent findings that show HIV is  active in the body in large numbers \nmuch earlier than was  previously believed.  Anthony Fauci, director of the \nU.S.  National Institute of Allergy and Infectious Diseases (NIAID),  said, \n"We must address the question of how to treat people as  early as we possibly \ncan with drugs that are safe enough to give  people for years and that will \nget around microbial resistance."  He said any delay would signify questions \nover safety and  resistance rather than a lack of funds.  Fauci, who co-\nauthored  one of the two papers published last week in Nature, rejects the  \nargument by one of his co-authors, Cecil Fox, that the new  discovery \nindicates that "$1 billion spent on vaccine trials" has been "a waste of time \nand money" because the trials were started  too long after the patients were \ninfected and were ended too  quickly.  John Tew of the Medical College of \nVirginia in Richmond claims that the new evidence strongly backs the argument \nfor  early treatment of HIV-infected patients.  AIDS activists  welcomed the \nnew information but said the scientific community  has been slow to understand \nthe significance of infection of the  lymph tissue.  "We\'ve known about this \nfor five years, but we\'re  glad it is now in the public domain," said Jesse \nDobson of the  California-based Project Inform.  But Peter Duesberg, who  \nbelieves that AIDS is independent of HIV and is a result of drug  abuse in the \nWest, said, "We are several paradoxes away from an  explanation of AIDS--even \nif these papers are right." \n\n    ======================================================================   \n                                April 14, 1993 \n    ======================================================================   \n\n"Risk of AIDS Virus From Doctors Found to Be Minimal" Washington Post \n(04/14/93), P. A9 \n\n     The risk of HIV being transmitted from infected health-care  \nprofessionals to patients is minimal, according to new research  published in \ntoday\'s Journal of the American Medical Association  (JAMA).  This finding \nsupports previous conclusions by health  experts that the chance of \ncontracting HIV from a health care  worker is remote.  Three studies in the \nJAMA demonstrate that  thousands of patients were treated by two HIV-positive \nsurgeons  and dentists without becoming infected with the virus.  The  studies \nwere conducted by separate research teams in New  Hampshire, Maryland, and \nFlorida.  Each study started with an  HIV-positive doctor or dentist and \ntested all patients willing to participate.  The New Hampshire study found \nthat none of the  1,174 patients who had undergone invasive procedures by an  \nHIV-positive orthopedic surgeon contracted HIV.  In Maryland, 413 of 1,131 \npatients operated on by a breast surgery specialist at  Johns Hopkins Hospital \nwere found to be HIV-negative.  Similarly  in Florida, 900 of 1,192 dental \n\nHICNet Medical Newsletter                                              Page 43\nVolume  6, Number 10                                           April 20, 1993\n\npatients, who all had been  treated by an HIV-positive general dentist, were \ntested and found to be negative for HIV.  The Florida researchers, led by \nGordon  M. Dickinson of the University of Miami School of Medicine, said, \n"This study indicates that the risk for transmission of HIV from  a general \ndentist to his patients is minimal in a setting in  which universal \nprecautions are strictly observed."   Related Story: Philadelphia Inquirer \n(04/14) P. A6 \n======================================================================   \n"Alternative Medicine Advocates Divided Over New NIH Research  Program" AIDS \nTreatment News (04/02/93) No. 172, P. 6  (Gilden, Dave) \n\n     The new Office of Alternative Medicine at the National Institutes of \nHealth has raised questions about the NIH\'s commitment to an  effort that uses \nunorthodox or holistic therapeutic methods.  The OAM is a small division of \nthe NIH, with its budget only at $2  million dollars compared to more than $10 \nbillion for the NIH as  a whole.  In addition, the money for available \nresearch grants is even smaller.  About $500,000 to $600,000 total will be \navailable this year for 10 or 20 grants.  Kaiya Montaocean, of the Center  for \nNatural and Traditional Medicine in Washington, D.C., says  the OAM is afraid \nto become involved in AIDS.  "They have to look successful and there is no \neasy answer in AIDS," she said.    There is also a common perception that the \nOAM will focus on  fields the NIH establishment will find non-threatening, \nsuch as  relaxation techniques and acupuncture.  When the OAM called for  an \nadvisory committee conference of about 120 people last year,  the AIDS \ncommunity was largely missing from the meeting.  In  addition, activists\' \ngeneral lack of contact with the Office has  added suspicion that the epidemic \nwill be ignored.  Jon  Greenberg, of ACT-UP/New York, said, "The OAM advisory \npanel is  composed of practitioners without real research experience.  It  \nwill take them several years to accept the nature of research."   \nNevertheless,  Dr. Leanna Standish, research director and AIDS  investigator \nat the Bastyr College of Naturopathic Medicine in  Seattle, said, "Here is a \nwonderful opportunity to fund AIDS  research.  It\'s only fair to give the \nOffice time to gel, but  it\'s up to the public to insist that it\'s much, much \nmore [than  public relations]." \n======================================================================   \n"Herpesvirus Decimates Immune-cell Soldiers" Science News (04/03/93) Vol. 143, \nNo. 14, P. 215   (Fackelmann, Kathy A.) \n\n     Scientists conducting test tube experiments have found that  herpesvirus-\n6 can attack the human immune system\'s natural killer cells.  This attack \ncauses the killer cells to malfunction,  diminishing an important component in \nthe immune system\'s fight  against diseases.  Also, the herpesvirus-6 may be a \nfactor in  immune diseases, such as AIDS.  In 1989, Paolo Lusso\'s research  \nfound that herpesvirus-6 attacks another white cell, the CD4  T-lymphocyte, \nwhich is the primary target of HIV.  Lusso also  found that herpesvirus-6 can \n\nHICNet Medical Newsletter                                              Page 44\nVolume  6, Number 10                                           April 20, 1993\n\nkill natural killer cells.   Scientists previously knew that the natural \nkiller cells of  patients infected with HIV do not work correctly.  Lusso\'s  \nresearch represents the first time scientists have indicated that natural \nkiller cells are vulnerable to any kind of viral attack,  according to Anthony \nL. Komaroff, a researcher with Harvard  Medical School.  Despite the test-tube \nfindings, scientists are  uncertain whether the same result occurs in the \nbody.  Lusso\'s  team also found that herpesvirus-6 produces the CD4 receptor  \nmolecule that provides access for HIV.  CD4 T-lymphocytes express this surface \nreceptor, making them vulnerable to HIV\'s attack.   Researchers concluded that \nherpesvirus-6 cells can exacerbate the affects of HIV. \n\n    ======================================================================   \n                                April 15, 1993 \n     ====================================================================   \n\n"AIDS and Priorities in the Global Village: To the Editor" Journal of the \nAmerican Medical Association (04/07/93) Vol. 269,  No. 13, P. 1636  (Gellert, \nGeorge and Nordenberg, Dale F.) \n\n     All health-care workers are obligated and responsible for not  only \nensuring that politicians understand the dimensions of  certain health \nproblems, but also to be committed to related  policies, write George Gellert \nand Dale F. Nordenberg of the  Orange County Health Care Agency, Santa Ana, \nCalif., and the  Emory University School of Public Health in Atlanta, Ga.,  \nrespectively.  Dr. Berkley\'s editorial on why American doctors  should care \nabout the AIDS epidemic beyond the United States  details several reasons for \nthe concerted interest that all  countries share in combating AIDS.  It should \nbe noted that while AIDS leads in hastening global health interdependence, it \nis not  the only illness doing so.  Diseases such as malaria and many  \nrespiratory and intestinal pathogens have similarly inhibited the economic \ndevelopment of most of humanity and acted to marginalize large populations.  \nBerkley mentions the enormous social and  economic impact that AIDS will have \non many developing countries, and the increased need for international \nassistance that will  result.  Berkley also cites the lack of political \naggressiveness  toward the AIDS epidemic in its first decade.  But now there \nis a new administration with a promise of substantial differences in  approach \nto international health and development in general, and  HIV/AIDS in \nparticular.  Vice President Al Gore proposes in his  book "Earth in the \nBalance" a major environmental initiative that includes sustainable \ninternational development, with programs to  promote literacy, improve child \nsurvival, and disseminate  contraceptive technology and access throughout the \ndeveloping  world.  If enacted, this change in policy could drastically  \nchange the future of worldwide health. \n====================================================================   \n"AIDS and Priorities in the Global Village: In Reply" Journal of the American \n\nHICNet Medical Newsletter                                              Page 45\nVolume  6, Number 10                                           April 20, 1993\n\nMedical Association (04/07/93) Vol. 269,  No. 13, P. 1636  (Berkley, Seth) \n\n     Every nation should tackle HIV as early and aggressively as    possible \nbefore the disease reaches an endemic state, even at a  cost of diverting less \nattention to some other illnesses, writes  Seth Berkley of the Rockefeller \nFoundation in New York, N.Y., in  reply to a letter by Drs. Gellert and \nNordenberg.  Although it is true that diseases other than AIDS, such as \nmalaria and  respiratory and intestinal illnesses, have similarly inhibited  \neconomic development in developing countries and deserve much  more attention \nthan they are getting, Berkley disagrees with the  contention that AIDS is \nreceiving too much attention.  HIV  differs from other diseases, in most \ndeveloping countries because it is continuing to spread.  For most endemic \ndiseases, the  outcome of neglecting interventions for one year is another \nyear  of about the same level of needless disease and death.  But with  AIDS \nand its increasing spread, the cost of neglect, not only in  disease burden \nbut financially, is much greater.  Interventions  in the early part of a \nrampantly spreading epidemic like HIV are  highly cost-effective because each \nindividual infection prevented significantly interrupts transmission.  Berkley \nsays he agrees  with Gellert and Nordenberg about the gigantic social and  \neconomic effects of AIDS and about the need for political  leadership.  But he \nconcludes that not only is assertive  political leadership needed in the \nUnited States for the AIDS  epidemic, but even more so in developing countries \nwith high  rates of HIV infection and where complacency about the epidemic  \nhas been the rule.\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nHICNet Medical Newsletter                                              Page 46\nVolume  6, Number 10                                           April 20, 1993\n\n\n\n::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::\n                               AIDS/HIV Articles\n::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::\n\n            First HIV Vaccine Trial Begins in HIV-Infected Children\n                                H H S   N E W S\n     ********************************************************************\n                 U.S. DEPARTMENT OF HEALTH AND HUMAN SERVICES\n                                March 29, 1993\n\n\n        First HIV Vaccine Therapy Trial Begins In HIV-Infected Children\n\n\nThe National Institutes of Health has opened the first trial of experimental \nHIV vaccines in children who are infected with the human immunodeficiency \nvirus (HIV), the virus that causes AIDS. \n\nThe trial will compare the safety of three HIV experimental vaccines in 90 \nchildren recruited from at least 12 sites nationwide. Volunteers must be HIV-\ninfected but have no symptoms of HIV disease. \n\nHHS Secretary Donna E. Shalala said this initial study can be seen as "a \nhopeful milestone in our efforts to ameliorate the tragedy of HIV-infected \nchildren who now face the certainty they will develop AIDS." \n\nAnthony S. Fauci, M.D., director of the National Institute of Allergy and \nInfectious Diseases and of the NIH Office of AIDS Research, said the trial "is \nthe first step in finding out whether vaccines can help prevent or delay \ndisease progression in children with HIV who are not yet sick."  If these \nvaccines prove to be safe, more sophisticated questions about their \ntherapeutic potential will be assessed in Phase II trials. \n\nThe Centers for Disease Control and Prevention estimates 10,000 children in \nthe United States have HIV.  By the end of the decade, the World Health \nOrganization projects 10 million children will be infected worldwide. \n\nThe study will enroll children ages 1 month to 12 years old.  NIAID, which \nfunds the AIDS Clinical Trials Group network, anticipates conducting the trial \nat nine ACTG sites around  the country and three sites participating in the \nACTG but funded by the National Institute of Child Health and Human \nDevelopment. \n\nPreliminary evidence from similar studies under way in infected adults shows \nthat certain vaccines can boost existing HIV-specific immune responses and \n\nHICNet Medical Newsletter                                              Page 47\nVolume  6, Number 10                                           April 20, 1993\n\nstimulate new ones.  It will be several years, however, before researchers \nknow how these responses affect the clinical course of the disease. \n\nThe results from the pediatric trial, known as ACTG 218, will be examined \nclosely for other reasons as well.  "This trial will provide the first insight \ninto how the immature immune system responds to candidate HIV vaccines," said \nDaniel Hoth, M.D., director of NIAID\'s division of AIDS.  "We need this \ninformation to design trials to test whether experimental vaccines can prevent \nHIV infection in children." \n\nIn the United States, most HIV-infected children live in poor inner-city \nareas, and more than 80 percent are minorities, mainly black or Hispanic. \n\nNearly all HIV-infected children acquire the virus from their mothers during \npregnancy  or at birth.  An infected mother in the United States has more than \na one in four chance of transmitting the virus to her baby.  As growing \nnumbers of women of childbearing age become exposed to HIV through injection \ndrug use or infected sexual partners, researchers expect a corresponding \nincrease in the numbers of infected children. \n\nHIV disease progresses more rapidly in infants and children than in adults.  \nThe most recent information suggests that 50 percent of infants born with HIV \ndevelop a serious AIDS-related infection by 3 to 6 years of age.  These \ninfections include severe or frequent bouts of common bacterial illnesses of \nchildhood that can result in seizures, pneumonia, diarrhea and other symptoms \nleading to nutritional problems and long hospital stays. \n\nAt least half of the children in the trial will be 2 years of age or younger \nto enable comparison of the immune responses of the younger and older \nparticipants.  All volunteers must have well-documented HIV infection but no \nsymptoms of HIV disease other than swollen lymph glands or a mildly swollen \nliver or spleen.  They cannot have received any anti-retroviral or immune-\nregulating drugs within one month prior to their entry into the study. \n\nStudy chair John S. Lambert, M.D., of the University of Rochester Medical \nSchool, and co- chair Samuel Katz, M.D., of Duke University School of \nMedicine, will coordinate the trial assisted by James McNamara, M.D., medical \nofficer in the pediatric medicine branch of NIAID\'s division of AIDS. \n\n"We will compare the safety of the vaccines by closely monitoring the children \nfor any side effects, to see if one vaccine produces more swollen arms or \nfevers, for example, than another," said Dr. McNamara.  "We\'ll also look at \nwhether low or high doses of the vaccines stimulate immune responses or other \nsignificant laboratory or clinical effects."   He emphasized that the small \nstudy size precludes comparing these responses or effects among the three \n\nHICNet Medical Newsletter                                              Page 48\nVolume  6, Number 10                                           April 20, 1993\n\nproducts. \n\nThe trial will test two doses each of three experimental vaccines made from \nrecombinant HIV proteins.  These so-called subunit vaccines, each genetically \nengineered to contain only a piece of the virus, have so far proved well-\ntolerated in ongoing trials in HIV-infected adults. \n\nOne vaccine made by MicroGeneSys Inc. of Meriden, Conn., contains gp160--a \nprotein  that gives rise to HIV\'s surface proteins--plus alum adjuvant.  \nAdjuvants boost specific immune responses to a vaccine.  Presently, alum is \nthe only adjuvant used in human vaccines licensed by the Food and Drug \nAdministration. \n\nBoth of the other vaccines--one made by Genentech Inc. of South San Francisco \nand the other by Biocine, a joint venture of Chiron and CIBA-Geigy, in \nEmeryville, Calif.--contain the major HIV surface protein, gp120, plus \nadjuvant.  The Genentech vaccine contains alum, while the Biocine vaccine \ncontains MF59, an experimental adjuvant that has proved safe and effective in \nother Phase I vaccine trials in adults. \n\nA low dose of each product will be tested first against a placebo in 15 \nchildren.  Twelve children will be assigned at random to be immunized with the \nexperimental vaccine, and three children will be given adjuvant alone, \nconsidered the placebo.  Neither the health care workers nor the children will \nbe told what they receive. \n\nIf the low dose is well-tolerated, controlled testing of a higher dose of the \nexperimental vaccine and adjuvant placebo in another group of 15 children will \nbegin. \n\nEach child will receive six immunizations--one every four weeks for six \nmonths--and be followed-up for 24 weeks after the last immunization.  \n\nFor more information about the trial sites or eligibility for enrollment, call \nthe AIDS Clinical Trials Information Service, 1-800-TRIALS-A, from 9 a.m. to 7 \np.m., EST weekdays.  The service has Spanish-speaking information specialists \navailable.  Information on NIAID\'s pediatric HIV/AIDS research is available \nfrom the Office of Communications at (301) 496- 5717.  \n\nNIH, CDC and FDA are agencies of the U.S. Public Health Service in HHS. For \npress inquiries only, please call Laurie K. Doepel at (301) 402-1663.\n\n\n\n\nHICNet Medical Newsletter                                              Page 49\nVolume  6, Number 10                                           April 20, 1993\n\n           NEW EVIDENCE THAT THE HIV CAN CAUSE DISEASE INDEPENDENTLY\n              News from the National Institute of Dental Research\n\nThere is new evidence that the human immunodeficiency virus can cause disease \nindependently of its ability to suppress the immune system, say scientists at \nthe National Institues of Health. \n\nThey report that HIV itself, not an opportunistic infection, caused scaling \nskin conditions to develop in mice carrying the genes for HIV.  Although the \nHIV genes were active in the mice, they did not compromise the animals\' \nimmunity, the researchers found.  This led them to conclude that the HIV \nitself caused the skin disease. \n\nOur findings support a growing body of evidence that HIV can cause disease \nwithout affecting the immune system, said lead author Dr. Jeffrey Kopp of the \nNational Institute of Dental Research (NIDR).  Dr. Kopp and his colleagues \ndescribed their study in the March issue of AIDS Research and Human \nRetroviruses. \n\nDeveloping animal models of HIV infection has been difficult, since most \nanimals, including mice, cannot be infected by the virus.  To bypass this \nproblem, scientists have developed HIV-transgenic mice, which carry genes for \nHIV as well as their own genetic material. \n\nNIDR scientists created the transgenic mice by injecting HIV genes into mouse \neggs and then implanting the eggs into female mice.  The resulting litters \ncontained both normal and transgenic animals. \n\nInstitute scientists had created mice that carried a complete copy of HIV \ngenetic material in l988.  Those mice, however, became sick and died too soon \nafter birth to study in depth.  In the present study, the scientists used an \nincomplete copy of HIV, which allowed the animals to live longer. \n\nSome of the transgenic animals developed scaling, wart-like tumors on their \nnecks and backs.  Other transgenic mice developed thickened, crusting skin \nlesions that covered most of their bodies, resembling psoriasis in humans.  No \nskin lesions developed in their normal, non-transgenic littermates. \n\nStudies of tissue taken from the wart-like skin tumors showed that they were a \ntype of noncancerous tumor called papilloma. Although the papillomavirus can \ncause these skin lesions, laboratory tests showed no sign of that virus in the \nanimals. \n\nTissue samples taken from the sick mice throughout the study revealed the \npresence of a protein-producing molecule made by the HIV genetic material.  \n\nHICNet Medical Newsletter                                              Page 50\nVolume  6, Number 10                                           April 20, 1993\n\nEvidence of HIV protein production proved that the viral genes were "turned \non," or active, said Dr. Kopp. \n\nThe scientists found no evidence, however, of compromised immunity in the \nmice:  no increase in their white blood cell count and no signs of common \ninfections.  The fact that HIV genes were active but the animals\' immune \nsystems were not suppressed confirms that the virus itself was causing the \nskin lesions, Dr. Kopp said. \n\nFurther proof of HIV gene involvement came from a test in which the scientists \nexposed the transgenic animals to ultraviolet light.  The light increased HIV \ngenetic activity causing papillomas to develop on formerly healthy skin.  \nPapilloma formation in response to increased HIV genetic activity proved the \ngenes were responsible for the skin condition, the scientists said.  No \nlesions appeared on normal mice exposed to the UV light. \n\nThe transgenic mice used in this study were developed at NIDR by Dr. Peter \nDickie, who is now with the National Institute of Allergy and Infectious \nDiseases. \n\nCollaborating on the study with Dr. Kopp were Mr. Charles Wohlenberg, Drs. \nNickolas Dorfman, Joseph Bryant, Abner Notkins, and Paul Klotman, all of NIDR; \nDr. Stephen Katz of the National Cancer Institute; and Dr. James Rooney, \nformerly with NIDR and now with Burroughs Wellcome.\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nHICNet Medical Newsletter                                              Page 51\nVolume  6, Number 10                                           April 20, 1993\n\n               Clinical Consultation Telephone Service for AIDS\n                                H H S   N E W S\n                 ********************************************\n                 U.S. DEPARTMENT OF HEALTH AND HUMAN SERVICES\n\n                                 March 4, 1993\n\n\n     HHS Secretary Donna E. Shalala today announced the first nationwide \nclinical consultation telephone service for doctors and other health care \nprofessionals who have questions about providing care to people with HIV \ninfection or AIDS. \n     The toll-free National HIV Telephone Consulting Service is staffed by a \nphysician, a nurse practitioner and a pharmacist. It provides information on \ndrugs, clinical trials and the latest treatment methods.  The service is \nfunded by the Health Resources and Services Administration and operates out of \nSan Francisco General Hospital. \n     Secretary Shalala said, "One goal of this project is to share expertise \nso patients get the best care.  A second goal is to get more primary health \ncare providers involved in care for people with HIV or AIDS, which reduces \ntreatment cost by allowing patients to remain with their medical providers and \ncommunity social support networks.  Currently, many providers refer patients \nwith HIV or AIDS to specialists or other providers who have more experience." \n     Secretary Shalala said, "This clinical expertise should be especially \nhelpful for physicians and providers who treat people with HIV or AIDS in \ncommunities and clinical sites where HIV expertise is not readily available." \n     The telephone number for health care professionals is 1-800-933-3413, and \nit is accessible from 10:30 a.m. to 8 p.m. EST (7:30 a.m. to 5 p.m. PST) \nMonday through Friday.  During these times, consultants will try to answer \nquestions immediately, or within an hour.  At other times, physicians and \nhealth care providers can leave an electronic message, and questions will be \nanswered as quickly as possible. \n     Health care professionals may call the service to ask any question \nrelated to providing HIV care, including the latest HIV/AIDS drug treatment \ninformation, clinical trials information, subspecialty case referral, \nliterature searches and other information.  The service is designed for health \ncare professionals rather than patients, families or others who have alternate \nsources of information or materials. \n     When a health care professional calls the new service, the call is taken \nby either a clinical pharmacist, primary care physician or family nurse \npractitioner.  All staff members have extensive experience in outpatient and \ninpatient primary care for people with HIV-related diseases.  The consultant \nasks for patient-specific information, including CD4 cell count, current \nmedications, sex, age and the patient\'s HIV history. \n     This national service has grown out of a 16-month local effort that \n\nHICNet Medical Newsletter                                              Page 52\nVolume  6, Number 10                                           April 20, 1993\n\nresponded to nearly 1,000 calls from health care providers in northern \nCalifornia.  The initial project was funded by HRSA\'s Bureau of Health \nProfessions, through its Community Provider AIDS Training (CPAT) project, and \nby the American Academy of Family Physicians. \n     "When providers expand their knowledge, they also improve the quality of \ncare they are able to provide to their patients," said HRSA Administrator \nRobert G. Harmon. M.D., M.P.H.  "This project will be a great resource for \nhealth care professionals and the HIV/AIDS patients they serve." \n     "This service has opened a new means of communication between health care \nprofessionals and experts on HIV care management," said HRSA\'s associate \nadministrator for AIDS and director of the Bureau of Health Resources \nDevelopment, G. Stephen Bowen, M.D., M.P.H.  "Providers who treat people with \nHIV or AIDS have access to the latest information on new drugs, treatment \nmethods and therapies for people with HIV or AIDS." \n     HRSA is one of eight U.S. Public Health Service agencies within HHS.  \n\n\n                      AIDS Hotline Numbers for Consumers\n\n                  CDC National AIDS Hotline -- 1-800-342-AIDS\n                  for information in Spanish - 1-800-344-SIDA\n          AIDS Clinical Trials (English & Spanish) -- 1-800-TRIALS-A\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nHICNet Medical Newsletter                                              Page 53\n\x0c\n------------- cut here -----------------\n-- This is the last part ---------------\n\n---\n      Internet: david@stat.com                  FAX: +1 (602) 451-1165\n      Bitnet: ATW1H@ASUACAD                     FidoNet=> 1:114/15\n                Amateur Packet ax25: wb7tpy@wb7tpy.az.usa.na\n',
 "From: mouse@thunder.mcrcim.mcgill.edu (der Mouse)\nSubject: Re: XWindows always opaque\nKeywords: xwindow, parent-child relation\nOrganization: McGill Research Centre for Intelligent Machines\nLines: 17\n\n> Distribution: comp\n\nPlease don't misuse newsgroup hierarchy names as distributions.\n\nIn article <hess.734959172@swt1>, hess@swt1.informatik.uni-hamburg.de (Hauke Hess) writes:\n\n> I wonder if it is possible for a parent window to paint over the area\n> of its childs.\n\nYes, but it's not an attribute of the window; it's an attribute of the\nGC used to do the drawing.  Set the subwindow-mode to IncludeInferiors\nrather than the default ClipByChildren.\n\n\t\t\t\t\tder Mouse\n\n\t\t\t\tmouse@mcrcim.mcgill.edu\n",
 'From: chen@citr.uq.oz.au (G. Chen)\nSubject: Help on bitmaps\nSummary: Bitmap size\nKeywords: Bitmap, windows 3.1, SDK\nOrganization: Prentice Centre, University of Queensland\nLines: 18\n\nI wonder if anyone can tell me whether or not I can create a bitmap\nof any size?  I followed the bitmap creation example in SDK manual\nand specified a 24x24 bitmap (set the width/height to 24) and supplied\na byte string with 72 chars.  But I just cannot get the right bitmap\nimage.  I changed the width/height to 32x32 and used the same value\nstring (padded with zero byets to make up to the right size) and\ngot the image.\n\nThe example in the manual is 64x32 size, which are multiple of 2 bytes.\nCan you define a bitmap image of any size?\n\nThanks very much.\n\nG Chen chen@citr.uq.oz.au\n--\nG. Chen, Centre for Information Technology Research, University of\nQueensland, Australia 4072\nchen@citr.uq.oz.au  Tel: +61 7 365 4325, Fax +61 7 365 4399\n',
 "From: thor@surt.atd.ucar.edu (Richard E. Neitzel)\nSubject: XQueryBestCursor semi-broken?\nOrganization: National Center for Atmospheric Research\nLines: 18\n\nSome one asked me recently why they when they used XQueryBestCursor to see\nif they could create of a given size it seemed to imply they could, but the\nserver did not create cursors of that size. Investigation showed that some X\nservers will happily return any size up to the size of the root window, while\nothers return some fixed limit of more reasonable size. The interesting thing\nto me is that the same server binary acts differently on different hardware -\na Sun4 with a cg2 will claim cursors up to root window size are OK, while a\nSun4 with a cg6 will stop at 32x32. So far I've also seen this behavior on\nNCD and Phase-X X terminals and have been told it also occurs on HPs. \nActually, the NCD is even more liberal - sizes much larger then the root\nwinodw are gladly returned as OK. Is XQueryBestCursor semi-broken or is this\nbehavior correct? I'd really like to see a 2000x2000 cursor!\n\n-- \nRichard Neitzel thor@thor.atd.ucar.edu          Torren med sitt skjegg\nNational Center For Atmospheric Research        lokkar borni under sole-vegg\nBox 3000 Boulder, CO 80307-3000\t                Gjo'i med sitt shinn\n303-497-2057                                    jagar borni inn.\n",
 'From: envbvs@epb11.lbl.gov (Brian V. Smith)\nSubject: Re: I need source for splines\nArticle-I.D.: dog.30237\nDistribution: world\nOrganization: lbl\nLines: 21\nNNTP-Posting-Host: 128.3.12.123\n\nIn article <1ppvhtINN814@fmsrl7.srl.ford.com>, glang@slee01.srl.ford.com (Gordon Lang) writes:\n|> In the Xlib Programming Manual (O\'Rielly Associates) it is pointed out\n|> that routines for drawing splines is not included in Xlib, but extensions\n|> are publicly available.  I need spline routines which work within the X\n|> environment.\n|> \n|> I have previously posted a similar request and got two responses, both\n|> directing me to the Interviews package at interviews.stanford.edu.  I\n|> got it, but it is too much.  It looks like too much work to try to\n|> identify, extract and modify relevant components.  I am looking for\n|> code that is not encumbered by a complex and extensive framework which\n|> is beyond our needs.  We just need the spline "extensions" to the Xlib.\n\nLook in xfig.  It has two types of spline algorithms and is relatively simple.\nXfig is available from export.lcs.mit.edu in\n/contrib/R5fixes/xfig-patches/xfig.2.1.6.tar.Z\n\n-- \nBrian V. Smith    (bvsmith@lbl.gov)\nLawrence Berkeley Laboratory\nI don\'t speak for LBL; they don\'t pay me enough for that.\n',
 'From: rwd4f@poe.acc.Virginia.EDU (Rob Dobson)\nSubject: Re: Motor Voter\nOrganization: University of Virginia\nLines: 12\n\n\n>kaldis@romulus.rutgers.edu (Theodore A. Kaldis) writes:\n>> When I entered 1st grade, Eisenhower was President and John F. Kennedy\n>> was just a relatively obscure Senator from New England.  So how old do\n>> you think I am now?\n\nAnd we all hope, Teddy, that you will graduate from the first grade\nwhile Clinton is President. Keep trying.\n\n\n--\nDisclaimer: :remialcsiD\n',
 "From: hurh@fnal.fnal.gov (Patrick Hurh)\nSubject: Cache Card and Optimum Memory Settings?\nOrganization: fnal\nLines: 25\nDistribution: world\nNNTP-Posting-Host: phurh.fnal.gov\n\nHere's a question that may be simple enough to answer, but has stumped\nmyself and a few others:\n\nWhat does an external RAM cache card do for you if you already have a large\ncache set (through control panel) in your SIMMs?\n\nEX:  I have a Mac IIci with 20 meg RAM, an external video card (so I don't\nrob my SIMM's), and the default Apple cache card (I believe this is 32K?). \nSay I have my cache set at 2 MEG, what good does a measly 32K do me on the\ncache card?  Could it actually slow things down by dividing the cache\nbetween the card and the SIMM's?  Or does it still speed things up by\nproviding a 'secondary staging' area for data normally passed directly into\nthe SIMM RAM cache?\n\nI'm confused because it seems like cache cards are so low in memory to\nreally do any good compared to what you can set yourself.  Yet, Daystar\nFastCache has numbers which show around a 30% performance boost on some\noperations.  Are the chips on the cache card simply faster than most SIMM\naccesses?\n\nPlease help, I'm trying to find the optimum memory settings for the IIci\nsystem described in the EX above.\n\n--patrick\nhurh@fnal.fnal.gov\n",
 "From: mhollowa@ic.sunysb.edu (Michael Holloway)\nSubject: Re: Wanted: Rat cell line (adrenal gland/cortical c.)\nOrganization: State University of New York at Stony Brook\nLines: 14\nNNTP-Posting-Host: engws5.ic.sunysb.edu\nKeywords: adrenal_gland cortical_cell cell_line rat\n\nIn article <roos.49@Operoni.Helsinki.FI> roos@Operoni.Helsinki.FI (Christophe Roos) writes:\n>I am looking for a rat cell line of adrenal gland / cortical cell  -type. I \n>have been looking at ATCC without success and would very much appreciate any \n>help.\n\nI shot off a response to this last night that I've tried to cancel.  It was \nonly a few minutes later while driving home that I remembered that your \nmessage does specifically say cortical.  My first reaction had been to suggest\nthe PC12 pheochromocytoma line.  That may still be a good compromise, depending\non what you're doing.  Have you concidered using a mouse cell line from one \nof the SV40 T antigen transgenic lines?  Another alternative might be primary\ncells from bovine adrenal cortex.  \n\nMike\n",
 'From: mikey@eukanuba.wpd.sgi.com (Mike Yang)\nSubject: Re: 17" Monitors\nReply-To: mikey@sgi.com\nOrganization: Silicon Graphics, Inc.\nLines: 15\nNntp-Posting-Host: eukanuba.wpd.sgi.com\n\nIn article <1qulqa$hp2@access.digex.net>, rash@access.digex.com (Wayne Rash) writes:\n|> The F550iW is optimized for Windows.  It powers down when the screen\n|> blanker appears, it powers down with you turn your computer off, and it\n|> meets all of the Swedish standards.  It\'s also protected against  EMI from\n|> adjacent monitors. \n\nThanks for the info.\n\n|> Personally, I think the F550i is more bang for the buck right now.\n\nHow much more does the F550iW cost?\n\n-----------------------------------------------------------------------\n                 Mike Yang        Silicon Graphics, Inc.\n               mikey@sgi.com           415/390-1786\n',
 'From: chin@ee.ualberta.ca (Jing Chin)\nSubject: Need Info on DSP project\nSummary: General info on building a DSP project that can manipulate music\nKeywords: DSP , D/A , A/D , music , project\nNntp-Posting-Host: bode.ee.ualberta.ca\nOrganization: University Of Alberta, Edmonton Canada\nLines: 10\n\nI want to start a DSP project that can maniplate music in a stereo cassette. \nIs that any chip set, development kit and/or compiler that \ncan equilize/mix music?  Ideally, The system should have D/A A/D converters &\na DSP compiler.  A rough estimate of the cost is greately appreciated.\n\nThanks in advance.\n\nRegards,\nJing Chin\ne-mail address:chin@bode.ee.ualberta.ca\n',
 'From: rhockins@enrico.tmc.edu (Russ)\nSubject: Re: To be, or Not to be [ a Disaster ]\nDistribution: na\nOrganization: /etc/organization\nLines: 46\n\nIn article <philC5Ht85.H48@netcom.com> phil@netcom.com (Phil Ronzone) writes:\n>\n>Not at all. You are apparently just another member of the Religious Left.\n>\n                                                                       \nNot at all.  I am not a member of the Religious Left, Right, or even\nCenter.  In fact I don\'t consider myself very religious at all [ this will\nprobably result in flames now :) ].  In fact Phil, you should leave\nreligion out of it.  It just clouds the issue.\n                                                                       \n>Show me all these environmental "disasters". Most of them aren\'t. And the\n>natural disasters we have had individually far outweigh the man-made ones.\n                                                                         \nHow typical.  So you think we shouldn\'t avoid these \'events\' [ I shall\nrefrain from the word disaster since it seems to upset you so much.  :( ]\nwhen we can.  In case you didn\'t realize it, the natural disasters [ oops,\nsorry events ] you are refering to  we have no control over.  Man-made\nones we do.\n\nI guess you missed the show on Ch 20 earlier this week about the disaster\n[ oops there I go again... I meant to say event ] on the Exxon Valdez.\nJust a natural every day occurance to spread oil on 300 Miles of beach. I\nwould like to know which natural event [ hey I remembered not to say disaster ]\nthat would be similar to this.\n\t\t\t\t\t\t\t       \n>Most of your so-called disasters (Love Canal, Times Beach, TMI) aren\'t\n>disasters at all.\n                                                                   \nHmm, I suppose you could be right.  They are as natural as a tree, or a\nsunrise.  NOT !\n                                                                         \n>So look, if you want to worship trees (or owls or snails or whatever), fine, do\n>so. But DON\'T try to push the scaredness of YOUR religious off onto me.\n>\n\nSo look, if you want to worship a oil slick ( or toxic waste dump or live\nin a house that has a cesspool in the front yard ), fine, you have my\npermission to do so [ yea right like you need MY permission... ], it just\nwon\'t be in the neighborhood where I live.  But DON\'T try to push your\nshortsighted tunnelvision views off on the rest of us.\n\n-- \n| Russell Hockins               | There are people who believe that there is |\n| Innovative Interfaces, Inc.   | no such thing as an environmental disaster.|\n|                               | Pretty weird... ain\'t it?                  |\n| My own opinions  no one elses |  packet : ka6foy @ ki6yk.#nocal.ca.na.usa  |\n',
 'From: shaig@Think.COM (Shai Guday)\nSubject: Re: rejoinder. Questions to Israelis\nOrganization: Thinking Machines Corporation, Cambridge MA, USA\nLines: 169\nDistribution: world\nNNTP-Posting-Host: composer.think.com\n\nIn article <1483500352@igc.apc.org>, Center for Policy Research <cpr@igc.apc.org> writes:\n|> \n|> From: Center for Policy Research <cpr>\n|> Subject: rejoinder. Questions to Israelis\n|> \n|> \n|> To:  shaig@Think.COM\n|> \n|> Subject: Ten questions to Israelis\n|> \n|> Dear Shai,\n|> \n|> In the answer to my first question, concerning the nonexistence of\n|> Israeli nationality, your answer conflicts with information I have\n|> received from other quarters, according to which there are two\n|> distinct categories of classifying Israelis:  Citizenship\n|> (Ezrahut) and Nationality (Le\'um). The former is used on passports\n|> etc, and the later for daily identification in Israeli society. I\n|> am told that people in Israel have to carry their ID cards at all\n|> times and present them at many public places, almost every day.\n|> These ID cards make clear who the holder is, a Jew or an Arab.\n|> You maintain that this mainly because of religious services\n|> provided. But do you really believe that this is the reason ?\n|> Could you provide evidence that this is the case and that it\n|> serves no other purpose ?\n\nA number of points.  You are making assumptions about the manner\nin which the cards are used.  True, by law, all residents, citizens,\nand tourists must carry a form of identification with them.  For\ncitizens, the standard ID is the ID card.  The purpose this serves\non a daily basis, wherein they are presented at public places,\nis for the purpose of identifying the bearer.  This takes place\nin banks (cashing checks), post offices (registered mail and such), etc...\nQuite frankly, it was rare that I ever had to present my ID card\nfor such activities more than once per week.  There is no law or\nrequirement that forces people to wave their ID cards in public.\nFurthermore, none of the services I outlined discriminate against\nthe bearer in any manner by having access to this information.\n\nThe only case that I can think of in which the Le\'um field might\nbe taken into account is during interaction with the police,\nbased upon the scenario.  In general though, arab citizens are\nclearly recognizable, as are non-arabs. Your argument therefore\nbecomes moot unless you can provide an example of how this field\nis being used to discriminate against them officially.\n\n\n|> In the answer to my second questions, concerning the fact that\n|> Israel has no fixed borders, you state that Israel\'s borders were\n|> \'shaped and reshaped by both war and peace\'. According to what I\n|> read, the first Zionists in the beginning of the Century, had\n|> plans for the Jewish State to extend into what is Lebanon and into\n|> Transjordan (Jordan). I also read that it was the express wish of\n|> Ben-Gurion to not declare Israel\'s borders, when Israel was\n|> established, as this might restrict Israel\'s opportunities for\n|> later expansion. Israel often claims it right of existence on the\n|> fact that Jews lived there 2000 years ago or that God promised the\n|> land to them. But according to biblical sources, the area God\n|> promised would extend all the way to Iraq. And what were the\n|> borders in biblical times which Israel considers proper to use\n|> today ?  Finally, if Israel wants peace, why can\'t it declare what\n|> it considers its legitimate and secure borders, which might be a\n|> base for negotiations? Having all the above facts in mind, one\n|> cannot blame Arab countries to fear Israeli expansionism, as a\n|> number of wars have proved (1948, 1956, 1967, 1982).\n\nI take issue with your assertions.  I think that Arab countries\ndo know that they have nothing to fear from "Israeli expansionism".\nMilitarily, Israel is not capable of holding onto large tracts of\nland under occupation to a hostile, armed, and insurgent population for a\nsustained period of time.  As is, the intifada is heavily taxing\nthe Israeli economy.  Proof of this can be seen in the Israeli\nwithdrawal from Lebanon.  Israeli troops pulled back from the\nAwali, and later from the Litani, in order to control the minimal\nstrip needed to keep towns out of range of Katyusha missile fire.\nPublic opinion in Israel has turned towards settling the intifada\nvia territorial concessions.  The Israel public is sufferring from\nbattle fatigue of sorts and the gov\'t is aware of it.\n\nWith regards to borders, let me state the following.  I may not agree\nwith the manner in which negotiations are being held, however the crux\nof the matter is that everyone either makes or refrains from stating\na starting position.  The arab parties have called for total withdrawal\nand a return to pre-48 borders.  If Israel were to state large borders,\nthe negotiations might never get under way.  If Israel were to state\nsmaller borders, then the arab countries might try and force even smaller\nborders during the negotiations.  I think that leaving the matter to be\nsettled by negotiations and peace treaties is infinitely more realistic\nand sensible.\n\n|> Your answer to my third question is typical of a Stalinist public\n|> official. I don\'t think your answer is honest.  You refer me to\n|> Vanunu\'s revelations about Israel\'s nuclear arsenal without\n|> evaluating the truthfullness of his revelations. Now if he said\n|> the truth, then why should he been punished, and if he lied, why\n|> should he be punished? I would appreciate more honesty.\n\nYour statement is typical of the simple minded naivety of a "center for\npolicy research".  Whether or not all of Vanunu\'s revelations were true has no\nbearing on the fact that some were.  For disclosing "state secrets"\nafter having signed contracts and forms with the understanding that\nsaid secrets are not to be made public, one should be punished.\nAs to which were and which weren\'t, I am under no moral obligation\nto disclose that - quite the reverse in fact.\nHe was taken to court, tried, and found guilty.  You may take issue\nwith a number of things but clearly you have no understanding of the\nconcept of "Secrets of state", something which every democratic govt\nhas.\n\n|> Somebody provided an answer to the fourth question, concerning\n|> \'hidden prisoners\' in Israeli prisons. He posted an article from\n|> Ma\'ariv documenting such cases.  It seems that such prisoners do\n|> exist in Israel. What do you think about that ?\n\nI noticed that he was documenting the fact that such prisoners could exist\nmore than he documented the fact that they do exist.  The CLU noted,\nwhich you evidently did not pay attention to, that they know of no such\nreports or cases.  I am sorry to tell you but in a country of 4 mill,\nas tightly knit as Israel, even if the matter of the arrest was not\nmade public, within a relatively short time frame, most people would know\nabout it.  My own feelings are that the matter of the arrest should be\nmade public unless a court order is issued allowing a delay of X hours.\nThis would be granted only if a judge could be convinced that an\nannouncement would cause irreparable harm to the ongoing investigation.\n\n|> You imply that my questions show bias and are formulated in such a\n|> way to \'cast aspersions upon Israel\'. Such terms have often been\n|> used by the Soviet Union against dissidents: They call the Soviet\n|> Union into disrepute. If my questions are not disturbing, they\n|> would not call forth such hysterical answers. My questions are\n|> clearly provocative but they are meant to seek facts. I would be\n|> very happy if you could convince me that what I am told about\n|> Israel were just fabrications, but alas you have failed to do so.\n|> I suspect that you fear the truth and an open and honest\n|> discussion. This is a sign of weakness, not of strength.\n\nWell, I am sorry to say that your questions are slanted.  Such\nquestions are often termed "tabloid journalism" and are not\ndisturbing because they avoid any attempt at objectivity.\nSuch questions were often used during the McCarthy era as\na basis for the witch-hunts that took place then.  To use\nyour own example, these questions might have been lifted\nfrom the format used by Stalinist prosecutors that were looking\nfor small bits of evidence that they could distort and portray\nas a larger and dirtier picture.\n\nMy answers were not any more "hysterical" than the questions\nthemselves.  The problem is not that the q\'s were provocative,\nit was that they were selective in their fact seeking.  You\nfall into the same category of those who seek "yes" "no" answers\nwhen the real answer is "of sorts".\nI suspect that as long as the answers to these questions is not an\nunequivocal NO, you would remain unsatified and choose to interprete\nthem as you see fit.  A sign of strength is the ability to look\nYou remind me of those mistaken environmentalists who once advocated\nculling wolves because of the cruelty to deer, only to find that they\nhad broken the food chain and wreaked havoc upon the very environment\nthey sought to protect.  The color blindness you exhibit is a true\nsign of weakness.\n\n|> I hope you will muster the courage to seek the full truth.\n\nDitto.\n\n-- \nShai Guday              | Stealth bombers,\nOS Software Engineer    |\nThinking Machines Corp. |\tthe winged ninja of the skies.\nCambridge, MA           |\n',
 "From: dil8596@ritvax.isc.rit.edu\nSubject: Re: Stop putting down white het males.\nNntp-Posting-Host: vaxb.isc.rit.edu\nReply-To: dil8596@ritvax.isc.rit.edu\nOrganization: Rochester Institute of Technology\nLines: 33\n\nit may be a little late to reply to your tirade and also on an inaapropriate\nboard but along with all of the so called great things the white male has done they have also contributed to society by means of mass genocide, the theft of\nideas and cultures, creating and the perptration of historical lies throughouttime among many other horrible activities.\nbut every culture has its upside and its downside.  it seems to me that the \nwhite male (must be extremely ignorant to qualify for the following - if\nyou're not disregard) and western culture are the only things that look to \nactively classify things as good or bad, worthy or unworthy (ya dig)\nit can be seen with slavery and the manipulation and destruction of the \namerican indians civilization.  nothing but selfish acts that benefit one \ngroup of people (and not even their women get or got respected or regarded as\nequal - ain't that some stuff)\n\nwhite men - not being specific - but in a lot of cases are just wack or have\nwack conceptions of how the world is to serve their purpose.  \n\njust look at david koresh - throughout history (i may be shortsighted on this one so excuse my predjudiced ignorance) only white men associate themselves withbeing GOD.  no other culture is ignorant or arrogant enough to assume such a \nposition.  and then to manipulate and mislead all those people.\n\nhmmm...  i'd say look in your history books but since it seems that history \nhas been written to glorify the exploits of white men you'd only find lies.\n\nawww that's enough already from me because this has nothing to do with sex or this board.  if ya'd like to continue this discussion e-mail me and we can \ncompare and contrast ideas\n\n\t\t\ti like conflict - it's educational when the \n\t\t\tcommuncation is good......................\n\nmy $.02 worth\n\n(i apologize to those who thought this was going to be about SEX but i was\nprompted by a response i found up here)\n\ndave lewis - frisky HANDS man\n",
 'From: bart@splunge.uucp (Barton Oleksy)\nSubject: Re: LA ON ABC IN CANADA\nOrganization: Ashley, Howland & Wood\nLines: 25\n\nplarsen@sanjuan (P Allen Larsen) writes:\n\n>In article <boora.735182771@sfu.ca> boora@kits.sfu.ca (The GodFather) writes:\n>>\tWas the ABC coverage of the Kings/Flames game supposed to be the\n>>way it was shown in BC with CBC overriding the ABC coverage?  When I flipped\n>>to ABC, it was the same commentators, same commercials even.  My question\n>>is:  Was this the real ABC coverage or did CBC just "black out" the \n>>ABC coverage for its own?\n>>\n\n>Yes, it\'s called simulcast.  In Canada, when a Canadian station and an \n>American station are showing the same thing whether a sporting event or\n>Cheers on Thursday night, the Canadian signal is broadcast over the American\n>station. They even do this during the Superbowl, which has the best commercials\n>of any television.  What do we get here, dumb Canadian commercials, the same\n>ones we\'ve seen for that last year or so.\n\nI\'m in Edmonton, and while that\'s usually (or at least OFTEN) the case,\nhere we were "treated" to the actual ABC telecast of the Kings/Flames\ngame.  I\'m with whoever said it earlier - Don Witless (er, Whitman) is\na poor commentator, and not just for hockey.  Normally, if the Oilers\nwere still playing (augh), I would turn off the sound and listen to \nthe radio broadcast to get decent play-by-play announcing.\n\nBart, Edmonton\n',
 'From: ychen@hubcap.clemson.edu (Eric Chen)\nSubject: NEC Multisync Plus for MAC & PC $250\nOrganization: Clemson University, Clemson SC\nLines: 8\n\nNEC Multisync Plus, model # JC-1501VMA, 15", 960x720, $250 + shipping.\n\nPrice is frim.  Do not send me an emai if your offer is less than my\nasking.\n\nThank you.\n\nYuesea\n',
 'From: karr@cs.cornell.edu (David Karr)\nSubject: Re: BMW MOA members read this!\nOrganization: Cornell Univ. CS Dept, Ithaca NY 14853\nDistribution: usa\nLines: 32\n\nIn article <3102@shaman.wv.tek.com> harmons@.WV.TEK.COM (Harmon Sommer) writes:\n>>>> As a new BMW owner I was thinking about signing up for the MOA, but [...]\n>>>let my current membership lapse when it\'s up for renewal.\n>>[...] hints on what will keep the organization in business that long.\n>\n>Become an activist: campaign for an MC insurance program; for universal\n>driver/rider training before licensing. Pick a topic dear to your heart\n>and get the organization to act on it. Barnacles don\'t move ships.\n\nYou\'re obviously not referring to any of the three above-quoted\nindividuals, because barnacles don\'t each send $20 to the crew of the\nship to keep it moving.\n\n"Get the organization to act on it" is easy to say, but says little\nabout what one really can and should do.  What the organization\nactually will do is largely determined by the president and directors,\nas far as I can see.  That\'s what makes it so important to vote in an\nelection of officers.\n\nIt does strike me that the BMWMOA is a lot less politically active (in\nthe state and national arenas, not infighting) than other M/C\norganizations.  Should we change this?  Or just join the other groups\nthat already are in politics?\n\n(Incidentally, the political hazards to motorcycle riders in the US at\nthe moment don\'t compare to the problems of some other groups like gun\nowners.  Just try to take up target pistol shooting in the Northeast\nor California, and I bet you\'ll wish you only had to worry about\nwearing a helmet.  (Why does every thread on rec.moto eventually come\naround to guns?))\n\n-- David Karr (karr@cs.cornell.edu)\n',
 'From: jhan@debra.dgbt.doc.ca (Jerry Han)\nSubject: Re: Once tapped, your code is no good any more.\nNntp-Posting-Host: debra.dgbt.doc.ca\nOrganization: Communications Research Centre, Ottawa\nDistribution: na\nLines: 58\n\nIn article <bontchev.735404289@fbihh>\nbontchev@fbihh.informatik.uni-hamburg.de writes: \n\n>And some people thought that I am exaggerating when claiming that the\n>Cripple Chip is just a first step in a totalitarian plot against the\n>civil liberties in the USA... It seems that I\'ve even been an optimist\n>- the things are happening even faster than I expected.... That\'s\n>another of the dirty tricks they used to apply on us under the\n>communist regime - do something secret, THEN tell the people about is\n>(after the fact, when nothing can be done any more), and of course,\n>explaining them how much better the situation is now...\n>\n>In my previous messages I wrote that the Americans should wake up and\n>fight against the new proposal. Now it seems to me that it is already\n>too late - it has already happened, the civil liberties have been\n>violated, no, stollen from the American people, while the most part of\n>this people has been sleeping happily... :-((( Too sad...\n\nAs one of the happily sleeping people, I would just like to ask this->\naren\'t people just slightly overreacting to this?  Or are we all of a\nsudden going to draw parallels to Nazi Germany and Communist Russia?\n\nThe point of the matter is that; yes this is a serious problem.  But it is\nnot the end of the world.  Guess what?  We\'re doing something now you\ncan\'t do in a Communist country or Nazi Germany.  We\'re complaining about\nit, (or rather, you\'re complaining about it) and nobody is shooting at us.  \n\n(Or, rather, if they\'re shooting at me, they have real bad aim.  (:-) )\n\nGUESS WHAT PEOPLE?  You live in one of the few countries in the world\nwhere a person can complain without getting shot at.  \n\nPeople are always complaining that somebody did this wrong, or somebody\ndid that wrong, or whatever.  Sit down and figure out two things:\n\n1)  What have they done right?\n2)  How much worse can it get?\n\nAnd you\'ll find that you and I, are pretty damn lucky.\n\nSo let\'s talk about it, get some action going, decide what\'s going on. \nBut let\'s not overreact!  \n\n>\n>Regards,\n>Vesselin\n>-- \n>Vesselin Vladimirov Bontchev          Virus Test Center, University of Hamburg\n>Tel.:+49-40-54715-224, Fax: +49-40-54715-226      Fachbereich Informatik - AGN\n>< PGP 2.2 public key available on request. > Vogt-Koelln-Strasse 30, rm. 107 C\n>e-mail: bontchev@fbihh.informatik.uni-hamburg.de    D-2000 Hamburg 54, Germany\n\n\n-- \nJerry Han-CRC-DOC-Div. of Behavioural Research-"jhan@debra.dgbt.doc.ca"\n///////////// These are my opinions, and my opinions only. \\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\n\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\ A proud and frozen member of the Mighty Warriors Band ////////  \n"Memories of those I\'ve left behind, still ringing in my ears."-Genesis-\n',
 "From: zbib@bnr.ca (Sam Zbib)\nSubject: RE:Legality of the jewish purchase\nNntp-Posting-Host: 47.141.0.106\nReply-To: zbib@bnr.ca\nOrganization: Bell-Northern Research\nLines: 67\n\n\n(Amir Y Rosenblatt) writes\n   > Sam Zbib Writes\n   >>No one in his right mind would sell his freedom and dignity.\n   >>Palestinians are no exception. Perhaps you heard about\n   >>anti-trust in the business world.\n   >>\n   >>Since we are debating the legality of a commercial\n   >>transaction, we must use the laws governing the guidelines\n   >>and ethics of such transactions. Basic ANTI-TRUST law says\n   >>that, while you can purchase IBM stocks for the purpose of\n   >>investing, you can not acquire a large number of those\n   >>shares with the intent or controlling IBM. You can do so\n   >>only if you make your intentions CLEAR apriori . Clearly,\n   >>the Jews who purchased properties from palastenians had some\n   >>designs, they were not buying a dwelling or a real estate.\n   >They were establishing a bridgehead for the European Jews.\n   >>\n   >>The palastenians sold their properties to the Jews in the\n   >>old tradition of arab hospitality. Being a multi-ethnic /\n   >>multi-religious society, accepting the jews as neighbours\n   >>was no different, just another religion. Plus they paid fair\n   >>market value, etc... They did not know they were victims of\n   >>an international conspiracy. (I'm not a conspiracy theorist\n   >>myself, but this one is hard to dismiss).\n   >>\n\n>Right now, I'm just going to address this point.\n>When the Jewish National Fund bought most of its land,\n>It didn't buy it from the Palestinians themselves, because,\n>for the most part, they were tenant farmers (fallahin),\n>living on land owned by wealthy Arabs in Syria and Lebanon.\n>The JNF offered a premium deal, so the owners took advantage of\n>it.   It's called commerce.  The owners, however, made no \n>provisions for those who had worked for them, basically shafting \n>them by selling the land right out from under them.\n>They are to blame, not the Jews.\n>\n>\n\nAmir: \nWhy would you categorize the sale of land as shafting? was\nit because it was sold to Jews? was it fair to assume that the \nfallahin would be mistreated by the jews? is this the norm of \nany commerce (read shafting) between arabs and  jews? \n\nYour claim that the Lebanese/Syrian Landlords sold Palestine\n(if true, even partially) omits the fact that the mandate\ntreaty put Lebanon and Syria under French rule, while\nPalestine under british.  Obiviously, any such landlord\nwould have found himself a foreigner in Palestine and would\nbe motivated to sell, regardless of the price.\n\nIt is interesting though that you acknowledge that the\npalestinians were shafted. Do many Israelis or Jews share\nyour opinion ?  Do you  absolve the purchaser from\nany ethical commitments just because it wasn't written down? \n\nAll told, I did not see an answer in your response. The\nquestion was whether the intent behind the purchase was\naimed at controlling the public assets (land,\ninfra-structure etc...). IMHO the Palestinians have grounds\nto contest the legality of the purchase, say in world court.\n\nSam \n\n       My opinions are my own and no one else's\n",
 'From: joel@cs.mcgill.ca (Joel MALARD)\nSubject: Bone marrow sclerosis.\nSummary: Information sought.\nKeywords: Severely low blood cell count\nNntp-Posting-Host: binkley.cs.mcgill.ca\nOrganization: SOCS - Mcgill University, Montreal, Canada\nLines: 10\n\nI am looking for information on possible causes and long term effects\nof bone marrow sclerosis. I would also be thankful if anyone reading\nthis newsgroup could list some recognized treatment centers if anything\nelse than massive blood transfusion can be effective. If you plan on\na "go to the library"-style reply, please be kind enough to add a list \nof suggested topics or readings: Medicine is not my field.\n\nRegards,\nJoel Malard.\njoel@cs.mcgill.ca\n',
 "From: ernie@.cray.com (Ernest Smith)\nSubject: RE Aftermarket A/C units\nOriginator: ernie@ferris\nLines: 34\nNntp-Posting-Host: ferris.cray.com\nOrganization: Cray Research, Inc.\nDistribution: usa\n\n\n>In article <1qcaueINNmt8@axon.cs.unc.edu> Andrew Brandt writes:\n>|> I looked into getting a/c installed on my 1987 Honda CRX Si.\n>|> The unit is $875 plus shipping, installation is like 5 1/2 hours on\n>|> top of that.  This is a hunk of change.\n>|> \n>|> Does anyone know *any* place that does aftermarket a/c installation\n>|> (not with a Honda a/c unit, but some third party unit).\n>|> \n>|> I cannot seem to find anyone who can put a third party a/c unit in a\n>|> Honda.  I am in No Carolina, so I would prefer some place nearby, but\n>|> any references would be handy.\n>|>\n>|> Thx, Andy (brandt@cs.unc.edu)\n>\nLes Bartel's comments:\n>>>Sorry I can't help you with your question, but I do have a comment to\n>make concerning aftermarket A/C units.  I have a Frost-King or Frost-Temp\n>(forget which) aftermarket unit on my Cavalier, and am quite unhappy with\n>it.  The fan is noisy, and doesn't put out much air.  I will never have\n>an aftermarket A/C installed in any of my vehicles again.  I just can't\n>trust the quality and performance after this experience.\n>>\n> - les\n>\n>-- \n>Les Bartel\t\t\tI'm going to live forever\n\nLet me add my .02 in. I had a A/C installed by the Ford garage and it did not\nwork as well as the A/C that was installed by the factory in pickups \nidentical to mine. I have talked to other people that have had the same\nresult. Don't know if this is just a probable with Ford or what??\n\n\tErnie Smith\n",
 'From: cjackson@adobe.com (Curtis Jackson)\nSubject: Tracing license plates of BDI cagers?\nArticle-I.D.: adobe.1993Apr6.184204.26184\nOrganization: Adobe Systems Incorporated, Mountain View\nLines: 24\n\nThis morning a truck that had been within my sight (and I within\nhis) for about 3 miles suddenly forgot that I existed and pulled\nover right on me -- my front wheel was about even with the back\nedge of his front passenger door as I was accelerating past him.\n\nIt was trivial enough for me to tap the brakes and slide behind him\nas he slewed over (with no signal, of course) on top of me, with\nmy little horn blaring (damn, I need Fiamms!), but the satisfaction\nof being aware of my surroundings and thus surviving was not enough,\nespecially when I later pulled up alongside the bastard and he made\nno apologetic wave or anything.\n\nIs there some way that I can memorize the license plate of an\noffending vehicle and get the name and address of the owner?\nI\'m not going to firebomb houses or anything, I\'d just like to\nwrite a consciousness-raising letter or two. I think that it would\nbe good for BDI cagers to know that We Know Where They Live.\nMaybe they\'d use 4 or 5 brain cells while driving instead of the\nusual 3.\n-- \nCurtis Jackson\t   cjackson@mv.us.adobe.com\t\'91 Hawk GT\t\'81 Maxim 650\nDoD#0721 KotB  \'91 Black Lab mix "Studley Doright"  \'92 Collie/Golden "George"\n"There is no justification for taking away individuals\' freedom\n in the guise of public safety." -- Thomas Jefferson\n',
 'From: ab@nova.cc.purdue.edu (Allen B)\nSubject: Re: Fractals? what good are they?\nOrganization: Purdue University\nLines: 17\n\nIn article <7208@pdxgate.UUCP> idr@rigel.cs.pdx.edu (Ian D Romanick) writes:\n> They talked about another routine that could yield up to 150 to 1\n> compress with no image loss that *I* could notice.  The draw back is that it\n> takes a hell of a long time to compress something.  I\'ll have to see if I can\n> find the book so that I can give more exact numbers.  TTYL.\n\nThat\'s a typical claim, though they say they\'ve improved\ncompression speed considerably.  Did you find out anything else\nabout the book?  I\'d be interested in looking at it if you could give me\nany pointers.\n\nReportedly, early fractal compression times of 24-100 hours used\nthat marvelous piece of hardware called "grad students" to do the\nwork.  Supposedly it\'s been automated since about 1988, but I\'m still\nwaiting to be impressed.\n\nAllen B (Sign me "Cynical")\n',
 "From: elef@smarmy.Eng.Sun.COM (elaine 'beano' leffler)\nSubject: Re: Kawi Zephyr? (was Re: Vision vs GpZ 550)\nKeywords: Zephyr stock forks BAD.  Mushy.  Dive.\nArticle-I.D.: jethro.1psrdn$g3r\nReply-To: elef@smarmy.Eng.Sun.COM\nDistribution: world\nOrganization: SunConnect\nLines: 11\nNNTP-Posting-Host: smarmy.eng.sun.com\n\nIn article 3126@organpipe.uug.arizona.edu, asphaug@lpl.arizona.edu (Erik Asphaug x2773) writes:\n>By the way Bob, er Dave (sorry!), I had read a review that said the 550\n>engine was pretty much identical to the GPz, but that the suspension\n>and frame is more modern. \n\nthe fancy piggyback shocks on the 550 (and the 750, i think.  i don't\nknow about the zr1100) are very nice, 3-way adjustability.  the forks\nare crappy, they dive like MAD.  i had progressive springs installed\nand it made a huge difference.  cheap fix, MUCH improvement.\n\nelef\n",
 'Subject: unix sale\nFrom: "mike budlanski" <mike.budlanski@canrem.com>\nReply-To: "mike budlanski" <mike.budlanski@canrem.com>\nDistribution: misc\nOrganization: Canada Remote Systems\nLines: 24\n\n****UNIX****UNIX****UNIX****UNIX****UNIX****UNIX****UNIX****\n\nFORSALE:\n\n        ESIX UNIX System V Release 4 - NEW!\n        2 user license system - $400\n        Unlimited user license system - $450\n        2 user license system with dev kit - $500\n        Unlimited user license system with dev kit - $550\n\nThe above systems include all of the floppies or tapes and\ninstalation manuals. They are new and have never been\ninstalled before. Market value for the above systems is\nabout $1500 US! If you are interested, please contact me\nat 416-233-6038.\n\n\n\n                                         Thanks,\n                                               ...Mike\n                                               mike.budlanski@canrem.com\n--\nCanada Remote Systems - Toronto, Ontario\n416-629-7000/629-7044\n',
 'From: dev@hollywood.acsc.com ()\nSubject: Keyboard Focussing\nOrganization: ACSC, Inc.\nLines: 11\nDistribution: world\nNNTP-Posting-Host: hollywood.acsc.com\n\nI have two Motif Widgets. I would like to control one of them via the\nkeyboard and the other with the mouse. I set the keyboard focus on the first\nwidget, but as soon as I click the mouse on the second one, I lose the\nkeyboard focus on the first one. \n\nCould some kind soul show me how to do this?\n\nThanks\n\nDM\ndev@hollywood.acsc.com\n',
 "From: nfotis@ntua.gr (Nick C. Fotis)\nSubject: Re: more on radiosity\nOrganization: National Technical University of Athens\nLines: 34\n\namann@iam.unibe.ch (Stephan Amann) writes:\n\n>In article 66319@yuma.ACNS.ColoState.EDU, xz775327@longs.LANCE.ColoState.Edu (Xia Zhao) writes:\n>>\n>>\n>>In article <1993Apr19.131239.11670@aragorn.unibe.ch>, you write:\n>>|>\n>>|>\n>>|> Let's be serious... I'm working on a radiosity package, written in C++.\n>>|> I would like to make it public domain.  I'll announce it in c.g. the minute\n>>|> I finished it.\n>>|>\n>>|> That were the good news. The bad news: It'll take another 2 months (at least)\n>>|> to finish it.\n\nPlease note that there are some radiosity packages in my Resource Listing\n(under the Subject 3: FTP list)\n\nGreetings,\nNick.\n--\nNick (Nikolaos) Fotis         National Technical Univ. of Athens, Greece\nHOME: 16 Esperidon St.,       InterNet : nfotis@theseas.ntua.gr\n      Halandri, GR - 152 32   UUCP:    mcsun!ariadne!theseas!nfotis\n      Athens, GREECE          FAX: (+30 1) 77 84 578\n\nUSENET Editor of comp.graphics Resource Listing and soc.culture.greece FAQ\nNTUA/UA ACM Student Chapter Chair - we're organizing a small conference\n        in Comp. Graphics, call if you're interested to participate.\n-- \nNick (Nikolaos) Fotis         National Technical Univ. of Athens, Greece\nHOME: 16 Esperidon St.,       InterNet : nfotis@theseas.ntua.gr\n      Halandri, GR - 152 32   UUCP:    mcsun!ariadne!theseas!nfotis\n      Athens, GREECE          FAX: (+30 1) 77 84 578\n",
 'From: Mike_Peredo@mindlink.bc.ca (Mike Peredo)\nSubject: Re: "Fake" virtual reality\nOrganization: MIND LINK! - British Columbia, Canada\nLines: 11\n\nThe most ridiculous example of VR-exploitation I\'ve seen so far is the\n"Virtual Reality Clothing Company" which recently opened up in Vancouver. As\nfar as I can tell it\'s just another "chic" clothes spot. Although it would be\ninteresting if they were selling "virtual clothing"....\n\nE-mail me if you want me to dig up their phone # and you can probably get\nsome promotional lit.\n\nMP\n(8^)-\n\n',
 'From: jrwaters@eos.ncsu.edu (JACK ROGERS WATERS)\nSubject: Re: The quest for horndom\nOrganization: North Carolina State University, Project Eos\nLines: 30\n\nIn article <1993Apr5.171807.22861@research.nj.nec.com> behanna@phoenix.syl.nj.nec.com (Chris BeHanna) writes:\n>In article <1993Apr4.010533.26294@ncsu.edu> jrwaters@eos.ncsu.edu (JACK ROGERS WATERS) writes:\n>>No laughing, please.  I have a few questions.  First of all, do I\n>>need a relay?  Are there different kinds, and if so, what kind should\n>>I get?  Both horns are 12 Volt.\n>\n>\tI did some back-of-the-eyelids calculations last night, and I figure\n>these puppies suck up about 10 amps to work at maximum efficiency (i.e., the\n>cager might need a shovel to clean out his seat).  Assumptions:  125dBA at one\n>meter.  Neglecting solid angle considerations and end effects and other\n>acoustic niceties from the shape of the horn itself, this is a power output\n>of 125 Watts.  125Watts/12Volts is approx. 10 Amps.\n>\n>\tYes, get a relay.\n>\n>\tYes, tell me how you did it (I want to do it on the ZX).\n>\n>Later,\n\nI\'ll post a summary after I get enough information.  I\'ll include\ntips like "how to know when the monkey is pulling your leg".  Shouldn\'t\nmonkey\'s have to be bonded and insured before they work on bikes?\n\nJack Waters II\nDoD#1919\n\n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n~ I don\'t fear the thief in the night.  Its the one that comes in the  ~\n~ afternoon, when I\'m still asleep, that I worry about.                ~\n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n',
 'From: nilayp@violet.berkeley.edu (Nilay Patel;;;;RC38)\nSubject: Re: Bernoulli Drives/Disks...\nOrganization: University of California, Berkeley\nLines: 20\nNNTP-Posting-Host: violet.berkeley.edu\n\nIn article <C62onK.F7A@netnews.jhuapl.edu> ncmoore2@netnews.jhuapl.edu (Nathan Moore) writes:\n>nilayp@violet.berkeley.edu (Nilay Patel) writes:\n\n>>I am looking for Bernoulli removable tapes for the 20/20 drive..\n>>Don\'t laugh ... I am serious...\n>>If you have any 20 MB tapes lying around that you would like to get rid of,\n>>please mail me ... \n>\n>>-- Nilay Patel\n>>nilayp@violet.berkeley.edu\n\n>You do mean disks, don\'t you, not tapes?  You forgot to say whether you\n>were looking for the old 8" or the newer 5.25".\n\nWell...I need the old 8" disks ... You are right, disks is a better word,\nbut they are so big and calling them disks is kind of funny ... but the\nappropriate word is disks ...\n\n-- Nilay Patel\nnilayp@violet.berkeley.edu\n',
 'From: ryvg90@email.sps.mot.com (Koji Kodama)\nSubject: >>>WANTED: Your opinions on the Insight Talon TA-1000 or TA-2000 Multimedia kits<<<\nNntp-Posting-Host: 223.7.248.49\nOrganization: Motorola Inc, Austin, Texas\nLines: 47\n\n\nFor those of you who might be familiar with Insight Distribution\n     Network, Inc. and their Multimedia Kits:\n\nI\'m seriously considering buying the Insight Talon TA-2000 MM Kit, which\nis bundled with the CD-ROM drive with 265-280ms access time, 300Kb dtr,\nmultispin, multi-session Photo CD capability, etc., and with the PAS-16\nsound card, etc.... (if you are familiar with Insight, you know the kit\nI mean).  I believe the drive is either a Texel (265ms) or an NEC\n(280ms), but it is not clear to me which one is actually a part of the\nbundle (at least two of their sales people couldn\'t give me a straight\nanswer as to which one; ah, yes, one of the drawbacks of OEM!).\n\nOther questions:\n\n- Excuse my ignorance, but is "Texel" a reputable maker in the CD-ROM\n  market?  Or do you think NEC is the better drive?\n\n- Bottom line:  Is this kit worth the money?  (Currently, $449 for the\n  TA-1000, and $699 for the TA-2000)\n\nAlternatively, I was thinking that the TA-2000 might be overkill for my\nuses (however, I *do* want full multimedia capabilities, Photo CD stuff,\neducational programs for my kids, etc.), and considered the lower-end\nTA-1000 kit and using the difference (around $250.00) to get something\nelse useful, like a tape back-up drive unit.\n\nBasically, I would just like to hear from those who have actually USED\nthese kits, and whatever pros/cons you might advise, preferably\ndirectly to the email address below.\n\nThanks,\n\nKoji\n\n                            2\n                         _/\n  ~~~~~~~~~~_/~~~~~~~~~~_/ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n  |        _/        _/    |                  Koji Kodama                  |\n  |  by   _/      _/       |              Nippon Motorola Ltd.             |\n  |      _/    _/          |            ryvg90@email.sps.mot.com           |\n  |     _/  _/             |~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~|\n  |    _/_/  _/            |      NOTE: The opinions expressed herein      |\n  |   _/      _/           |   are mine, and do not reflect the opinions   |\n  |  _/        _/          |or policies of Motorola Inc. or its affiliates.|\n  ~~_/~~~~~~~~~~_/~~~~~_/~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n                 _/_/_/\n',
 'From: brentw@netcom.com (Brent C. Williams)\nSubject: Re: Colorado Jumbo 250 for Gateway 2000?\nOrganization: NETCOM On-line Communication Services (408 241-9760 guest)\nLines: 59\n\npd@world.std.com (Peter F Davis) writes:\n\n>I\'ve just installed a new Colorado Jumbo 250 tape backup unit from\n>Gateway, and I have a couple of complaints with it.  I don\'t know how\n>common or serious these problems may be.  I would appreciate some\n>feedback from others who have used this system.  (BTW, This is on a\n>4DX2-66V tower system.)\n\n\tI have a similar configuration: Colorado 250mb on 66 DX/2 tower.\n\n>The problems are:\n\n>    o\tFirstly, Gateway shipped me only 120 Mb tapes, even though the\n>\tdrive is a 250 Mb unit.  When I called to complain, they only\n>\tsaid:  "That\'s all we carry," and "With compression, you can\n>\tfit 250 Mb on one tape."  Maybe so, but then why did I pay\n>\textra for the large capacity tape drive?\n\n\tYou got suckered in the same way I did.  Silly me, believing\n\tthat the "250" logo on the front meant actual carrying capacity.\n\tThe people who do this sort of thing for a living call it \n\t"marketing."  Lawyers who prosecute it call it "fraud."\n\tPerhaps we can have a bunch of other duped buyers march on \n\ttheir corporate headquarters.\n\n>    o\tI have about 230 Mb of data on my C: drive.  I choose the\n>\tspace-optimizing compression scheme and started a full backup.\n>\tThe software estimated it would take about 22 minutes.  It\n>\ttook 4 1/2 hours.  Does this sound about right?\n\n\tThis is a bit long.  My system takes about 45 minutes to do \n\tthe same thing.  Usually 4.5 hours, particularly if the tape \n\tis grinding away the whole time means that your block size for \n\tthe write is too small.  Is there any way to change the block \n\tsize or write buffer size so it\'s bigger?\n\n>    o\tDuring the backup, about a dozen files came up with "access\n>\tdenied" errors.  Most of these were in C:\\\\WINDOWS\\\\SYSTEM\n>\t(COMM.DRV, KEYBOARD.DRV, SHELL.DLL, etc.), but also\n>\tC:\\\\WINDOWS\\\\PROGMAN.EXE and a couple of files in the C:\\\\TAPE\n>\tdirectory.  Anyone else had this happen?\n\n\tThis is because the files are opened by DOS.  The files in the \n\tTAPE directory are likely the executable file or the configuration\n\tfile for the tape system.  I would recommend running the backup\n\tfrom DOS so it will make a complete backup of the TAPE directory.\n\n>Thanks for any and all feedback on this system.  I\'d also appreciate\n>hearing of good sources for blank tape cartridges, preferably 250 Mb\n>size.\n\n\tThe 250mb cartridges won\'t do you any good since the drive\n\twon\'t write 250mb of physical data on the tape.  \n\n>Thanks.\n>-pd\n\n-- \n-brent williams (brentw@netcom.com) san jose, california\n',
 'From: bradley@grip.cis.upenn.edu (John Bradley)\nSubject: XV 3.00 has escaped!\nOrganization: GRASP Lab, University of Pennsylvania\nLines: 13\nNntp-Posting-Host: grip.cis.upenn.edu\n\nNo, not another false alarm, not a "It\'ll certainly be done by *next* week"\nmessage...  No, this is the real thing.  I repeat, this is *not* a drill!\n\nBatten down the hatches, hide the women, and lock up the cows, XV 3.00 has\nfinally escaped.  I was cleaning its cage this morning when it overpowered\nme, broke down the office door, and fled the lab.  It was last seen heading\nin the general direction of export.lcs.mit.edu at nearly 30k per second...\n\nIf found, it answers to the name of \'contrib/xv-3.00.tar.Z\'.\n\nHave a blast.  I\'m off to the vacation capital of the U.S.:  Waco, Texas.\n\n--jhb\n',
 "From: hoang1@litwin.com (Ted Hoang)\nSubject: Wcl 2.02\nOrganization: Litwin Process Automation\nLines: 17\n\nHi,\nI have a problem when compiled Wcl 2.02 in SCO ODT 2.0:\n\n\n        cc -c -Ox  -I.. -I/usr/include Xt4GetResL.c\nXt4GetResL.c\nXt4GetResL.c(47) : error C2065: '_XtConstraintBit' : undefined\n*** Error code 1\n\nAlthough I follow the instructions in file README_BUILD to build Wcl in SCO \nplatform, this problem didn't resolve.\n\nSo I have some questions related to this matter:\n\n  1. Does _XtConstraintBit exist in SCO ODT 2.0? ( Does _XtConstraintBit use\n      in X11R3 & X11R4? And What release does SCO ODT 2.0 use, X11R3 or X11R4?)\n  2. If not, Does someone know how to work around? \n",
 'From: rwf2@ns1.cc.lehigh.edu (ROBERT WILLIAM FUSI)\nSubject: Re: New Alarm Proposal\nOrganization: Lehigh University\nLines: 22\n\nIn article <1993Apr14.190652.19777@slcs.slb.com>, dcd@se.houston.geoquest.slb.co\nm (Dan Day) writes:\n>In article <1qeee6$o7s@armory.centerline.com> jimf@centerline.com (Jim Frost) w\nrites:\n>>\n>>An audible alarm is just an annoyance -- to either a professional or\n>>amateur.  NOBODY LISTENS TO AUDIBLE ALARMS ANYMORE.  The thieves know\n>\n>This is why I think there ought to be a heavy fine on false alarms.\n>I\'m really honked off about the fact that due to all the\n>cars with cruddy alarms crying "wolf", no one will pay any attention\n>to my car if its alarm ever goes off for real.\n>\n> Depends on your area, in the city, nobody thinks about it...but at a mall or\nsomething near the suburbs, people do at least glance over.  Remember, an\nalarm is only a deterent, not a prevention.  If a thief sees two cars he\n"likes", one has an alarm and the other doesn\'t, he\'s obviously going to skip\nthe alarmed car and avoid the hassle.  There is a way around every alarm, but\nat least you\'ve got SOMETHING on your side.....\n                                                            Rob Fusi\n                                                            rwf2@lehigh.edu\n-- \n',
 "From: munroe@dmc.com (Dick Munroe)\nSubject: REPOST: Tape Drives (4mm, 8mm) for sale.\nOrganization: Doyle, Munroe Consultants, Inc., Hudson, MA\nLines: 18\n\nAcorn Software, Inc. has 3 tape drives (currently used on a VMS\nsystem) for sale.  These are all SCSI tape drives and are in\nworking condition.\n\n        WangDat 1300 4mm                $500.00\n        WangDat 2600 4mm (compression)  $650.00\n        Exabyte 8200 8mm                $650.00\n\nPlus shipping and COD.  Certified checks only, please.  These\nunits are sold as is and without warrantee.  Contact me if you're\ninterested.\n-- \nDick Munroe\t\t\t\tInternet: munroe@dmc.com\nDoyle Munroe Consultants, Inc.\t\tUUCP: ...uunet!thehulk!munroe\n267 Cox St.\t\t\t\tOffice: (508) 568-1618\nHudson, Ma.\t\t\t\tFAX: (508) 562-1133\n\nGET CONNECTED!!! Send mail to info@dmc.com to find out about DMConnection.\n",
 'From: ameline@vnet.IBM.COM (Ian Ameline)\nSubject: Facinating facts: 30 bit serial number, possibly fixed S1 and S2\nOrganization: C-Set/2 Development, IBM Canada Lab.\nDisclaimer: This posting represents the poster\'s views, not those of IBM\nLines: 106\n\n>Hmmm. We must assume that generating the unit key U from the serial\n>number N rather than generating it from a randomly selected U1 and U2\n>is an intentional way of assuring a "fail safe" for the government --\n>U is completedly determined given S1, S2 and N. If S1 and S2 do not\n>change they constitute effective "master keys" (along with F), the\n>theft of which (or the possession of which by various authorities)\n>completely obviates the security of the system. However, more\n>interestingly, we know, for a fact that if S1 and S2 are fixed no\n>matter what the keyspace for U is no more than 2^30. Why not pick U1\n>and U2 at random? Why this interesting restriction of they key space\n>if it NOT to provide an additional back door?\n>\n>I find it disturbing that at the very best my security is dependant on\n>approximately 30 bytes worth of information that could be written on\n>the back of a napkin.\n>\n>Even if S1 and S2 change periodically, the rationale behind this\n>restriction in the size of the keyspace seems strange if one is\n>assuming that the goal is security -- and makes perfect sense if the\n>goal is an illusion of security.\n>\n>If S1 and S2 do not change, even if they remain secret I wonder if\n>they can somehow be back-derived given enough unit key/serial number\n>pairs. We are assured that this cannot happen -- but no one\n>understands how Skipjack works outside of government officials and,\n>soon, foreign intelligence services that gain the information via\n>espionage. Presumably we will eventually have the information as well\n>-- reverse engineering gets more and more advanced every year -- but\n>by the time we know it may be too late.\n\nPerhaps the trusted escrow agencies can be the ones who come up with\nS1 and S2, and if these agencies are really trusted (ACLU & NRA is an\ninteresting example), we can hope that they\'ll use some physical\nprocess to come up with truly random numbers. If the NSA comes up with\nthe numbers, that\'s a trap door you could drive a truck through.\n\n>None of this makes me feel the least bit secure.\n\nMe either.\n\n   It seems from the following that the CPSR is atleats starting to\nquestion this bogosity:\n\n    ----------------------------------------------------------------\nApril 16, 1993\nWashington, DC\n\n               COMPUTER PROFESSIONALS CALL FOR PUBLIC\n           DEBATE ON NEW GOVERNMENT ENCRYPTION INITIATIVE\n\n        Computer Professionals for Social Responsibility (CPSR)\ntoday called for the public disclosure of technical data\nunderlying the government\'s newly-announced "Public Encryption\nManagement" initiative.  The new cryptography scheme was\nannounced today by the White House and the National Institute\nfor Standards and Technology (NIST), which will implement the\ntechnical specifications of the plan.  A NIST spokesman\nacknowledged that the National Security Agency (NSA), the super-\nsecret military intelligence agency, had actually developed the\nencryption technology around which the new initiative is built.\n\n        According to NIST, the technical specifications and the\nPresidential directive establishing the plan are classified.  To\nopen the initiative to public review and debate, CPSR today\nfiled a series of Freedom of Information Act (FOIA) requests\nwith key agencies, including NSA, NIST, the National Security\nCouncil and the FBI for information relating to the encryption\nplan.  The CPSR requests are in keeping with the spirit of the\nComputer Security Act, which Congress passed in 1987 in order to\nopen the development of non-military computer security standards\nto public scrutiny and to limit NSA\'s role in the creation of\nsuch standards.\n\n        CPSR previously has questioned the role of NSA in\ndeveloping the so-called "digital signature standard" (DSS), a\ncommunications authentication technology that NIST proposed for\ngovernment-wide use in 1991.  After CPSR sued NIST in a FOIA\nlawsuit last year, the civilian agency disclosed for the first\ntime that NSA had, in fact, developed that security standard.\nNSA is due to file papers in federal court next week justifying\nthe classification of records concerning its creation of the\nDSS.\n\n        David Sobel, CPSR Legal Counsel, called the\nadministration\'s apparent commitment to the privacy of\nelectronic communications, as reflected in today\'s official\nstatement,  "a step in the right direction."  But he questioned\nthe propriety of NSA\'s role in the process and the apparent\nsecrecy that has thus far shielded the development process from\npublic scrutiny.  "At a time when we are moving towards the\ndevelopment of a new information infrastructure, it is vital\nthat standards designed to protect personal privacy be\nestablished openly and with full public participation.  It is\nnot appropriate for NSA -- an agency with a long tradition of\nsecrecy and opposition to effective civilian cryptography -- to\nplay a leading role in the development process."\n\n        CPSR is a national public-interest alliance of computer\nindustry professionals dedicated to examining the impact of\ntechnology on society.   CPSR has 21 chapters in the U.S. and\nmaintains offices in Palo Alto, California, Cambridge,\nMassachusetts and Washington, DC.  For additional information on\nCPSR, call (415) 322-3778 or e-mail <cpsr@csli.stanford.edu>.\n      -----------------------------------------------\nRegards,\nIan Ameline.\n',
 'From: nyeda@cnsvax.uwec.edu (David Nye)\nSubject: Re: Post Polio Syndrome Information Needed Please !!!\nOrganization: University of Wisconsin Eau Claire\nLines: 21\n\n[reply to keith@actrix.gen.nz (Keith Stewart)]\n \n>My wife has become interested through an acquaintance in Post-Polio\n>Syndrome This apparently is not recognised in New Zealand and different\n>symptons ( eg chest complaints) are treated separately. Does anone have\n>any information on it\n \nIt would help if you (and anyone else asking for medical information on\nsome subject) could ask specific questions, as no one is likely to type\nin a textbook chapter covering all aspects of the subject.  If you are\nlooking for a comprehensive review, ask your local hospital librarian.\nMost are happy to help with a request of this sort.\n \nBriefly, this is a condition in which patients who have significant\nresidual weakness from childhood polio notice progression of the\nweakness as they get older.  One theory is that the remaining motor\nneurons have to work harder and so die sooner.\n \nDavid Nye (nyeda@cnsvax.uwec.edu).  Midelfort Clinic, Eau Claire WI\nThis is patently absurd; but whoever wishes to become a philosopher\nmust learn not to be frightened by absurdities. -- Bertrand Russell\n',
 "From: steveg@cadkey.com (Steve Gallichio)\nSubject: Re: Possible Canadian WC Team?\nOrganization: Cadkey, Inc.\nLines: 14\nNNTP-Posting-Host: access.digex.net\n\n\n\n> This is an all-point team for the Canadian NHLers who are not playoff bound...\n\nCENTERS\n[...]\n> Geoff Sanderson, Hartford\n[...]\n\nSanderson will be on Team Canada, but he'd be out of position as a center.\nAlthough he was drafted as a center and played there as a rookie, Sanderson\nscored 46 goals this season as a left wing.\n\n-SG\n",
 "From: pdc@dcs.ed.ac.uk (Paul Crowley)\nSubject: Re: Organized Lobbying for Cryptography\nReply-To: pdc@dcs.ed.ac.uk (Paul Crowley)\nOrganization: Edinburgh University\nDistribution: inet\nLines: 12\n\nQuoting jgfoot@minerva.cis.yale.edu in article <1r3jgbINN35i@eli.CS.YALE.EDU>:\n>Perhaps these encryption-only types would defend the digitized porn if it\n>was posted encrypted?\n\n>These issues are not as seperable as you maintain.\n\nIn fact, since effective encryption makes censorship impossible, they\nare almost the same issue and they certainly fall into the brief of the\nEFF.\n  __                                  _____\n\\\\/ o\\\\ Paul Crowley   pdc@dcs.ed.ac.uk \\\\\\\\ //\n/\\\\__/ Trust me. I know what I'm doing. \\\\X/  Fold a fish for Jesus!\n",
 "From: raynor@cs.scarolina.edu (Harold Brian Raynor)\nSubject: Help needed on hidden line removal\nSummary: Need help with Roberts algorithm/Hidden line removal\nKeywords: hidden line graphics 3D\nOrganization: USC  Department of Computer Science\nDistribution: comp\nLines: 20\n\n\nI am looking for some information of hidden line removal using Roberts\nalgorithm.  Something with code, or pseudo code would be especially\nhelpful.\n\nI am required to do this for a class, due Monday (we have very little\ntime to implement these changes, it is a VERY FAST paced class).  The\nnotes given in class leave a LOT to be desired, so I would vastly\nappreciate any help.\n\nActually any algorithm would be nice (Roberts or no).  The main problem\nis two objects intersecting in x and y dimensions, need to know which\nlines to clip off so that one object will appear in front of another.\n\nIf you can give me an ftp address and filename, or even the name of a\ngood book, I'd REALLY appreciate it.\n\nThanks,\nBrian Raynor\n\n",
 "From: rlm@helen.surfcty.com (Robert L. McMillin)\nSubject: Re: Mix GL with X (Xlib,Xt,mwm)\nOrganization: Surf City Software/TBFW Project\nIn-Reply-To: graham@sparc1.ottawa.jade.COM's message of 19 Apr 1993 16:59:12 -0400\nLines: 21\n\nOn 19 Apr 1993 16:59:12 -0400, graham@sparc1.ottawa.jade.COM (Jay Graham) said:\n\n> I am developing an X (Xt,Xm) application that will include a graphics window\n> of some sort with moving symbols among other things.  A pure X application\n> could be implemented with Motif widgets, one of which would be an \n> XmDrawingArea for drawing with Xlib.  But I would like to take advantage of\n> the Graphics Library (GL) available on our IBM RS/6000 (SGI's GL i believe).\n\n> Is it possible to mix X and GL in one application program?\n> Can I use GL subroutines in an XmDrawingArea or in an X window opened by me\n> with XOpenWindow?\n\nIn SGI's distribution with their Indigo line (others as well, possibly),\nthey include source code for a GL widget that fits on top of Motif, and\none that's Xt based as well.  You may wish to ask IBM whether they\nsupport this.\n--\n\nRobert L. McMillin | Surf City Software | rlm@helen.surfcty.com | Dude!\n#include <std.disclaimer.h>\n\n",
 "From: bressler@iftccu.ca.boeing.com (Rick Bressler)\nSubject: Re: The 'pill' for Deer = No Hunting\nOrganization: Boeing Commercial Airplane Group\nLines: 37\n\n/ iftccu:talk.politics.guns / jrm@gnv.ifas.ufl.edu /  6:26 am  Apr 14, 1993 /\n\n>\tThe vast majority get through life without ever having to\n>\town, use or display a firearm.\n\n\nI suppose that depends on how you define 'vast' majority....\n\nYou are correct about 'majority.'  Somewhere between 1 out of three and \none out of 10 will at some period in their lives experience a violent \nassault.  The risk is generally higher than emergency medical problems\nlike heart attack and stroke.\n\n'Vast' is probably too loose a term.  With approximately 1,000,000 Americans\nusing firearms each year, over a 30 year period we get (roughly, since some\nmay have to do this more than once) 30 MILLION Americans with experience in \nusing firearms for self defense.  30/250 yields 12 percent of the population.\n(Yes, I know that is a REAL rough estimate.  We're closer to 270 million now, \nbut many of these are minors and should be included etc, thus the percentage\nif anything is low.)\n\nAt any rate, most minority groups in this range are not usually referred \nto as 'tiny' minorities, so I don't see how the other part of the group \ncan be referred to as the 'vast' majority.  A little more work might \nsupport a 'simple' majority of Americans never use, own or display a firearm.\n\nCertainly when you are talking about OWNERSHIP you are wrong.  Nearly half\nof your fellow citizens own one or more firearms.  \n\n>\t                               Besides, there are other\n>\tmeans of self-protection which can be just as effective\n>\tas firearms. \n\nPlease provide a list of other means that are as effective.  Then you might \nconvince your local police departments to switch.  Good luck.\n\nRick.\n",
 'From: cl056@cleveland.Freenet.Edu (Hamaza H. Salah)\nSubject: Re: Israeli Terrorism\nReply-To: cl056@cleveland.Freenet.Edu (Hamaza H. Salah)\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 30\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, ai843@yfn.ysu.edu (Ishaq S. Azzam) says:\n\n>\n>In a previous article, bc744@cleveland.Freenet.Edu (Mark Ira Kaufman) says:\n>\n>>\n>>   How many of you readers know anything about Jews living in the\n>>Arab countries?  How many of you know if Jews still live in these\n>>countries?  How many of you know what the circumstances of Arabic\n>>Jews leaving their homelands were?  Just curious.\n>>\n>>\n>>\n>\n>I thought there are no jews live in Arab countries, didn\'t hey move\n>all to Palestine?  "Only the happy jews did not move!!"\n>\n>Would you tell me which Arab country is prohipiting the Jews from\n>migrating to Palestine?\n\nthe last arab country was syria. but not all of them\nmigrated due to the jewish state economical and \nsecurital dilemma!\n\n>\n-- \n                  ___________________ cl056@cleveland.Freenet.Edu _____________\n                 (______   _  |   _  |_    \n_____ H A M Z A ________) |-| |_ |-| | |    foo i.e. most foo\n',
 "From: doug@hparc0.aus.hp.com (Doug Parsons)\nSubject: Re: 3d-Studio V2.01 : Any differences with previous version\nOrganization: HP Australasian Response Centre (Melbourne)\nX-Newsreader: TIN [version 1.1 PL8.5]\nLines: 10\n\nFOMBARON marc (fombaron@ufrima.imag.fr) wrote:\n: Are there significant differences between V2.01 and V2.00 ?\n: Thank you for helping\n\n\nNo.  As I recall, the only differences are in the 3ds.set parameters - some\nof the defaults have changed slightly.  I'll look when I get home and let\nyou know, but there isn't enough to actually warrant upgrading.\n\ndouginoz\n",
 'From: mike@gordian.com (Michael A. Thomas)\nSubject: Re: Good Neighbor Political Hypocrisy Test\nOrganization: Gordian; Costa Mesa, CA\nLines: 60\n\nIn article <C5IJ7H.L95@news.iastate.edu>, jrbeach@iastate.edu (Jeffry R Beach) writes:\n> In article <1993Apr15.021021.7538@gordian.com> mike@gordian.com (Michael A. Thomas) writes:\n> >In article <C5HuH1.241@news.iastate.edu>, jrbeach@iastate.edu (Jeffry R Beach) writes:\n> >> Think about it -- shouldn\'t all drugs then be legalized, it would lower\n> >> the cost and definitely make them safer to use.\n> >\n> >  Yes.\n> > \n> >> I don\'t think we want to start using these criterion to determine\n> >> legality.\n> >\n> >  Why not?\n> \n> \n> Where do they get these people?!  \n\n  What, pray tell, does this mean? Just who exactly is *they*?\nYou mean "they" as in people who do not blindly swallow every\npiece of propoganda they are given? Or "they" as in NOKD (not\nour kind, dear). Or "they" as in an appeal to some audience\nthat is supposed to implicitly know and understand?\n\n> I really don\'t want to waste time in\n> here to do battle about the legalization of drugs.  If you really want to, we\n> can get into it and prove just how idiotic that idea is!  \n\n  Read: I do not know what the fuck I\'m talking about, and am\nnot eager to make a fool of myself.\n \n> My point was that it is pretty stupid to justify legalizing something just\n> because it will be safer and cheaper.\n\n  From a pragmatic standpoint, there certainly is some justification\nif it is a vice people will commit anyway. Shall we criminalize\nalcohol again? If the re-legalization for alcohol were done from\nanything other than the pragmatic standpoint, I\'d be happy to hear \nabout it. The fact is that it wasn\'t.\n\n> A few more ideas to hold to these criterion - prostitution; the killing of all\n> funny farm patients, AIDS "victims", elderly, unemployed, prisioners, etc. -\n> this would surely make my taxes decrease.\n\n  Only the first one make any sense. There is nothing to "legalize"\nabout all the rest. Just in case you haven\'t made the connection \n(which I expect you haven\'t) the connecting theme in this thread is\na persons autonomy over their life and body. Vice statutes serve\nonly to make it more expensive for the rich and more dangerous\nfor the poor, as Tim so eloquently put it. People will, however,\ntake autonomy over their lives, regardless of what the government\nsays.\n  And why, pray tell, is AIDS "victim" in snear quotes? Are you of\nthe revisionist sort that thinks there is no such thing as the AIDS\nplauge? Or do they just deserve it?\n-- \n\n\t\tMichael Thomas\t(mike@gordian.com)\n\t"I don\'t think Bambi Eyes will get you that flame thrower..."  \n\t\t-- Hobbes to Calvin\n\t\tUSnail: 20361 Irvine Ave Santa Ana Heights, Ca,\t92707-5637\n\t\tPaBell: (714) 850-0205 (714) 850-0533 (fax)\n',
 'From: cheong@solomon.technet.sg (SCSTECH admin)\nSubject: Please Refresh On Internet Access To CompuServe\nNntp-Posting-Host: solomon.technet.sg\nOrganization: TECHNET, Singapore\nLines: 15\n\nHi,\n\nsometime ago there are some discussions on gaining CompuServe access thru\nthe Internet. But I seem to misplace those articles. Can someone please\nrefresh me where (which site) I can telnet to to gain access.\n\nHopefully I can download files as well.\n\n\nThanks,\n\n\nArthur Lim\nEmail : arthur@mailhost.scs.com.sg\n\n',
 'From: kehoe@netcom.com (Thomas David Kehoe)\nSubject: Re: How starters work really\nKeywords: fluorescent bulb starter neon\nOrganization: Netcom - Online Communication Services (408 241-9760 guest)\nLines: 35\n\n>>So when you turn on the power, this causes the bulb to work like a neon, \n>\n>Imprecise. This description\n>\n> 1. ignores the role of the ballast,\n> 2. misrepresents the heating effects in the starter.\n>\n>The bimetalic strip cools down immediately after the contacts\n\nI\'ve been thinking of sending into Mad magazine an idea for a \nparody, of those books entitled "How Things Work" that\nengineers buy their sons, which explain how engines, elevators,\nflourescent lights, etc. work.\n\nThe parody would be "How Things Really Work."  Under "Canned\nFood", on the left page you\'d see the description from \n"How Things Work": gleaming stainless steel equipment\npasteurizing the food to precisely the right temperature,\nthen sealing the can in an oxygen-free environment, etc.\n\nOn the right page you\'d see "How Things Really Work":\nbrain-dead workers sending disgusting food to the\ngleaming equipment -- rotting vegetables, parts of\nanimals people don\'t eat, barrels of sugar and chemicals.\n\nUnder "Elevators" you\'d see (on the left) computer geniuses\nworking out algorithms so that X number of people\nwaiting for Y elevators will get to Z floors in the shortest\ntime.  On the right, you\'d see giggling elevator controllers\nbehind a one-way mirror in the lobby choosing which people\nappear to be in the biggest hurry and making them wait longest.\n-- \n"Why my thoughts are my own, when they are in, but when they are out\nthey are another\'s." - Susannah Martin, hanged for witchcraft, 1692.\nThomas David Kehoe          kehoe@netcom.com         (408) 354-5926\n',
 "From: bclarke@galaxy.gov.bc.ca\nSubject: Fortune-guzzler barred from bars!\nOrganization: BC Systems Corporation\nLines: 20\n\nSaw this in today's newspaper:\n------------------------------------------------------------------------\nFORTUNE-GUZZLER BARRED FROM BARS\n--------------------------------\nBarnstaple, England/Reuter\n\n\tA motorcyclist said to have drunk away a $290,000 insurance payment in\nless than 10 years was banned Wednesday from every pub in England and Wales.\n\n\tDavid Roberts, 29, had been awarded the cash in compensation for\nlosing a leg in a motorcycle accident. He spent virtually all of it on cider, a\ncourt in Barnstaple in southwest England was told.\n\n\tJudge Malcolm Coterill banned Roberts from all bars in England and\nWales for 12 months and put on two years' probation after he started a brawl in\na pub.\n\n-- \nBruce Clarke       B.C. Environment\n                   e-mail: bclarke@galaxy.gov.bc.ca\n",
 'From: mad9a@fermi.clas.Virginia.EDU (Michael A. Davis)\nSubject: Slick 50, any good?\nOrganization: University of Virginia\nLines: 9\n\n\n     Chances are that this has been discussed to death already, and\nif so could someone who has kept the discussion mail me or direct me \nto an archive site. Basically,\nI am just wondering if Slick 50 really does all it says that it does.\nAnd also, is there any data to support the claim.  Thanks for any info.\n\nMike Davis\nmad9a@fermi.clas.virginia.edu\n',
 'From: oz@ursa.sis.yorku.ca (Ozan S. Yigit)\nSubject: Re: Public Service Translation No.2\nIn-Reply-To: dbd@urartu.sdpa.org\'s message of Fri, 16 Apr 1993 04: 57:08 GMT\nOrganization: York U. Student Information Systems Project\nLines: 54\n\nDavid posts a good translation of a post by Suat Kinikliouglu:\n\n[most of the original post elided]\n\n   [KK] ***** VATAN SEVGISI RUHLARI KIRDEN KURTARAN EN KUVVETLI RUZGARDIR *****\n\n   In translation, as a public service:\n\n[most of the translation elided]\n\n   ***** THE LOVE OF THE FATHERLAND IS THE STRONGEST OF ALL WINDS CLEANSING\n         FILTH OFF SOULS *****\n\nI think this part of the translation is questionable. Although I\nthink the original quote is plain silly, you made it sound as if\nit is coming from a neo-nazi youth. For example, Turks talk of a\n"motherland" not a Germanic "fatherland". Why "filth" instead of\n"dirt"? The indeterminacy of translation is a well-known problem\n[1] so one may have to "fudge", but with some care of course. Is\nthe following an equally valid translation?\n\nThe love of one\'s country is the strongest wind to cleanse one\'s\nsoul.\n\nSee my point?\n\nNevertheless, I think you translate well.\n\noz\n---\n[1] Willard Van Orman Quine\n    Word and Object\n    MIT Press, Cambridge, Mass\n    1960\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n',
 'From: wlsmith@valve.heart.rri.uwo.ca (Wayne Smith)\nSubject: Re: IDE vs SCSI\nOrganization: The John P. Robarts Research Institute, London, Ontario\nNntp-Posting-Host: valve.heart.rri.uwo.ca\nLines: 141\n\nIn article <C5LKEv.HpJ@feanor.xel.com> shaw@feanor.xel.com (Greg Shaw) writes:\n>: Why don\'t you start with the spec-sheet of the ISA bus first?\n>: You can quote SCSI specs till you\'re blue in the face, but if they\n>: exceed the ISA bus capability, then what\'s the point?\n>\n>Who said ISA was necessary?  EISA or VLB are the only interfaces worth\n>investing thousands of dollars (e.g. a new pc\'s worth of money ) in .\n\nThen don\'t complain (maybe it wasn\'t you) that SCSI was so expensive on\nPC\'s because all we\'ve had until a year or two ago was the ISA bus.\n(ie no one buys SCSI for ISA because ISA is slow)\nAre you saying that SCSI on an ISA bus is not an automatic winner when\ncompared to IDE?\n\n>You didn\'t read to carefully.  VLB-IDE uses the same connection mechanism\n>as standard IDE.  If transfer rate is limited by IDE, whether it\'s\n>interfaced to ISA, EISA or VLB matters not.\n\nI get different transfer rates out of my IDE when I change my ISA bus speed.\n\n>On mine, for one thing.  SCSI blows IDE out of the water, hands down.  If\n>IDE has better throughput, why isn\'t it used on workstations and file\n>servers?  \n\nIDE is just a variant of the old IBM- MFM AT controller.  (at least that\'s\nhow it looks from a software point of view).  It was never meant to be\nan all-encompassing protocal/standard to be implimented across different\nplatforms.\n\nIs there any argument that \nIDE can (or can\'t) transfer data from the IDE drive at least as fast as the\ndrive is able to provide the data?  Are SCSI versions of IDE drives able\nto deliver higher sustained transfer rates to their SCSI interface (because\nof a higher RPM platter, different arrangement of heads, etc?)?\n\n>: Given the original question (SCSI used only as a single hard drive\n>: controller),  is it then necessary to get a SCSI drive that will do\n>: at least 5, maybe 10 megs/sec for the SCSI choice to make any sence?\n>: What does a 200-400 meg 5 megs/sec SCSI drive cost?\n>\n>No, that\'s the nice thing -- on a multitasking OS, SCSI can use both drives\n>at once.  I\'ve got unix loaded on one of my pcs (along with windogs) and the OS can only use one of the two IDE drives at one time.  It\'s pretty ugly.\n\nIf data is going from one drive to another, and if SCSI has the ability to\nperform that transfer without the data having to go through the CPU or main\nmemory, then yes, that is the optimal way to do it.  As far as I know, IDE\ncan\'t do that.  But when the CPU wants data from both drives (data to be stored\nin main memory) are you saying that SCSI can grab data from both drives \nat the same time *and* store/transfer that data to main memory also at the\nsame time?  Working off 1 IRQ and 1 DMA channel on an ISA (or whatever) bus?\n\n>I just bought at Quantum 240 for my mac at home.  I paid $369 for it.  I\n>haven\'t seen IDE drives cheaper.\n\nA friend of mine just got a Maxtor 245 meg IDE drive for $320.  (that\'s 245\nmillion bytes, or 234 mega-bytes).  With the basic $20 interface, he gets\nclose to 1 meg/sec transfer on his 286-20.  Does your figure include a few\nhundred $$$ for SCSI drivers?\n\n>No, actually, we\'re talking about SCSI being expensive simply because\n>nobody did a common interface for the PC.  If they had a common (read:\n>easily implemented) method of adding scsi to a PC (like as in a Sun or\n>Mac), then you\'d find SCSI the connection medium of choice.\n\nSo you\'re saying that SCSI would have been the default interface type,\nconsidering that the vast majority of PC\'s don\'t have cd-rom drives or\ntape backups or etc?  That most PC\'s only have (or had) 1 hard drive and\nrun DOS?  That SCSI hard drives cost a lot more than MFM or RLL drives\nat the time?  (and how common were SCSI drives under 80 megs 4 to 10 years\nago?)  There\'s a lot more than the lack of a common interface card that\nprevented SCSI from becoming the connection medium of choice.\n\n>: I won\'t argue that the SCSI standard makes for a good, well implimented\n>: data highway, but I still want to know why it intrinsically better\n>: (than IDE, on an ISA bus) when it comes to multi-tasking OS\'s when\n>: managing data from a single SCSI hard drive.\n>\n>On a single drive, SCSI is more expensive.\n\nBut on that point, is it faster?  This is what all this is about.  Do you\nget more performance for the money.  For all the people that will only have\na single hard drive in their system (regardless of the OS) will the SCSI\nchoice really give them more performance than IDE?\n\n>But, you bought your PC for\n>expandibility, so, you\'d want to add more drives or whatever.\n\nTrue, but expandibility can also start on the bus, which means the option\nis there for cd-rom drives or tape backups that run off their own cards.\n\n>\t1.  You can add many different types of devices and access them \n>\tconcurrently.\n\nNo argument.  This is always held up to the first time SCSI buyer as the\nbest reason.  But how many SCSI devices will the first time SCSI buyer\neventually acquire?  Again does it make sense to go SCSI for a single\nhard drive system?\n\n>\t2.  A SCSI device works on many different machines (I have a mac\n>\tand a PC at home and moving hard drives between them is VERY nice\n>\twith SCSI -- hook them up and away they go)\n\nWith all the postings on the SCSI I or II specs, are you really sure that\nPC and Apple SCSI hard drives are compatible?  And even if they are, \nis the data accessible from either machine (ie are there no formatting/\npartitioning or file table differences?)  Is it really plug\'n\'play?\n\n>\t3.  SCSI devices work together better than IDE devices.  For\n>\tinstance, recently, I added an older connor 100 meg IDE to a maxtor\n>\t212 meg IDE.  The connor *MUST* be setup as the slave.  It will\n>\twork no other way.  On SCSI, you set the address, check the\n>\ttermination, plug it in, and away it goes.\n\nSo the C: drive on the connor becomes a logical D: drive to DOS.  Is this\nreally a problem?  \n\n>\t4.  I have a problem with IDE\'s mutual exclusion - I notice that\n>\tthe time it takes to switch from accessing drive c: to drive d: is\n>\tquite long as compared to the time it takes to switch from drive c:\n>\tto d: on a SCSI system.  Under a multitasking OS, this is very\n>\tnoticable, as many things can be going on at once.\n\nAfter having two IDE drives in my system for temporary file transfers,\nI have never seen any differences when switching between drives, nor\nhave I ever seen any differences when transfering files between drives or\nto/from the same drive.\n\n>One neat thing that I\'ve noticed lately (a fringe benefit) has been the\n>ability to add older (almost dead) drives as storage on a SCSI system with\n>little problem -- we\'ve got a bunch of almost dead 20 meg drives that I\'ve\n>added to my PC.  I\'ve now got the interface full, but, it does allow me to\n>have 4 20 meg drives, 1 240 meg drive, 1 tape drive, and 1 105 meg drive\n>all on the same card.  \n\nThat is nice (as long as the power supply can keep up).  I do believe that\nthere is the possibility for up to 4 IDE drives on a PC.\n\n>Simply put, SCSI is handier than IDE.  No mysterious jumpers to figure out.\n\nBut what about "mysterious" (and expensive) drivers to figure out?  At least\nIDE doesn\'t require drivers that consume precious conventional (DOS) memory.\n',
 'From: mmaser@engr.UVic.CA (Michael  Maser)\nSubject: Re: extraordinary footpeg engineering\nNntp-Posting-Host: uglv.uvic.ca\nReply-To: mmaser@engr.UVic.CA\nOrganization: University of Victoria, Victoria, BC, Canada\nLines: 38\n\n--In a previous article, exb0405@csdvax.csd.unsw.edu.au () says:\n--\n-->Okay DoD\'ers, here\'s a goddamn mystery for ya !\n-->\n-->Today I was turning a 90 degree corner just like on any other day, but there\n-->was a slight difference-  a rough spot right in my path caused the suspension\n-->to compress in mid corner and some part of the bike hit the ground with a very\n-->tangible "thunk".  I pulled over at first opportunity to sus out the damage. \n--== some deleted\n-->\n-->Barry Manor DoD# 620 confused accidental peg-scraper\n-->\n-->\n--Check the bottom of your pipes Barry -- suspect that is what may\n--have hit.  I did the same a few years past & thought it was the\n--peg but found the bottom of my pipe has made contact & showed a\n--good sized dent & scratch.\n\n-- Believe you\'d feel the suddent change on your foot if the peg\n--had bumped.  As for the piece missing -- contribute that to \n--vibration loss.\n\nYep, the same thing happened to me on my old Honda 200 Twinstar.\n\n\n*****************************************************************************\n*  Mike Maser                | DoD#= 0536 | SQUID RATING: 5.333333333333333 *\n*  9235 Pinetree Rd.         |----------------------------------------------*\n*  Sidney, B.C., CAN.        | Hopalonga Twinfart     Yuka-Yuka EXCESS 400  *\n*  V8L-1J1                   | wish list: Tridump, Mucho Guzler, Burley     *\n*  home (604) 656-6131       |            Thumpison, or Bimotamoeba         *\n*  work (604) 721-7297       |***********************************************\n*  mmaser@sirius.UVic.CA     |JOKE OF THE MONTH: What did the gay say to the*\n*  University of Victoria    |                    Indian Chief ?            *\n*  news: rec.motorcycles     |    ANSWER: Can I bum a couple bucks ?        *\n*****************************************************************************\n\n\n',
 'From: jlevine@rd.hydro.on.ca (Jody Levine)\nSubject: Re: Countersteering_FAQ please post\nOrganization: Ontario Hydro - Research Division\nLines: 18\n\nIn article <ls1v14INNjml@earth.cs.utexas.edu> mcguire@cs.utexas.edu (Tommy Marcus McGuire) writes:\n>\n>Obcountersteer:  For some reason, I\'ve discovered that pulling on the\n>wrong side of the handlebars (rather than pushing on the other wrong\n>side, if you get my meaning) provides a feeling of greater control.  For\n>example, rather than pushing on the right side to lean right to turn \n>right (Hi, Lonny!), pulling on the left side at least until I get leaned\n>over to the right feels more secure and less counter-intuitive.  Maybe\n>I need psychological help.\n\nI told a newbie friend of mine, who was having trouble from the complicated\nexplanations of his rider course, to think of using the handlebars to lean,\nnot to turn. Push the right handlebar "down" (or pull left up or whatever)\nto lean right. It worked for him, he stopped steering with his tuchus.\n\nI\'ve        bike                      like       | Jody Levine  DoD #275 kV\n     got a       you can        if you      -PF  | Jody.P.Levine@hydro.on.ca\n                         ride it                 | Toronto, Ontario, Canada\n',
 'From: johnston@me.udel.edu (Bill Johnston)\nSubject: Re: Apple Tape backup 40SC under System 7.x\nKeywords: backup, tape,\nNntp-Posting-Host: me.udel.edu\nOrganization: University of Delaware\nLines: 22\n\nIn article <1pskkt$3ln@fnnews.fnal.gov> b91926@fnclub.fnal.gov (David Sachs) writes:\n>In article <generous.734035090@nova>, generous@nova.sti.nasa.gov (Curtis Generous) writes:\n\n>|> I need to get an Apple 40SC tape backup unit working under\n>|> Sys 7.0.x, but do not have any drivers/software to access the device. \n\n>Retrospect (Dantz) works nicely with this combination.\n\nI also use Retrospect, but I noticed that Central Point Software\'s\n"MacTools Backup" also supports the Apple tape drive under 7.x. \nThe Apple tape drive is quite slow, so the advantages of Retrospect\nrelative to the simpler MacTools Backup are less significant than \nmight be the case for someone backing up a large server to a DAT drive.  \n\nUsed Apple tape drives are going for ~$100, so it might make less\neconomic sense to pay an extra ~$140 for Retrospect when MacTools \nis cheaper and includes other worthwhile utilities.\n\nRetrospect is nice, though, and I\'m probably going to upgrade to 2.0.\n-- \n-- Bill Johnston (johnston@me.udel.edu)\n-- 38 Chambers Street; Newark, DE 19711; (302)368-1949\n',
 'From: CSP1DWD@MVS.OAC.UCLA.EDU (CSP1DWD)\nSubject: Duo parking HD heads when iddle\nNntp-Posting-Host: mvs.oac.ucla.edu\nLines: 8\n\nThe Duo Powerbooks seem to park the heads after a few seconds of\ninactivity... is that builtin into the drive logic or is it being\nprogrammed via software, any way to tune the iddle timeout that\nmakes the heads park themselves... I think the heads are being\nparked since after a few seconds of inactivity you can hear the\nclunk of heads parking.\n\n-- Denis \n',
 "From: lfoard@hopper.Virginia.EDU (Lawrence C. Foard)\nSubject: Re: Once tapped, your code is no good any more.\nOrganization: ITC/UVA Community Access UNIX/Internet Project\nLines: 16\n\nIn article <1993Apr22.065357.9667@cs.aukuni.ac.nz> pgut1@cs.aukuni.ac.nz (Peter Gutmann) writes:\n[article deleted]\n>\n>Just doing a quick reality check here - is this for real or did someone\n>invent it to provoke a reaction from people?  It sounds more like the\n>sort of thing you'd have heard, suitably rephrased, from the leader of a \n>certain German political party in the 1930's....\n\nIt sounds like a joke (but then the war on drugs has always been a joke...).\n\n-- \n------          Join the Pythagorean Reform Church!               .\n\\\\    /        Repent of your evil irrational numbers             . .\n \\\\  /   and bean eating ways. Accept 10 into your heart!        . . .\n  \\\\/   Call the Pythagorean Reform Church BBS at 508-793-9568  . . . .\n    \n",
 'From: mmchugh@andy.bgsu.edu (michael mchugh)\nSubject: Pink Floyd 45 rpm singles for sale\nKeywords: Pink Floyd rpm singles\nOrganization: Bowling Green State University B.G., Oh.\nLines: 17\n\n\nI have the following 45 rpm singles for sale. Most are collectable 7-inch \nrecords with picture sleeves. Price does not include postage which is $1.21 \nfor the first record, $1.69 for two, etc.\n\n\nPink Floyd|Learning to Fly (Columbia Promo/Picture Sleeve)|$5\nWaters, Roger|Sunset Strip (Columbia Promo/Picture Sleeve)|$10\nWaters, Roger|Sunset Strip (Columiba Promo)|$5\nWaters, Roger|Who Needs Information (Columiba Promo)|$10\n\n\nIf you are interested, please contact:\n\nMichael McHugh\nmmchugh@andy.bgsu.edu\n\n',
 "From: warped@cs.montana.edu (Doug Dolven)\nSubject: Mel Hall\nOrganization: CS\nLines: 9\n\n\nHas anyone heard anything about Mel Hall this season?  I'd heard he wasn't\nwith the Yankees any more.  What happened to him?\n\n\t\t\t\tDoug Dolven\n-- \nDoug Dolven\nwarped@cs.montana.edu\ngdd7548@trex.oscs.montana.edu\n",
 'From: loving@lanai.cs.ucla.edu (Mike Loving)\nSubject: specs on eprom data formats\nNntp-Posting-Host: lanai.cs.ucla.edu\nOrganization: UCLA, Computer Science Department\nLines: 10\n\n\nI need the specs on various eprom data formats such as Intel Hex, Motorola S\nJEDEC etc.\n\n\nCan anyone out there provide such info or a pointer to it?\nThe one I want the most is Intel Hex.\n\nMike\n\n',
 'From: jyow@desire.wright.edu\nSubject: CAMERA: Olympus Stylus, super small\nOrganization:  Wright State University \nLines: 9\n\nOlympus Stylus, 35mm, pocket sized, red-eye reduction, timer, fully automatic.\nTime & date stamp, carrying case.  Smallest camera in its class.\nRated #2 in Consumer Reports.  Excellent condition and only 4 months old.\nWorth $169.95.  Purchased for $130.  Selling for $100.  \n-- \n************************************************************************\nJason Yow\t\t\t\tHuman Factors Psychology Program\nWright State University, Dayton, OH\tE-mail: jyow@desire.wright.edu\n************************************************************************\n',
 'Subject: Re: Drinking and Riding\nFrom: bclarke@galaxy.gov.bc.ca\nOrganization: BC Systems Corporation\nLines: 11\n\nIn article <C514ut.A5I@magpie.linknet.com>, manes@magpie.linknet.com (Steve Manes) writes:\n{drinking & riding}\n> It depends on how badly you want to live.  The FAA says "eight hours, bottle\n> to throttle" for pilots but recommends twenty-four hours.  The FARs specify\n> a blood/alcohol level of 0.4 as legally drunk, I think, which is more than\n> twice as strict as DWI minimums.\n\n0.20 is DWI in New York?  Here the limit is 0.08 !\n-- \nBruce Clarke       B.C. Environment\n                   e-mail: bclarke@galaxy.gov.bc.ca\n',
 'From: Seth Adam Eliot <se08+@andrew.cmu.edu>\nSubject: Re: 2ND AMENDMENT DEAD - GOOD !\nOrganization: Doctoral student, Materials Science and Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 58\nNNTP-Posting-Host: po3.andrew.cmu.edu\nIn-Reply-To: <1993Apr18.001319.2340@gnv.ifas.ufl.edu>\n\nExcerpts from netnews.talk.politics.guns: 18-Apr-93 2ND AMENDMENT DEAD -\nGOOD ! by jrm@gnv.ifas.ufl.edu \n> Yea, there are millions of cases where yoy *say* that firearms\n> \'deter\' criminals. Alas, this is not provable. I think that that\n> there are actually *few* cases where this is so. \n\nexcerpted from a letter I wrote a while ago:\n\n     Although less apparent to those who have not researched\nthe facts, personal protection is as legitimate a reason  as\nsport for the private citizen to own a gun.  The most recent\nresearch  is  that  of Dr. Gary Kleck of the  Florida  State\nUniversity  School of Criminology.1  He found that  handguns\nare  more  often  used by victims to defeat  crime  than  by\ncriminals to commit it (645,000 vs. 580,000 respectively  in\nthis  study).  These figures are even more encouraging  when\nyou  consider the number of crimes that never occur  because\nof  the  presence  of a gun in the hands  of  a  law-abiding\nprivate  citizen.  In a National Institute of Justice  study\nof  ten state prisons across the country they found that 39%\nof  the  felons  surveyed had aborted  at  least  one  crime\nbecause  they believed that the intended victim was  armed.,\nand  57% agreed that "most criminals are more worried  about\nmeeting an armed victim than they are about running into the\npolice."2\n     One  of the most heinous of crimes is that against  the\nwomen  of  this country.  It has been my recent  observation\nthat  more  women  are purchasing handguns  for  defense  in\nresponse  to  the  present danger of these  assaults.   This\nshould be taken as encouraging news if the events of Orlando\nFlorida  are any indicator.  In the late 1960\'s  the  female\npopulace was plagued with a series of brutal assaults;  just\nthe  publicity of the record number of women buying guns and\nobtaining training resulted in an 88% decrease in  rape  for\nthat  area,  the  only city of its size in  the  country  to\nexperience a decrease of crime for that year.  Additionally,\na 1979 US Justice Department study of 32,000 attempted rapes\nshowed  that overall, when rape is attempted, the completion\nrate  is 36%. But when a woman defends herself with  a  gun,\nthe completion rate drops to 3%.\n \n1 G Kleck, Point Blank: Guns and Violence in America Aldine\nde Gruyter, NY, 1991\n2 JD Wright & PH Rossi Armed and Considered Dangerous:  A\nSurvey of Felons and Their Firearms, Aldine de Gruyter, NY,\n1986\n-------\n\n__________________________________________________________________________\n[unlike cats] dogs NEVER scratch you when you wash them. They just\nbecome very sad and try to figure out what they did wrong. -Dave Barry\n           \nSeth Eliot                    Dept of Material Science and Engineering\n                              Carnegie Mellon Univerity,   Pittsburgh, PA\nARPA    :eliot+@cmu.edu       |------------------------------------------\n   or    se08+@andrew.cmu.edu |\nBitnet:  se08%andrew@cmccvb   |      \n------------------------------|\n',
 'From: af664@yfn.ysu.edu (Frank DeCenso, Jr.)\nSubject: BIBLICAL CONTRADICTIONS ANSWERED (Judas)\nOrganization: Youngstown State/Youngstown Free-Net\nLines: 591\nNNTP-Posting-Host: yfn.ysu.edu\n\n\nI posted this several days ago for Dave Butler.  He may have missed it - my\nUsenet board has changed a little.  Just in case he missed it, here it is again.\n\n\nDave Butler writes...\n \nFrom: daveb@pogo.wv.tek.com (Dave Butler)\n>Newsgroups: talk.religion.misc\nSubject: Re: NEW BIBLICAL CONTRADICTIONS [Fallaciously] ANSWERED (Judas)\nDate: Thu Apr  1 20:52:11 1993\n \n"I can basically restrict this post to showing the type of evidence Mr DeCenso\nhas presented, and answering his two questions (and a couple of his spurious\ninsults and false claims)."\n \nMY REPLY...\nO.K.\n \nDB...\n[By the way Mr DeCenso, you really should have looked in the index of your\nBauer-Arndt-Gingrich Greek lexicon.  You would have found that the word in\nActs for "lot" is "kleros," not "CHORION" as stated by Mr Archer, and nowhere\nin the very large discussion of kleros in done the to "Theological Dictionary\nof the New Testament" by Bromley, is the meaning "burial plot" discussed.  It\ndiscusses the forms of "kleros" (eg: kleros, kleroo, etc), and the various\nmeanings of "kleros" (eg: "plot of land," and "inheritance"), but mentions\nnothing about CHORION or "burial plot." (Why does this not surprise me?) Thus\nit would seem to be a very good thing you dumped Archer as a reference.]\n \nDB later corrected himself...\n_____________________________________________________________________\nFrom: daveb@pogo.wv.tek.com (Dave Butler)\n>Newsgroups: talk.religion.misc\nSubject: Re: NEW BIBLICAL CONTRADICTIONS [Fallaciously] ANSWERED (Judas)\nDate: Fri Apr  2 02:32:11 1993\n \nI owe the group an apology.  It is my habit to check my articles before and\nafter their submission for errors.  In my last article I stated:\n \n> (By the way Mr DeCenso, you really should have looked in the index of your\n> Bauer-Arndt-Gingrich Greek lexicon.  You would have found that the word in\n> Acts for "lot" is "kleros," not "CHORION" as stated by Mr Archer, and nowhere\n> in the very large discussion of kleros in done the to "Theological Dictionary\n> of the New Testament" by Bromley, is the meaning "burial plot" discussed.  It\n> discusses the forms of "kleros" (eg: kleros, kleroo, etc), and the various\n> meanings of "kleros" (eg: "plot of land," and "inheritance"), but mentions\n> nothing about CHORION or "burial plot." (Why does this not surprise me?) Thus\n> it would seem to be a very good thing you dumped Archer as a reference).\n \nI was wrong. I admit that I do not have a handle on Greek grammar, and thus\nconfused "kleros", the second to last word in Acts 1:17 as being the plot of\nland discussed.  In actuality it is "chorion", which is the last word Acts\n1:18.  Unfortunately my Greek dictionary does not discuss "chorion" so I\ncannot report as to the nuances of the word.\n \nI don\'t know if someone else would have caught this, though I am sure that\nsomeone would be able to do so, but I have an aversion to disseminating\nmistakes, especially when someone else might use that mistake to prove a point"\n \n_____________________________________________________________________\n \nMY REPLY...\nVary noble of you Dave.  I didn\'t want to have to go to x number of sources to\nshow you wrong.  (Although I am researching CHORION a little).\n \nDB...\n"Of course the only other reference Mr DeCenso has given is Bullinger.  And\nBullinger uses such ridiculous exegisis that when I accused Mr DeCenso of\nactually believing Bullinger, he replied that I misquoted him:\n \n>> "And you maintain that you find such exegesis convincing?  Oh dear."\n>\n> My Reply...\n> Your misquotes of me are astounding, Dave.  Read the beginning of this part\nof > my response to see what I REALLY said in my posting of this article.\n \n [Actually Mr DeCenso, you said that there was "benefit" to our argument, in\n  that it caused to to rediscover Bullinger\'s exegisis.  I did not realize\n  that you would find such garbage beneficial, unless you were convinced by\n  it]."\n \nMY REPLY...\nThank you for correcting your restating of my points.\n \nDB...\n"and Mr DeCenso also replied:\n \n> Dave, these are not necessarily my views; they are Bullinger\'s.  WE will\n> discuss the land issue in later posts, I\'m sure.  I\'m only responding to\n>this one you have directed re: Bullinger\'s views because it\'s enjoyable.\n \nThus I apologize for thinking that even Mr DeCenso could find such "drek"\nconvincing....he should specify which parts of Bullinger he finds convincing\nand quit hiding behind a disingenuous mask of "This is what Bullinger\nbelieved, not necessarily what I believe." So which is it Mr DeCenso? Do you\nfind the exegisis convincing or not?)"\n \nMY REPLY...\nOne of my purposes in debating these alleged contradictions with you and\nothers is to diseminate many different views of possible reconciliations\nraised by various Bible scholars and students alike.  When I present MY VIEWS,\nI will clearly distinguish them from now on.\n \nDB...\n"Of course without Archer and Bullinger we find that Mr DeCenso has presented\nno Greek exegisis at all, and Mr DeCenso has made a big thing about my not\nreferring back to the actual Greek.  Thus we find this demand on his part for\nquality Greek exegisis to be a hypocritical requirement."\n \nMY REPLY...\nGood point.  But in your declaring that these passages are contradictory, you\nhave produced only superficial reasonings and observations. Nor have you dug\ndeeper.  I\'m glad you have begun in this post.  I will begin Greek studies on\nthese passages in more depth than I thought necessary, as well.\n \nDB...\n"It would be appropriate to look at what Mr DeCenso has actually USED as\nevidence.  Now we know what he claims for a standard, as he has stated it\noften enough:\n \n> (a) the text itself\n> (b) parallel passages\n> (c) other pertinent Scriptures\n> (d) historical context\n> (e) historical content\n> (f) other pertinent historical info\n> (g) cultural context\n> (h) cultural content\n> (i) other pertinent cultural info\n> (j) grammatical construction\n> (k) Hebrew and Greek word studies\n> (l) etc.\n \nBut are these actual standards he has used, or simply empty hyperbole.  Let\'s\nsee, he has used (a), and since he is trying to reconcile it to other\npassages, we see that he has also used (b).  On the other hand he has\npresented no use of:\n \n(d) historical context                or\n(e) historical content                or\n(f) other pertinent historical info   or\n(g) cultural context                  or\n(h) cultural content                  or\n(i) other pertinent cultural info     or\n(j) grammatical construction          or even\n(k) Hebrew and Greek word studies [remember, Archer and Bullinger don\'t count]\n \nThus we find his vaunted criteria for exegisis is just empty mouthings."\n \nMY REPLY...\nQuestion:  Do you find such criteria important?  If so, do you plan on starting\nto use them to the best of your ability, or will you continue to present\nshallow observations (I don\'t mean this in a bad way).\nAt this point in our _debates_, I have not found it necessary to present a\ntotal exegetical analysis of these passages, since we seem to keep beating\naround the bush and not getting into the core of the verses.  I do not believe\nit necessary to use many of the above criteria to refute your arguments re:\nJudas in Acts and Matthew, but I will do my best from this point on to use\nseveral of the above criteria, since you desire me to.  I hope you will also.\nIt will greatly enhance our study of these passages.\n \nDB...\n"The only thing he has actually used, beyond the passage itself, is any other\npassage.  Thus Mr DeCenso should be honest and note that most of his list is\nred herring and his only real criteria seems to be:\n \n> (a) the text itself\n> (b) parallel passages\n \nMY REPLY...\nThe reason is simple...you are mistating the passages.  You claim that the\nPASSAGES contradict one another; I do not see the PASSAGES contradicting one\nanother.\n(1) They may very well be complimentary, as many scholarly sources mention;\n(2) Matthew may not be presenting Judas\' death, as you claim.  But we\'ll look\nat your defense of this later.\n \nAlso, the "reward of iniquity" in the Acts PASSAGE may not be the 30 pieces of\nsilver in Matthew\'s PASSAGES.  (Although you have a valiant attempt later at\nstating why you believe it is).\n \nAt this beginning stages in our debates, we are laying some Scriptural\ngroundwork, which will be expanded upon through deeper exegesis.\n \nDB...\n"Of course the only reason I can see to so drastically reinterpret a passage\nas he has done with Judas\' death, is to make it agree with another passage so\nthat both could be considered correct."\n \nMY REPLY...\nOne of the reasons I have given a different exegetical view of the passages is\nthat you seem to think the majority of scholarship is wrong in concluding these\npassages are complimentary.  However, I see no problem in Tony Rose\'s\nexplanation of Judas\' death...\n \n_____________________________________________________________________\n \nHOW WOULD YOU EXPLAIN THE INACCURACY BETWEEN JUDAS HANGING\nHIMSELF IN MATTHEW 27:5 AND "FALLING HEADLONG HE BURST OPEN"\n=============================================================\n \nThis question of the manner in which Judas died is one with which we are\nconstantly confronted in our travels. Many people point to the apparent\ndiscrepancy in the two accounts as an obvious, irreconcilable error.\nSome have gone so far as to say that the idea of an inerrant Bible is\ndestroyed by these contradictory accounts. However, this is not the case at\nall.\nMatthew relates that Judas hanged himself, while Peter tells us he fell and\nwas crushed by the impact. The two statements are indeed different, but do\nthey necessarily contradict each other?\nMatthew does not say that Judas did not fall; neither does Peter say that\nJudas did not hang himself. This is not a matter of one person calling\nsomething black and the other person calling it white. Both accounts can be\ntrue and supplementary.\nA possible reconstruction would be this: Judas hanged himself on a tree on the\nedge of a precipice that overlooked the valley of Hinnom. After he hung there\nfor some time, the limb of the tree snapped or the rope gave way and Judas\nfell down the ledge, mangling his body in the process.\nThe fall could have been before *or* after death as either would fit this\nexplanation. This possibility is entirely natural when the terrain of the\nvalley of Hinnom is examined.  From the bottom of the valley, you can see\nrocky terraces 25 to 40 feet in height and almost perpendicular.\nThere are still trees around the ledges and a rocky pavement at the bottom.\nTherefore, it is easy to conclude that Judas struck one of the jagged rocks on\nthis way down, tearing his body open. It is important to remember that we are\nnot told how long Judas remained hanging from the tree or how advanced\nwas the decomposition of his body before his fall.\nLouis Gaussen relates a story of a man who was determined to kill himself.\nThis individual placed himself on the sill of a high window and pointed a\npistol at his head. He then pulled the trigger and leaped from the window at\nthe same time.\nOn the other hand, a person could say that this man took his life by shooting\nhimself, while another could rightly contend he committed suicide by jumping\nform the tall building. In this case, both are true, as both are true in the\ncase of Matthew\'s and Peter\'s accounts of the death of Judas. It is merely a\nsituation of different perspectives of the same event.\n \n_____________________________________________________________________\n \nYour only reason for rejecting this is, I believe, your attempt to discredit\ninerrancy.  You haven\'t related how this is IMPOSSIBLE or highly unlikely.\nHere\'s what you said in an earlier post...\n \n_____________________________________________________________________\nDB [quoting Tony Rose]...\n> There are still trees around the ledges and a rocky pavement at the bottom.\n> Therefore, it is easy to conclude that Judas struck one of the jagged rocks\n> on this way down, tearing his body open. It is important to remember that we\n>                                          ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n> are not told how long Judas remained hanging from the tree or how advanced\n> ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n> was the decomposition of his body before his fall.\n \n"The added text in this version is so heavy that, assuming you are truly so\nopposed to such tactics, you should find it not credible.  But you seem to\nfind Tony Rose\'s eisegesis satisfactory, while clearly rejecting David\nJoslin\'s."\n \n_____________________________________________________________________\n \nHere, you discredit Tony\'s explanation based on what you deem too "heavy" for\nthe passages.  But you haven\'t addressed why you feel that way.  You can say\nit\'s a vain attempt to reconcile the contradiction, but that doesn\'t tell me it\ndidn\'t happen, nor have you shown why you reject that possibility.\n \nQuestions:  Is Matthew lying or is Luke lying?  Or are they both lying?  Or\nare either or both of them misinformed?  Why do you think there is such an\nalleged contradiction?  I do not think you have ever told us what you believe\nin this respect.\n \nDB...\n"At present though, Mr DeCenso only asks two questions of me:\n \n> (1) You claim Acts and Matthew contradict one another in representing Judas\'\n>     death.  I ask you again to provide evidence that Matthew stated Judas\n>     died in the hanging.\n> (2) You claim that the 30 pieces of silver in Matthew that Judas threw down\n>     in the temple and the chief priests used, is the "reward of iniquity"\n>     in Acts that pictures Judas in some way purchasing a field with;\n>     therefore there is a contradiction.  Prove that the 30 pieces of silver\n>     and the "reward of iniquity" are one and the same.\n \nActually I find question (1) to be a rather stupid request, but I will answer\nit because he now restricts himself to two points.  First I would point out\nthat hanging is a very efficient manner for ending a life.  In fact it is a\nbit of a fluke when someone survives hanging (except in fantasy cowboy\nmovies), and even then it usually referred to as an attempted hanging."\n \nMY REPLY...\nI work at an agency that investigates child abuse and neglect.  Today, I got a\ncall re: a child that attempted suicide by hanging himself because his mother\nis on crack.  He failed in his attempt and is in a child\'s psych ward at a\nlocal hospital.  Hanging attempts are not always successful.\n \nTo assume that because most hangings are successful, this one was also is\n"begging the question", if I may quote you.\n \n[Last night, listening to _The Bible Answer Man_ broadcast, The Christian\nResearch Institute\'s show, one of the scholars on there used several of these\nterms that you use.  I am not all that familiar with them.  The man on the BAM\nshow teaches Comparative Religion and Logic.  It was interesting]\n \nDB...\n"This is so prevalent that, so that to say a man hung himself with no other\nqualifiers is synonymous with stating that he killed himself."\n \nMY REPLY...\nQualifiers are important at times, as we\'ll see in an OT passage I\'ll mention\nbelow.\nDoes hanging ALWAYS have this outcome?  Did Matthew, who is the only source we\nhave re: Judas hanging himself, state that Judas died as a result?  To say it\'s\nsynonymous means it has the same meaning as.  A boy (age 14) hung himself.  But\nhe lived.  This is only one of probably thousands of documented cases we can\ndiscover.\n \nDB...\n"Now I am not alone in this thought; in fact, since Mr DeCenso so respects\nChristian scholarly (including Greek scholars) opinion, I did some research."\n \nMY REPLY...\nThank you, Dave.\n \nDB...\n"Interestingly, not one of the Christian references I read, interpreted the\nhanging as being anything but a fatal suicide.              ^^^^^^^^^^^\n \nMY REPLY...\n[^^^ above, mine]\nSo it\'s OK to use Christian sources to back your points?  What about Tony\'s\nposition.  Do you value it or even consider it as a valid possibility?\n \nAlso, is it possible that the sources you read may be wrong, or lying, or\ndeceived in other parts of their books?  If so, should we do, as we have done\nwith Archer, toss them to the side and not value anything they say, including\ntheir "interpretation" of the hanging of Judas?  I am sure _you_ would find\nsome errors and maybe even some deception in those sources.\n \nYou also noted they "interpreted" the hanging as meaning he died.  Although\nthat is very possibly true, do you find that in the text itself?  Remember,\nthat\'s the first criteria we must examine.\n \nDB...\n"This included:\n \n    "The Biblical Knowledge Commentary" by Woodward and Zuck"\n \nMY REPLY...\nWhich I own.  It\'s a good source of commentary info.  But not inerrant.\n \nDB...\n    "The Interpreters on Volume Commentary on the Bible" by Laydon\n    "The one volume Bible Commentary" by J R Dunelow\n    "Word meanings of the Testament" Ralph Earl\n    "The Abingdon Bible Commentary" published by Abingdon\n    "Harpers Bible Commentary" by William Neal\n     (Actually I could have presented many more as well)\n \nMY REPLY...\nI appreciate your doing this research, Dave.  Maybe we are getting somewhere\nin how we both should approach these alleged contradictions - more in depth\nstudy.\n \nDB...\n"In each case, these references specifically describe that the interpretation\nof Matt 27:5 as successful, suicide and thus I can only conclude that the\n                                        ^^^^^^^^^^^^^^^^^^^^^^^^\nGreek word "apagchw"(ie: hang oneself) is translated as a successful hanging."\n \nMY REPLY...\n[^^^ above, mine]\nNo you can\'t only conclude this, although, as Tony says, this was a highly\nprobable outcome.  But Matthew does not state death as being a result.\n \nThe Greek word is APAGCHO.  Matthew 27:5 is it\'s only occurrence in the New\nTestament.\n \nIn the Septuagint (the Greek translation of the OT used at the time of Jesus),\nit\'s only used in 2 Samuel 17:23 : "Now when Ahithophel saw that his advice was\nnot followed, he saddled a donkey, and arose and went home to his house, to his\ncity. Then he put his household in order, and hanged himself, and died; and he\nwas buried in his father\'s tomb."             ^^^^^^^^^^^^^^^^^^^^^^^^\n \nNotice that not only is it stated that Ahithophel "hanged himself" [Gr. Sept.,\nAPAGCHO], but it explicitly adds, "and died".  Here we have no doubt of the\nresult.\nIn Matthew, we are not explicitly told Judas died.\n \nAlso, there is nothing in the Greek to suggest success or failure.  It simply\nmeans "hang oneself".\n \nDB...\n"But Mr DeCenso, you are more than welcome to disagree and show more reputable\n                                                                     ^^^^^^^^^\nChristian scholars that insist that the hanging was not successful."\n \nMY REPLY...\n[^^^above, mine]\n"Reputable"?  You mean ones that have never erred?\nAs far as   insisting that the hanging was unsuccessful, that can\'t be done,\neven by me. ^^^^^^^^^\n \nAs I said in an earlier post...\n \n_____________________________________________________________________\nAlthough I still agree with Tony\'s exegesis as being the most probable\nexplanation regarding Judas\' death (taking into account several criteria),\nI\'ve recently noticed some new things in Matthew.\n \nMAT 27:5-8 Then he threw down the pieces of silver in the temple and departed,\nand went and hanged himself. But the chief priests took the silver pieces and\nsaid, "It is not lawful to put them into the treasury, because they are the\nprice of blood." And they consulted together and bought with them the potter\'s\nfield, to bury strangers in. Therefore that field has been called the Field of\nBlood to this day.\n \nFirst of all, notice that the text does not say that Judas died as a result of\nhanging. All it says is that he "went and hanged himself." Luke however, in\nActs, tells us that "and falling headlong, he burst open in the middle and all\nhis entrails gushed out." This is a pretty clear indication (along with the\nother details given in Acts - Peter\'s speech, the need to pick a new apostle,\netc.) that at least after Judas\' fall, he was dead. So the whole concept that\n                                                    ^^^^^^^^^^^^^^^^^^^^^^^^^\nMatthew and Luke both recount Judas\' death is highly probable, but not clear\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\ncut.\n^^^\n_____________________________________________________________________\n \nI also wrote...\n \n_____________________________________________________________________\nMY REPLY...\n \nHere we have a stickler, Dave, that I have to say I just recently noticed.\nLet\'s look at the passage in Matthew:\n \nMAT 27:4 saying, "I have sinned by betraying innocent blood." And they said,\n"What is that to us? You see to it!"\n \nMAT 27:5 Then he threw down the pieces of silver in the temple and departed,\nand went and hanged himself.\n \nMAT 27:6 But the chief priests took the silver pieces and said, "It is not\nlawful to put them into the treasury, because they are the price of blood."\n \nMAT 27:7 And they consulted together and bought with them the potter\'s field,\nto bury strangers in.\n \nMAT 27:8 Therefore that field has been called the Field of Blood to this day.\n \nNotice verse 5..."Then he...went and hanged himself."\nMatthew does not say Judas died, does it?  Should we assume he died as a\nresult of the hanging?                     ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n^^^^^^^^^^^^^^^^^^^^^\nWhat does Acts say?\nACT 1:18 (Now this man purchased a field with the wages of iniquity; and\nfalling headlong, he burst open in the middle and all his entrails gushed out.\n \nACT 1:20 "For it is written in the book of Psalms: \'Let his dwelling place be\ndesolate, And let no one live in it\'; and, \'Let another take his office.\'\n \nHere we may have a graphic explanation of Judas\' death....So, my line of\nreasoning to dispel your contradiction myth re:the "two" accounts of Judas\'\ndeath is this...Matthew doesn\'t necessarily explain how Judas died; he does\n                ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nsay Judas "hanged himself", but he didn\'t specifically say Judas died in the\nhanging incident.               ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n^^^^^^^^^^^^^^^^\nHowever, Acts seems to show us his graphic demise.  Therefore, there is no\ncontradiction between Matthew and Acts re: Judas\' `death\'.\n \n.......\n \nMY REPLY...\n...we do know from Matthew that he did hang himself and Acts probably records\nhis death.  Although it\'s possible and plausible that he fell from the hanging\nand hit some rocks, thereby bursting open, I can no longer assume that to be\nthe case.  Therefore, no contradiction.  Matthew did not say Judas died as a\n                                         ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nresult of the hanging, did he?  Most scholars believe he probably did, but...?\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n______________________________________________________________________\n \nI quoted all that to show that I highly regard the scholars\' explanations, but\nin looking at the texts initially, we can\'t assume Judas died.  It is, however,\nhighly probable.                            ^^^^^^\n \nDB...\n"By the way, while all agree that Judas died from the hanging, the books had\ndifferent ways of dealing with the contradiction we are discussing.  One\nsimply ignored it entirely and simply referred back to Matthew\'s version as\nthe correct version in both Matt and Acts.  "The Biblical Knowledge Commentary"\nsuggested the hypotheses that Judas hung and then when he rotted, his belly\nexploded (which doesn\'t explain his headlong fall), or that his branch or rope\nbroke, and he fell to his death and his gut gushed out (which doesn\'t explain\nhow a hanging man, would fall headlong rather than feet first)."\n \nMY REPLY...\nThe outcome of any fall is dependent upon many factors...how high the person\nwas suspended before the fall, any obstructions such as tree branches that may\nhave deviated the fall, how steep an incline of rocky surfaces the victim fell\nupon, thus possibly rolling or bouncing of several rocks, etc.  In a\nsuperficial examination of the Acts passage and the Matthew passage, we are not\ngiven a lot of info on the geographical specifics, but Tony in the above quoted\npost gave us some...\n \n_____________________________________________________________________\nA possible reconstruction would be this: Judas hanged himself on a tree on the\nedge of a precipice that overlooked the valley of Hinnom. After he hung there\nfor some time, the limb of the tree snapped or the rope gave way and Judas\nfell down the ledge, mangling his body in the process.\nThe fall could have been before *or* after death as either would fit this\nexplanation. This possibility is entirely natural when the terrain of the\nvalley of Hinnom is examined.  From the bottom of the valley, you can see\nrocky terraces 25 to 40 feet in height and almost perpendicular.\nThere are still trees around the ledges and a rocky pavement at the bottom.\nTherefore, it is easy to conclude that Judas struck one of the jagged rocks on\nthis way down, tearing his body open.\n_____________________________________________________________________\n \nDB...\nNow truthfully, I do not see what is comforting about Matthew confusing the\nsource of the Potter\'s field prophesy, but on the other hand the author is\ncorrect: Matthew does make that confusion.  Of course a Biblical inerrantist\nwho claim that every word of the Bible is guaranteed true by God, will have to\nthereby add one more contradiction to the death of Judas (ie: where the\nprophesy of the Potter\'s field came from)."\n \nMY REPLY...\nPlease, when we are done with this study on his death, remind me to discuss\nthis with you.\n \nDB...\nAs to your second question Mr DeCenso, you ask how we could be sure that the\nmoney with which Judas purchased the land, was indeed for the betrayal, rather\nthan some other source.  I would point out that in Acts, where it specifically\nmention "the reward of iniquity" [Acts 1:18], it also specifically mentions\nwhat act of iniquity they were talking about (ie: Acts 1:16 "...concerning\nJudas who was guide to those who arrested Jesus.").  Now I would point out\nthat when the Bible describes an act of "iniquity," and then immediately\ndiscusses "*the* reward of iniquity," it would be rather inane to suggest that\nit was an action of iniquity other than the one discussed."\n \nMY REPLY...\nDave, we are getting somewhere, aren\'t we!\n \nACT 1:15 And in those days Peter stood up in the midst of the disciples\n(altogether the number of names was about a hundred and twenty), and said,\nACT 1:16 "Men and brethren, this Scripture had to be fulfilled, which the Holy\nSpirit spoke before by the mouth of David concerning Judas, who became a guide\nto those who arrested Jesus;\nACT 1:17 "for he was numbered with us and obtained a part in this ministry."\nACT 1:18 (Now this man purchased a field with the wages of iniquity; and\nfalling headlong, he burst open in the middle and all his entrails gushed out.\nACT 1:19 And it became known to all those dwelling in Jerusalem; so that field\nis called in their own language, Akel Dama, that is, Field of Blood.)\nACT 1:20 "For it is written in the book of Psalms: \'Let his dwelling place be\ndesolate, And let no one live in it\'; and, \'Let another take his office.\'\n \nNotice that in verse 16, the word "iniquity" is not used.  Rather, it states\nthat Judas "became a guide to those who arrested Jesus".\nBut the writer DID NOT stop there...vs. 17, "for he was numbered with us and\nobtained a part in this ministry."  What part did Judas play in their ministry?\n         ^^^^^^\nJOH 12:6 This he said, not that he cared for the poor, but because he was a\nthief, and had the money box; and he used to take what was put in it.\nJOH 13:29 For some thought, because Judas had the money box, that Jesus had\nsaid to him, "Buy those things we need for the feast," or that he should give\nsomething to the poor.\n \nSo, now we know what part Judas played - he was a treasurer, per se.\nRight after Peter stated that Judas played a part in this ministry (treasurer,\naccording to John), THEN Luke adds the parenthetical explanation of "wages of\niniquity" - money that should have been put into the ministry, but was stolen\nby Judas to purchase a field.  I believe this is a better exegetical\nexplanation of what the "wages of iniquity" are.  What do you think, Dave?\n \nDB...\n"Now since I have given you clear answers (and even references), perhaps you\ncould unequivocally state what type of inerrantist you are (instead of asking\nme what type I think you are, as you did to Mr Joslin)."\n \nMY REPLY...\nI will gladly admit that I am a Complete Inerrantist, although I do not have\nthat big a problem with the Limited Inerrancy view.\n\nFrank\n-- \n"If one wished to contend with Him, he could not answer Him one time out\n of a thousand."  JOB 9:3\n',
 'From: srt@duke.cs.duke.edu (Stephen R. Tate)\nSubject: Re: More technical details\nOrganization: Duke University Computer Science Dept.; Durham, N.C.\nLines: 23\n\nIn article <1993Apr19.162936.7517@bernina.ethz.ch> caronni@nessie.cs.id.ethz.ch (Germano Caronni) (actually Dorothy Denning) writes:\n>The seeds S1 and S2 do not change.  \n\nLet me see if I have this straight --- if a person knows S1 and S2,\nand the serial number of the unit, it\'s easy to reconstruct UK.\nOf course, if they know SK, the "family key", they can easily get the\nserial number of any unit that has made a transmission.  So with S1 and\nS2 being used for a while "batch" of the unit keys, the number of\nused S1/S2 pairs will probably be fairly low.  Of course, you have to\nbelieve that the NSA/FBI/name-your-favorite-government agency will\nknow SK so all it needs is the S1/S2 pairs, and presto, nasty details \nlike court orders for wire taps are no longer necessary.\n\nNow, I\'m not one of the people who distrusts the government at every\nturn, but taking someone\'s word for it that the S1/S2 pairs are not kept\naround is pushing what I\'m willing to believe just a little bit too far.\n\n\n-- \nSteve Tate srt@cs.duke.edu | The reason why mathematics enjoys special esteem,\nDept. of Computer Science  | above all other sciences, is that its laws are\nDuke University     | absolutely certain and indisputable, while those of all\nDurham, NC  27706   | other sciences are to some extent debatable. (Einstein)\n',
 'Subject: Re: Albert Sabin\nFrom: rfox@charlie.usd.edu (Rich Fox, Univ of South Dakota)\nReply-To: rfox@charlie.usd.edu\nOrganization: The University of South Dakota Computer Science Dept.\nNntp-Posting-Host: charlie\nLines: 62\n\nIn article <1quim9INNem8@ctron-news.ctron.com>, king@ctron.com (John E. King) writes:\n>\n>\n>rfox@charlie.usd.edu writes:\n>\n>>Bill, I have taken the time to explain that biblical scholars consider the\n>>Josephus reference to be an early Christian insert.  By biblical\n>scholar I mean\n>>an expert who, in the course of his or her research, is willing to let\n>the\n>>chips fall where they may.  This excludes literalists, who may\n>otherwise be\n>>defined as biblical apologists.  They find what they want to find. \n>They are\n>>not trustworthy by scholarly standards (and others).\n>\n>I\'ve seen this claim about the "Josephus insert" flying around the\n>net too often to continue to ignore it.  Perhaps it\'s true.  Was\n>there only one Josephus manuscipt?  If there were, say, 100 copies,\n>the forger would have to put his insert into all of them.  By the\n>same token, since Josephus was a historian, why are biblical scholars\n>raising the flag?  Historical scholars , I would think, would have\n>a better handle on these ancient secular documents.  Can you give \n>researchers documents (page numbers, etc)?\n>\n>Jack\n\nI became aware of the claim years ago.  So I decided to check it out, on my\nown.  But, then, that was in BN times (Before Net).  So, here are some \nreferences.  See Robin Lane Fox\'s _The unauthorized version_, (p.284) where \nLane Fox writes, "... the one passage which appears to [comment on Jesus\' \ncareer] is agreed to be a Christian addition."\n\nIn my Re:Albert Sabin response (C5u7sJ.391@sunfish.usd.edu) to Jim Lippard (21\nApril 93), I noted that consensus is typically indicated subtly as in Elaine \nPagel\'s _The gnostic gospels_ (p.85), to wit:  "A comment *attributed* to\nJosephus reports ... [emphasis mine]".  Scholars sometimes do not even mention\nthe two Josephus entries, another subtlety reflecting consensus.\n\nSo far as I can deduce, today\'s consensus is built on at least three things: \n1) the long passage is way out of context, 2) Origen did not know about the\nlong passage, and 3) the short and long passages are contradictory. \nI don\'t know the references wherein the arguments which led to consensus are\norginally developed (does anyone?).\n\nBiblical scholars as I defined them include theologians and historians.  The\nformer, like the latter, incorporate historical, social, technological and\nideological contexts as well as theology.  So the distinction is blurred.  I \ndidn\'t elaborate on that.  Sorry.  (In turn, historians are compelled to\nincorporate theology).\n\nCan\'t say about the number of copies.  These were, however, BG times (Before \nGutenburg).  A hundred first editions seems exceedingly high; counting on one \nhand seems more reasonable.  Perhaps those mss. without the long insert (if any,\nbecause anything is possible) have been destroyed.  Such a practice is \ncertainly not foreign to religions.  Anyway, all we have are mss. which have \nthe two entries.  Lippart (in the message noted above) talks about an Arabic \nms.  But here the ms. date is critical.\n\n:-)\n\nRich Fox, Anthro, Usouthdakota\n',
 'Subject: Re:  PLANETS STILL: IMAGES ORBIT BY ETHER TWIST\nFrom: alien@acheron.amigans.gen.nz (Ross Smith)\nDistribution: world\nOrganization: Muppet Labs\nLines: 27\n\nIn article <1993Apr22.213815.12288@mksol.dseg.ti.com> mccall@mksol.dseg.ti.com (fred j mccall 575-3539) writes:\n>In <1993Apr22.130923.115397@zeus.calpoly.edu> dmcaloon@tuba.calpoly.edu (David McAloon) writes:\n>\n>> ETHER IMPLODES 2 EARTH CORE, IS GRAVITY!!!\n>\n>If not for the lack of extraneously capitalized words, I\'d swear that\n>McElwaine had changed his name and moved to Cal Poly.  I also find the\n>choice of newsgroups \'interesting\'.  Perhaps someone should tell this\n>guy that \'sci.astro\' doesn\'t stand for \'astrology\'?\n>\n>It\'s truly frightening that posts like this are originating at what\n>are ostensibly centers of higher learning in this country.  Small\n>wonder that the rest of the world thinks we\'re all nuts and that we\n>have the problems that we do.\n>\n>[In case you haven\'t gotten it yet, David, I don\'t think this was\n>quite appropriate for a posting to \'sci\' groups.]\n\nWas that post for real? I thought it was a late April Fool joke. Some of it\nseemed a bit over the top even by McElwaine/Abian/etc standards :-)\n\n--\n... Ross Smith (Wanganui, NZ) ............ alien@acheron.amigans.gen.nz ...\n      "And crawling on the planet\'s face\n      Some insects called the human race\n      Lost in time and lost in space"      (RHPS)\n\n',
 'From: nicholas@ibmpcug.co.uk (Nicholas Young)\nSubject: Writing a Motif widget\nX-Disclaimer: The views expressed in this article are those of the author\n\talone and may not represent the views of the IBM PC User Group.\nOrganization: The IBM PC User Group, UK.\nLines: 22\n\nCan anyone give me some information, please ...\n\nI need (probably) to write one or more new Motif widgets on the HP-UX\nplatform. Do I need the Motif private header files and source,\nor can I make do with the public headers that are provided?\n"Motif" includes Xt in this context.\n\nOne widget is a multi-column list (which lots of people have\nalready written, I am sure), and would therefore be probably be\na subclass of List rather than something simple like an Xt class.\nIs this more difficult (in principle, not lines of code)?\n\nAlternatively, if anyone has a multi-column list widget they\ncould sell me, this might save me from having to write one!\nDoes it by any chance exist in Motif 1.2 already (I do not\nyet have the spec)?\n\nAnswers appreciated,\n\nNicholas.\n-- \nNicholas Young (+44 71 637 9111)\n',
 'From: geos56@Judy.UH.EDU\nSubject: WholeSale TV sets.\nOrganization: University of Houston\nLines: 3\nReply-To: geos56@Judy.UH.EDU\nNNTP-Posting-Host: judy.uh.edu\n\nWe are representing some Chinese TV manufacturers who want to wholesale their\nproducts to Latin American countries. We are looking for brokers/agents who\ncan help us. Products include both color and black/white TVs from 11" to 24". If interested, please e-mail or fax to Mr Z Ho at 713-926-7953 (USA) for more information or inquiries. good commission.\n',
 'Subject: Re: ALT.SEX.STORIES under Literary Critical Analy\nFrom: NUNNALLY@acs.harding.edu (John Nunnally)\nDistribution: world\nOrganization: Harding University, Searcy, AR\nNntp-Posting-Host: acs.harding.edu\nX-News-Reader: VMS NEWS 1.24In-Reply-To: sandvik@newton.apple.com\'s message of Sun, 18 Apr 1993 00:06:17 GMTLines: 28\nLines: 28\n\nIn <sandvik-170493170457@sandvik-kent.apple.com> sandvik@newton.apple.com writes:\n\n> In article <1qevbh$h7v@agate.berkeley.edu>, dzkriz@ocf.berkeley.edu (Dennis\n> Kriz) wrote:\n> > I\'m going to try to do something here, that perhaps many would\n> > not have thought even possible.  I want to begin the process of\n> > initiating a literary critical study of the pornography posted on\n> > alt.sex.stories, to identify the major themes and motifs present\n> > in the stories posted there -- opening up then the possibility of\n> > an objective moral evaluation of the material present there.  \n> \n> Dennis, I\'m astounded. I didn\'t know you were interested to even\n> study such filth as alt.sex.stories provide...\n> \n> Cheers,\n> Kent\n> ---\n> sandvik@newton.apple.com. ALink: KSAND -- Private activities on the net.\n\n"Finally, brethern, whatever is true, whatever is honorable, whatever is\nright, whatever is pure, whatever is lovely, whatever is of good repute,\nif there is any excellence and if anything worthy of praise, let your\nmind dwell on these things."  Phil. 4:8.\n\nMore cheers,\nJohn\nNunnally@acs.Harding.edu\n\n',
 'From: drice@ponder.csci.unt.edu (D. Keith Rice)\nSubject: Re: Drive/Controller Compatibility\nLines: 672\nOrganization: University of North Texas\n\nThanks to all who responded to my original post.  I got the number for\nWestern Digital tech support and determined that I need to upgrade the\nBIOS to the Super BIOS.  It will handle hard drives with up to 16 read/\nwrite heads and up to 1024 cylinders.  The upgrade is $15, payable by\ncheck or money order.  Send to:\n\n\tWestern Digital Corporation\n\tTechnical Support Group\n\tP.O. Box 19665\n\tIrvine, CA  92713-9665\n\nThe Super BIOS is for any WD XT hard drive controller card in the\nWD1002 series.\n\nThe BIOS on my system would only handle up to 20mb drives.\n\nThe responses to my request for help follow my .sig.  Warning: It\'s long.\n\nKeith\n\n--\n_____________________________\n__-----____--___--__-----____\tD. Keith Rice\n__--__--___--__--___--__--___\tUniversity of North Texas\n__--___--__--_--____--___--__\tDepartment of Computer Science\n__--___--__----_____--__--___\tDenton, Texas, USA\n__--___--__--_--____--_--____\n__--__--___--__--___--__--___\tdrice@ponder.csci.unt.edu\n__-----____--___--__--___--__\tdrice@cs.unt.edu\n_____________________________\n\n<========================== responses below ==========================>\n\nFrom ravalent@mailbox.syr.edu Sat Apr  3 16:45:03 1993\nReceived: from mailbox.syr.EDU by ponder (5.61/1.36)\n\tid AA15218; Sat, 3 Apr 93 16:45:00 -0600\nFrom: ravalent@mailbox.syr.edu (Bob Valentine)\nReceived: from mothra.syr.EDU by mailbox.syr.edu (4.1/CNS)\n\tid AA16647; Sat, 3 Apr 93 17:44:49 EST\nReceived: by mothra.syr.EDU (4.1/Spike-2.0)\n\tid AA03607; Sat, 3 Apr 93 17:43:27 EST\nDate: Sat, 3 Apr 93 17:43:27 EST\nMessage-Id: <9304032243.AA03607@mothra.syr.EDU>\nTo: drice@ponder\nStatus: OR\n\nTo: drice@ponder.csci.unt.edu\nSubject: Re: Drive/Controller Compatibility\nNewsgroups: comp.sys.ibm.pc.hardware\nIn-Reply-To: <drice.733866833@ponder>\nOrganization: Syracuse University, Syracuse, NY\nCc: \n\nIn article <drice.733866833@ponder> you write:\n>I recently bought a used Seagate ST-251 hard drive.  The guy told me that\n>it had been fully tested and that it was good.  I took it home to install\n>in my Compaq Portable (OK, I\'m a little behind in technology).  I already\n>had an MFM controller.\n>\n>I installed the drive and powered up the system.  I got a post error, "1701".\n>\n>My controller is a Western Digital WD1002S-WX2 Rev. C.\n>As I said above, the drive is a Seagate ST-251.\n>The system is a Compaq Portable (circa 1985).\n\n     Ah, finally a question I can answer.   I mess with this older\nstuff alot.   Kinda fun.  8)\n\n     First problem I can forsee is that the ST-251 will not be\ncompadible with that WD card unless it has the right bios rom.  \n\n    Check the numbers on it.  It should be the only non-smt chip on\nthe board.  Slightly below center, and left.    The bios should read \neither :     62-000042-015 or\n             62-000094-0x2\n\n     If the last 3 digits are 013, you got problems.\n\n>\n>Controller jumpers are set as follows: ("-" represents jumper)\n>\tW1\t1-2 3\n>       W2      1-2 3\n>\tW3\t1-2\n>\tW4\t1 2-3\n>\tW5\t1 2 3\n>\tW6\t1-2 3\n>\tW7\t1 2 3\n\n    Looks right.   W5 and W7 are factory jumped (with a trace) between\npins 1 and 2 to select the primary controller address.\n\n>The drive jumpers are as follows: ("8" represents jumper)\n\n    Looks right.\n  \n[art deleted]\n\n>Here are my questions:\n>\n>1.)\tAre the drive and controller compatible w/ each other?\n\n      I notice you left out the S1 jumper table settings.   Those are\nwhat control what drive the controller thinks it has.   If you have\nthe 62-000042-015 rom, set it like this:\n\n              5 + +    open\n              6 + +    open             \n              7 + +    open        \n              8 + +    open\n              4 + +    closed\n              3 + +    closed\n              2 + +    open\n              1 + +    open\n\n    Note:   those are how WD runs the numbers on the jumper block.\nTop to bottom.   +\'s represent the jumper pins.    Pins 3,4, and 8\nselect the first drive setting (drive 0) and pins 1,2 and 7 select the\nsecond drive (drive 1).   \n\n      If you have the 62-000094 rom, it\'s a auto-config, and I\'ll have\nto look up how to do it... I don\'t have the big book right here.\n\n>2.)\tAre the jumpers on the card/drive set correctly?\n\n      See above.  You might have problems if the S1 jumpers are not\nright.   Also,  at the risk of being insulting, make sure the cables\nare on right and good. 8).    On the jumper on the 251, try moving it\nto the opposite side of the drive.    It\'s one or the other.   \n     The narrow data cable goes to J2.   I\'ve thrown it on J3 a few\ntimes and banged my head for a day.....\n\n>3.)\tIs my system\'s BIOS in need of an upgrade?\n\n     Dunno.    IBM roms had to be later than 10/27/82.   A quick way\nto check is to boot dos and run debug.   Enter:\n       \n        -d f000:fff5 fffc    (the - is the debug prompt)\n   \n    This will return the rom date, if it\'s of any use.\n\n>Keith Rice\n\n      If I oversimplified any of the above, I appologize.     It\'s\njust hard to know what caliber of person I\'m talking to. 8).\n\n                     -->   Bob Valentine  <--  \n                  --> ravalent@mailbox.syr.edu <--  \n\n\n\nFrom chpp@unitrix.utr.ac.za Mon Apr  5 06:33:46 1993\nReceived: from unitrix.utr.ac.za by ponder (5.61/1.36)\n\tid AA16194; Mon, 5 Apr 93 06:32:59 -0500\nReceived: by unitrix.utr.ac.za (Smail3.1.28.1 #1)\n\tid m0nfpMA-0001X7C; Mon, 5 Apr 93 13:28 GMT\nMessage-Id: <m0nfpMA-0001X7C@unitrix.utr.ac.za>\nFrom: chpp@unitrix.utr.ac.za (Prof P. Piacenza)\nSubject: ST251\nTo: drice@ponder\nDate: Mon, 5 Apr 1993 13:28:49 +0200 (GMT)\nX-Mailer: ELM [version 2.4 PL11]\nMime-Version: 1.0\nContent-Type: text/plain; charset=US-ASCII\nContent-Transfer-Encoding: 7bit\nContent-Length: 24559     \nStatus: OR\n\n\nIf you are using a TWISTED 34-way cable then move the jumper \non your drive to the neighbouring pins   :8::::::.  Make sure that\nthe twisted cable is for a hard disk (and not a floppy disk) - the\ncoloured stripe (pin 1) should be furthest from the twist.\n\nThis may also help.\n\n\n                             PRODUCTS FOR XT SYSTEMS\n     \n     \n     HARD DISK CONTROLLERS FOR MFM HARD DISK DRIVES\n                                  Reference NOTE 1.\n     \n          \n          WD1002A-WX1, feature F300R - Half-slot size hard disk controller \n          card with an ST506/ST412 interface.  It supports 2 MFM drives \n          with up to 16 heads and 1024 cylinders and is jumper \n          configurable for secondary addressing and default drive tables.  \n          Built in ROM BIOS supports non-standard drive types, virtual \n          drive formatting, dual drive operation, bad track formatting and \n          dynamic formatting.  This board features a power connector for \n          filecard applications and it will also operate in AT systems. \n          Please note that this controller card will be unavailable from \n          the manufacturer (Western Digital) after March, 1989.  Reference \n          NOTE 2.\n          \n          WDXT-GEN, feature F300R - Half-slot size hard disk controller \n          card with an ST506/ST412 interface.  It  supports 2 MFM hard \n          disk drives with up to 8 heads and 1024 cylinders.  Built-in ROM \n          BIOS supports non-standard drive types, virtual drive \n          formatting, dual drive operation, bad track formatting and \n          dynamic formatting.  Please note that this controller card will \n          be unavailable from the manufacturer (Western Digital) after \n          March, 1989.\n          \n          WD1004A-WX1, feature F300R - Half-slot size disk controller \n          card  with an ST506/ST412 interface.  It supports 2 MFM drives \n          with up to 16 heads and 1024 cylinders and is jumper \n          configurable for secondary addressing and default drive tables.  \n          Built in ROM BIOS supports non-standard drive types, virtual \n          drive formatting, dual drive operation, bad track formatting and \n          dynamic formatting.  This board features a power connector for \n          filecard applications and it will also operate in AT systems.  \n          Reference NOTE 2.\n          \n          WDXT-GEN2, feature F300R - Half-slot size hard disk controller   \n          card with an ST506/ST412 interface.  It supports 2 MFM hard disk \n          drives with up to 8 heads and 1024 cylinders.  Built-in ROM BIOS \n          supports non-standard drive types, virtual drive formatting, \n          dual drive operation, bad track formatting and dynamic \n          formatting.  Reference NOTE 2.\n          \n          \n     \n     HARD DISK CONTROLLERS FOR RLL HARD DISK DRIVES\n                                  Reference NOTE 2.\n     \n          \n          WD1002-27X, feature F301R - Half-slot size hard disk controller \n          card with an ST506/ST412 interface.  It supports 2 RLL hard disk \n          drives with up to 16 heads and 1024 cylinders and is jumper \n          configurable for secondary addressing and default drive tables.  \n          Built in ROM BIOS supports non-standard drive types, virtual \n          drive formatting, dual drive operation, bad track formatting and \n          dynamic formatting.  This board features a power connector for \n          filecard applications and it will also operate in AT systems.   \n          Please note that this controller card will be unavailable from \n          the manufacturer (Western Digital) after March, 1989.  Reference \n          NOTE 2.\n          \n          WD1002A-27X, feature 300R - Half-slot size hard disk controller \n          with an ST506/ST412 interface.  It supports 2 RLL drives with up \n          to 16 heads and 1024 cylinders. Built-in ROM BIOS supports non-\n          standard drive types, virtual drive formatting, bad track \n          formatting and dynamic formatting.  Please note that this \n          controller card will be unavailable from the manufacturer     \n          (Western Digital) after March, 1989.\n          \n          WD1004-27X, feature F301R - Half-slot size hard disk controller  \n          card with an ST506/ST412 interface.  It supports 2 RLL hard    \n          disk drives with up to 16 heads and 1024 cylinders and is jumper \n          configurable for secondary addressing and default drive tables.  \n          Built in ROM BIOS supports non-standard drive types, virtual    \n          drive formatting, dual drive operation, bad track formatting     \n          and dynamic formatting.  This board features a power connection \n          for filecard applications and it will also operate in AT \n          systems.  Reference NOTE 2.\n          \n          WD1004A-27X, feature F300R - Half-slot size hard disk \n          controller  with an ST506/ST412 interface.  It supports 2 RLL \n          drives with up to 16 heads and 1024 cylinders.  Built-in ROM \n          BIOS supports non-standard drive types, virtual drive \n          formatting, bad track formatting and dynamic formatting.\n          \n          NOTE 1:  AT&T 6300 - The AT&T 6300 and the AT&T 6300 PLUS \n          contain system BIOS chips that support the hard disk drive.  \n          When using a Western Digital XT controller card the system will \n          not "boot."  To solve this problem, one of the ROM BIOS chips \n          must be disabled.  To disable the BIOS on your Western Digital  \n          XT controller card, you must remove the jumper at position W-3 \n          or add a jumper at position R-23 (depending on which model of XT \n          controller you are using).\n          \n                                       -2-\n\n\n          \n          NOTE 2:  TANDY 1000 SYSTEMS - The WD1002A-WX1, WD1004A-WX1, \n          WDXT-GEN2 and the WD1004-27X can be modified to operate in \n          Tandy 1000 series computers, models SX, TX and the original or \n          "A" version.  These computers utilize an interrupt of 2 (IRQ2) \n          instead of IRQ5, the IBM standard.  To modify the WD1002A-WX1 or \n          the WD1002-27X to operate in these systems, you must cut the \n          etch between pin 1 and pin 2 at jumper position W-7.  Then \n          solder pin 2 and pin 3 at the position (W-7).  To complete the \n          modification, a jumper must be added to position 7 of switch S-1 \n          (2 rows of 8 pins).  PLEASE NOTE THAT ANY PHYSICAL MODIFICATION \n          TO YOUR WESTERN DIGITAL HARD DISK CONTROLLER VOIDS THE WARRANTY \n          ON YOUR BOARD.  To modify the WD1004A-WX1, WDXT-GEN2 or the \n          WD1004-27X for your Tandy 1000 system, a zero ohm resister must \n          be soldered to jumper position W-27.  This will change the \n          interrupt from IRQ5 to IRQ2.\n     \n     \n     XT CONTROLLERS FOR FLOPPY DISK DRIVES\n     \n          \n          WD1002A-FOX - Half-slot floppy disk controller for XT or AT  \n          systems.  Four versions of the board are available:\n                Feature F001 supports two floppy disk drives.\n                Feature F002 supports four floppy disk drives and includes \n                an optional 37-pin control, data and power connector and \n                an optional 4-pin power connector.\n                Feature F003 supports two floppy disk drives and includes\n                a ROM BIOS that will enable your system to recognize \n                floppy disk drive that may not be supported by your AT\n                system ROM BIOS.  The optional ROM BIOS will also allow\n                this controller card to operate high density floppy disk\n                drives in an XT system.\n                Feature F004 supports four floppy disk drives and includes\n                an optional 37-pin control, data and power connector, an\n                optional 4-pin power connector and a ROM BIOS that will \n                enable your system to recognize floppy disk drives that \n                may not be supported by your AT system ROM BIOS.  The \n                optional ROM BIOS will also allow this controller card to \n                operate high density floppy disk drives in an XT system.\n                \n                \n                                       -3-\n\n\n\n                             PRODUCTS FOR AT SYSTEMS\n     \n      \n     HARD DISK CONTROLLERS FOR MFM HARD DISK DRIVES - NO FLOPPY SUPPORT\n     \n          \n          WD1003-WAH, feature F003R - Hard disk controller card with an   \n          ST506/ST412 interface.  It supports 2 MFM drives with up to 16 \n          heads and 2048 cylinders, 3:1 interleave.\n          \n          WD1003V-MM1, feature F300R - Hard disk controller card with an  \n          ST506/ST412 interface. It supports 2 MFM drives with up to 16  \n          heads and 2048 cylinders, 2:1 interleave.  The "V" boards can   \n          run in high speed AT systems (10 to 16 megahertz system speed).\n          \n          WD1006-WAH , feature F001R - Hard disk controller card with     \n          an ST506/ST412 interface.  It supports 2 MFM drives with up to \n          16 heads and 2048 cylinders, 1:1 interleave.\n              \n          WD1006V-MM1, feature F300R - Hard disk controller card with an  \n          ST506/ST412 interface.  It supports 2 MFM drives with up to 16  \n          heads and 2048 cylinders, 1:1 interleave and faster data     \n          transfer due to "look ahead caching."  The "V" boards can run in \n          high speed AT systems (10 to 16 megahertz system speed).\n          \n          \n     HARD DISK CONTROLLERS FOR MFM HARD DISK DRIVES AND FLOPPY DISK DRIVES\n     \n     \n          WD1003-WA2, feature F003R - Hard disk controller card with an  \n          ST506/ST412 interface, full AT form factor.  It supports 2 MFM \n          drives with up to 16  heads and 2048 cylinders, at 3:1 \n          interleave and 2 floppy disk drives (360K and 1.2 MB).\n          \n          WD1003A-WA2, feature F003R - Hard disk controller card with an \n          ST506/ST412 interface, full XT form factor.  It supports 2 MFM \n          drives with up to 16 heads and 2048 cylinders, at 3:1 interleave \n          and 2 floppy disk drives (360K and 1.2 MB).\n          \n          WD1003V-MM2, feature F300R - Hard disk controller card with an  \n          ST506/ST412 interface.  It supports a maximum of 2 MFM drives \n          with up to 16  heads and 2048 cylinders at 2:1 interleave, and 2 \n          floppy disk drives (5-1/4" 360K, 1.2Mb; 3-1/2" 720K, 1.44Mb).   \n          The "V" boards can run in high speed AT systems, (10 to 16 \n          megahertz system speed).\n          \n          WD1006V-MM2, feature F300R - Hard disk controller card with an   \n          ST506/ST412 interface.  It supports a maximum of 2 MFM drives \n          with up to 16 heads and 2048 cylinders at 1:1 interleave and \n          faster data transfer due to "look ahead caching" and 2 floppy \n          disk drives (5-1/4" 360K, 1.2 Mb; 3-1/2" 720K, 1.44 Mb).  The \n          "V" boards can run in high speed AT systems, (10 to 16 megahertz \n          system speed).\n          \n     \n                                       -4-\n\n\n     HARD DISK CONTROLLERS FOR RLL HARD DISK DRIVES - NO FLOPPY SUPPORT \n     \n          \n          WD1003-RAH - Hard disk controller card with an ST506/ST412 \n          interface.  It supports 2 RLL hard disk drives with up to 16  \n          heads and 2048 cylinders at 3:1 interleave. \n          \n          WD1003V-SR1 - Hard disk controller card with an ST506/ST412 \n          interface.  It supports a maximum of 2 RLL hard disk drives with \n          up to 16 heads and 2048 cylinders at 2:1 interleave. The "V" \n          boards can run in high speed AT systems (10 to 16 megahertz \n          system speed).\n                Feature F301R includes an optional ROM BIOS that allows \n                the user to define the drive\'s parameters. \n                Feature F300R does not include the ROM BIOS and you must  \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n          \n          WD1006-RAH - Hard disk controller card with an ST506/ST412 \n          interface.  It supports a maximum of 2 RLL hard disk drives with \n          up to 16 heads and 2048 cylinders, 1:1 interleave.\n                Feature F001R includes an optional ROM BIOS that provides  \n                additional drive parameter tables.\n                Feature F300R does not include the ROM BIOS and you must   \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n          \n          WD1006V-SR1 - Hard disk controller card with an ST506/ST412     \n          interface.  It supports 2 RLL hard disk drives with up to 16 \n          heads and 2048 cylinders, 1:1 interleave and faster data \n          transfer due to "look ahead caching."  The "V" boards can run in \n          high speed AT  systems (10 to 16 megahertz system speed).\n                Feature F301R includes an optional ROM BIOS that allows  \n                the user to define the drive\'s parameters.           \n                Feature F300R does not include the ROM BIOS and you must  \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n                 \n     \n     HARD DISK CONTROLLERS FOR RLL HARD DISK DRIVES AND FLOPPY DISK DRIVES\n     \n     \n          WD1003-RA2, feature F001R -  Hard disk controller card with an  \n          ST506/ST412 interface.  It supports a maximum of 2 RLL hard disk \n          drives with up to 16  heads and 2048 cylinders, at 3:1 \n          interleave, and 2 floppy disk drives (5-1/4" 360K, 1.2 Mb).\n          \n          \n     \n                                       -5-\n\n          \n          WD1003V-SR2 -  Hard disk controller card with an ST506/ST412    \n          interface.  It supports a maximum of 2 RLL hard disk drives with \n          up to 16 heads and 2048 cylinders, at 2:1 interleave, and 2 \n          floppy disk drives, (5-1/4" 360K, 1.2 Mb; 3-1/2" 720K, 1.44 \n          Mb).  The "V" boards run in high speed AT systems (10 to 16 \n          megahertz system speed).\n                Feature F301R includes an optional ROM BIOS that allows   \n                the user to define the drive\'s parameters.\n                Feature 300R does not include the ROM BIOS and you must\n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n          \n          WD1006V-SR2 -  Hard disk controller card with an ST506/ST412   \n          interface.  It supports a maximum of 2 RLL hard disk drives with \n          up to 16 heads, 2048 cylinders and 2 floppy disk drives (5-1/4" \n          360K, 1.2 Mb; 3-1/2" 720K, 1.44 Mb).   It also features 1:1 \n          interleave and faster data transfer due to  "look ahead \n          caching".  The "V" boards can run in high speed AT  systems (10 \n          to 16 megahertz system speed).              \n                Feature F301R includes an optional ROM BIOS that allows \n                the user to define the drive\'s parameters.\n                Feature 300R does not include the ROM BIOS and you must   \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n                 \n     \n     HARD DISK CONTROLLERS FOR ESDI HARD DISK DRIVES - NO FLOPPY SUPPORT -\n     \n          \n          WD1007A-WAH - This controller card will support up to 2 ESDI \n          hard disk drives, 10 megabit per second data transfer rate and \n          1:1 interleave.        \n                Feature F301R  includes an optional ROM BIOS with "shadow \n                RAM" that will enable the controller card to interface \n                with all types of ESDI drives without modifying the system \n                ROM BIOS.\n                Feature F300R does not include the ROM BIOS and you must \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n          WD1007V-SE1/ME1 - This controller card will support up to 2 ESDI \n          hard disk drives, 15 megabit per second data transfer rate and \n          1:1 interleave.  The "V" boards can run in high speed AT \n          systems, (10 to 16 megahertz system speed).\n                Feature F301R includes an optional ROM BIOS with "shadow \n                RAM" that will enable the controller card to interface \n                with all types of ESDI drives without modifying the system \n                ROM BIOS.\n                Feature F300R does not include the ROM BIOS and you must \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n                                       -6-\n      \n     HARD DISK CONTROLLERS FOR ESDI HARD DISK DRIVES AND FLOPPY DISK \n     DRIVES\n     \n          \n          WD1007A-WA2 - This controller card will support up to 2 ESDI \n          hard disk drives, 10 megabit per second data transfer rate, 1:1 \n          interleave and 2 floppy disk drives (5-1/4" 360K, 1.2 Mb; 3-1/2" \n          720K, 1.44 Mb).\n                Feature F301R includes an optional ROM BIOS with "shadow \n                RAM" that will enable the controller card to interface \n                with all types of ESDI drives without modifying the system \n                ROM BIOS.\n                Feature F300R does not include the ROM BIOS and you must \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n          \n          WD1007V-SE2/ME2 - This controller card will support up to 2 ESDI \n          hard disk drives, 15 megabit per second data transfer rate, 1:1 \n          interleave and 2 floppy drives (5-1/4" 360K, 1.2 Mb; 3-1/2" \n          720K, 1.44 Mb).  The "V" boards can run in high speed AT systems \n          (10 to 12 megahertz bus speed).\n                Feature F301R includes an optional ROM BIOS with "shadow \n                RAM" that will enable the controller card to interface \n                with all types of ESDI drives without modifying the system \n                ROM BIOS.\n                Feature F300R does not include the ROM BIOS and you must \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameters.\n                \n                \n          WD1007A-WA4 - This controller card will support up to 2 ESDI \n          hard disk drives, 10 megabit per second data transfer rate, 1:1 \n          interleave and 2 floppy disk drives (5-1/4" 360K, 1.2 Mb; 3-1/2" \n          720K, 1.44 Mb).  This board also has a serial port and parallel \n          port.\n                Feature F301R includes an optional ROM BIOS with "shadow \n                RAM" that will enable the controller card to interface \n                with all types of ESDI drives without modifying the system \n                ROM BIOS.\n                Feature F300R does not include the ROM BIOS and you must \n                use the drive tables on your system\'s ROM BIOS that must \n                contain the appropriate drive parameter. \n                \n                \n                                       -7-\n\n\n      \n     HARD DISK CONTROLLERS FOR SCSI HARD DISK DRIVES\n     \n          \n          7000-ASC - A SCSI host adapter that serves as an interface \n          between the AT bus and the SCSI bus.  All necessary drivers and \n          receivers are included, permitting direct cable connections to \n          the SCSI bus through a 50 pin connector and to the AT bus \n          through two edge connectors.  The 7000-ASC utilizes jumper  \n          configurable options that enable the address space, DMA channels \n          and interrupt requests to be selected to suit the end user\'s \n          application.  The board also features word data transfer at 4 \n          megabytes per second (synchronous), an on-board floppy disk \n          controller and a ROM BIOS.  Please note that the 7000-ASC \n          operates using standard DOS 3.2 or DOS 3.3 only.\n          \n          7000-FASST2 - This SCSI host adapter card provides the same \n          features as the 7000-ASC plus additional support capabilities \n          using software developed by Columbia Data Products.  The 7000-\n          FASST2 will support MS-DOS 3.2-3.3, Compaq DOS 3.31, PC-DOS 4.0, \n          PC-MOS/386 version 2.1, XENIX, Microsoft Windows, Novell and \n          Sytos tape backup.\n          \n          WDATXT-FASST KIT - An "unintelligent" SCSI host adapter that is \n          compatible with the IBM XT, AT and compatible systems.  It uses \n          a 50 pin external SCSI bus "D" connector with a standard 50 pin \n          internal SCSI cable.  The WDATXT-FASST can be used as  both a \n          target and an initiator and it serves as an excellent tool for \n          SCSI designers.  It also provides a low cost alternative for end-\n          users desiring to install a SCSI peripheral device such as a \n          hard disk drive or a tape backup unit. The kit includes an 8-bit \n          SCSI HBA board, manual, FASST software diskettes and an internal \n          SCSI cable.\n          \n          SYTOS TAPE BACKUP - (Utility for 7000-FASST) - FASST-SYTOS - \n          FASST version of Sytos tape backup utilities.  MS-DOS \n          compatible, it runs with FASST software products Revision 3.3+.\n          \n          \n     HARD DISK CONTROLLERS FOR PS/2 MODEL 50, 60, 80 SYSTEMS  \n     (MICROCHANNEL ARCHITECTURE)\n     \n          \n          WD1006V-MC1, feature F300R - Hard disk controller with an \n          ST506/ST412 interface for microchannel systems.  It supports 2 \n          MFM drives with up to 16 heads and 2048 cylinders, 1:1 \n          interleave and faster data transfer due to "look ahead \n          caching."  The"V" boards can run in high speed AT systems (10 to \n          16 megahertz system speed).\n          \n     \n                                       -8-\n\n\n          \n          WD1007V-MC1, feature F300R - This controller card will support \n          up to 2 ESDI hard disk drives, 15 megabit per second transfer \n          rate and it contains a ROM BIOS with "shadow RAM" that will \n          enable the controller card to interface with all types of ESDI \n          hard disk drives without modifying the system BIOS.  It uses 1:1 \n          interleave.  The "V" boards can run in high speed AT systems, \n          (10 to 12 megahertz bus speed).\n          \n          \n     \n     CONTROLLERS FOR FLOPPY DISK DRIVES ONLY\n     \n          \n          WD1002A-FOX - Half-slot floppy disk controller for XT or AT \n          systems.  Four versions of the board are available:\n                Feature F001 supports two floppy disk drives.\n                Feature F002 supports four floppy disk drives and includes \n                an optional 37-pin control, data and power connector and \n                an optional 4-pin power connector.\n                Feature F003 supports two floppy disk drives and includes \n                a ROM BIOS that will enable your system to recognize     \n                floppy disk drives that may not be supported by your AT \n                system ROM BIOS.  The optional ROM BIOS will also allow \n                this controller card to operate high density floppy disk\n                drives in an XT system.\n                Feature F004 supports four floppy disk drives and includes \n                an optional 37-pin control, data and power connector, an \n                optional 4-pin power connector and a ROM BIOS that will \n                enable your system to recognize floppy disk drives that \n                may not be supported by your AT system ROM BIOS.  The \n                optional ROM BIOS will also allow this controller card to \n                operate high density floppy disk drives in an XT system.\n                \n\n\n-- \n    Prof. L. Piacenza - Chemistry Department - University of Transkei\n    Internet: chpp@unitrix.utr.ac.za  (preferred).  Tel. 27-471-3022384\n    Internet: sppp@hippo.ru.ac.za\n\n\nFrom necis!mydual.uucp!olson@transfer.stratus.com Mon Apr  5 12:14:06 1993\nReceived: from transfer.stratus.com by ponder (5.61/1.36)\n\tid AA29202; Mon, 5 Apr 93 12:14:03 -0500\nReceived: from necis.UUCP by transfer.stratus.com (4.1/3.12-jjm)\n\tid AA22183; Mon, 5 Apr 93 13:12:04 EDT\nReceived: from mydual by necis.necis.ma.nec.com id aa21760; 5 Apr 93 12:50 EDT\nReceived: by mydual.UUCP (5.58/smail2.5/09-28-87)\n\tid AA18009; Mon, 5 Apr 93 13:24:23 EST\nDate: Mon, 5 Apr 93 13:24:23 EST\nFrom: "Kirtland H. Olson" <mydual!olson@transfer.stratus.com>\nMessage-Id: <9304051824.AA18009@mydual.UUCP>\nTo: drice@ponder\nSubject: Re: Drive/Controller Compatibility\nNewsgroups: comp.sys.ibm.pc.hardware\nIn-Reply-To: <drice.733866833@ponder>\nOrganization: The Harvard Group, 01451-0667\nReply-To: necis!olson%mydual.uucp@transfer.stratus.com\nCc: \nStatus: OR\n\nSuggest you move jumper on drive rightward one position.\n\nRegards,\n\n      --Kirt\n\n-- \nKirtland H Olson Harvard MA 01451-0667 USA olson%mydual.uucp@necis.ma.nec.com\n\n',
 'From: dcoleman@utxvms.cc.utexas.edu (Daniel M. Coleman)\nSubject: Re: MathCad 4.0 swap file\nLines: 28\nNntp-Posting-Host: blonde.cc.utexas.edu\nOrganization: The University of Texas at Austin\nLines: 28\n\nIn article <1993Apr20.175608.23949@ncar.ucar.edu>, baseball@catch-the-fever.scd.ucar.edu (Gregg Walters) writes:\n> I have 16MB of memory on my 386SX.  I have been running Windows\n> without a swap file for several months.  Will Mathcad 4.0 be\n> happy with this, or insist on a swap file?\n\nI just got Mathcad 4.0, and the manual is not clear on the matter.  On page 8:\n\n\t:\n\t:\n\n* At least 4 megabytes of memory.  All memory about 640K should be configured\n  as XMS.\n\n\t:\n\t:\n* At least 8 megabytes of virtual memory....\n\nCommon sense suggests that you should be able to run it (4+8=12 < 16) but the\nnew Mathcad is kinda kooky, and thus is not subject to the laws of common\nsense...\n\nDan\n\n-- \nDaniel Matthew Coleman\t\t   |   Internet: dcoleman@utxvms.cc.utexas.edu\n-----------------------------------+---------- : dcoleman@ccwf.cc.utexas.edu\nThe University of Texas at Austin  |\t DECnet: UTXVMS::DCOLEMAN\nElectrical/Computer Engineering\t   |\t BITNET: DCOLEMAN@UTXVMS [.BITNET]\n',
 'From: db7n+@andrew.cmu.edu (D. Andrew Byler)\nSubject: Re: Sabbath Admissions 5of5\nOrganization: Freshman, Civil Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 34\n\nAll of the arguments concerning the Sabbath ought to make the point\npretty clear - anyone outside of the Catholic or Orthodox orAnglican or\nMonophysite churches ourght to worship on Saturday if they are really\nsola scriptura.  Otherwise, they are following a law put into effect by\nthe Church, and only the above Chruches really recognize any power of\nthe Chruch to do so.\n\nAndy Byler\n\n[You will note that nothing in the FAQ said anything about the Church\nestablishing or changing a law.  The argument against the Sabbath is\nthat it is part of the ceremonial law, and like the rest of the\nceremonial law is not binding on Christians.  This argument is based\non Paul\'s letters, Acts, and in a more general sense, Jesus\'\nteachings.  Further, most people argue that Scripture shows worship\noccuring on Sunday, and Paul endorsing it.  I understand that these\npoints are disputed, and do not want to go around the dispute one more\ntime.  The point I\'m making here is not that these arguments are\nright, but that the backing they claim is Scripture.\n\nAccepting the principle of "sola scriptura" does not commit us to\nobeying the entire Jewish Law.  Acts 15 and Paul\'s letters are quite\nclear on that.  I think even the SDA\'s accept it.  The disagreement is\non where the Bible would have us place the line.\n\nBy the way, Protestants do give authority to the church, in matters\nthat are not dictated by God.  That\'s why churches are free to\ndetermine their own liturgies, church polity, etc.  If you accept that\nthe Sabbath is not binding on Christians, then the day of worship\nfalls into the category of items on which individual Christians or\n(since worship is by its nature a group activity) churches are free to\ndecide.\n\n--clh]\n',
 "From: charlie@elektro.cmhnet.org (Charlie Smith)\nSubject: Re: Internet Discussion List\nOrganization: Why do you suspect that?\nLines: 17\n\nIn article <1qc5f0$3ad@moe.ksu.ksu.edu> bparker@uafhp..uark.edu (Brian Parker) writes:\n>  Hello world of Motorcyles lovers/soon-to-be-lovers!\n>I have started a discussion list on the internet for people interested in\n>talking Bikes!  We discuss anything and everything.  If you are interested in\n>joining, drop me a line.  Since it really isn't a 'list', what we do is if you \n>have a post, you send it to me and I distribute it to everyone.  C'mon...join\n>and enjoy!\n\nHuh?    Did this guy just invent wreck.motorcycles?\n\n\tCurious minds want to know.\n\n\nCharlie Smith   charlie@elektro.cmhnet.org  KotdohL  KotWitDoDL  1KSPI=22.85\n  DoD #0709   doh #0000000004  &  AMA, MOA, RA, Buckey Beemers, BK Ohio V\n              BMW K1100-LT,  R80-GS/PD,  R27,  Triumph TR6 \n                          Columbus, Ohio USA\n",
 'From: jeremy@wildcat.npa.uiuc.edu (Jeremy Payne)\nSubject: Re: Xt intrinsics: slow popups\nOrganization: Neuronal Pattern Analysis, University of Illinois\nLines: 49\n\nIn article <735516045.1507@minster.york.ac.uk>, cjhs@minster.york.ac.uk writes:\n|> cjhs@minster.york.ac.uk wrote:\n|> : Help: I am running some sample problems from O\'Reilly volume 4,\n|> : Xt Intrisics Programming Manual, chapter 3. popup\n|> : dialog boxes and so on.\n|> : \n|> : In example 3.5, page 76 : "Creating a pop-up dialog box"\n|> : \n|> : The application creates window with a button "Quit" and "Press me".\n|> : The button "Press me" pops up a dialog box. The strange feature of\n|> : this program is that it always pops up the dialog box much faster the\n|> : first time. If I try to pop it up a 2nd time (3rd, 4th .... time), \n|> : it is *much* slower.\n|> : \n|> : Has anyone any experience with these sample programs, or why I get\n|> : this behaviour - fast response time for the first time but slow response\n|> : time from 2nd time onwards ?\n|> : Anyone can give me some ideas on how to program popups so that each time\n|> : they popup in reasonable fast response time ?\n|> : \n|> : Thankyou - Shirley\n|> \n|> Thanks to those who responded.\n|> \n|> We were able to prevent this behaviour by two methods:\n|> \n|> 1) running twm rather than olwm\n|> 2) keeping olwm, but putting "wmTimeout: 10" in the resources\n|> \n|> It has been suggested that the difficuty was something to do with the\n|> window manager positioning the popup window. Any guru who can analyse\n|> what is going on from this information, please post and let us know.\n|> \n|> Thanks -- Shirley\n\nI ran in to this problem I while ago, and from what I remember you should use\nXtTranslateCoordinates etc. after realizing the main widget to calculate\nthe location of the popup, then use something like XtVaSetValues on the\npopup widgets before ever using them.  Calling SetValues repeatedly (e.g.\nevery time something pops up) seems to be what slows you down.  I never\ndelved deep enough to figure out exactly why though...\n\n---------------------------\nJeremy Payne\nUIUC Neuroscience program /\nCollege of Medicine\njrpayne@uiuc.edu\n(217)244-4478\n---------------------------\n',
 'From: dale@odie.cs.mun.ca (Dale Fraser)\nSubject: Re: AHL News: St John\'s news, part XXXVIII\nOrganization: CS Dept., Memorial University of Newfoundland\nLines: 49\n\nbrifre1@ac.dal.ca writes:\n\n>In article <1993Apr13.132906.1827@news.clarkson.edu>, farenebt@craft.camp.clarkson.edu (Droopy) writes:\n>> Pete Raymond emailed me this piece of info. Not sure if Game 7 was\n>> intentionally or unintentionally omitted (ie date not set).\t\n>> \n>> BRI\n>> ================================================================\n>> [begin quoted material]\n>> \n>> Because of the Moncton win Friday night Halifax was eliminated thus St.\n>> John\'s will make Halifax home. The first round of play-offs wil take place\n>> on these dates.\n>> \n>> \tApril 14 - Halifax Metro Center (Leafs Home Game)\n>>         April 17 - Halifax Metro Center\n>>      \n>> \tApril 21 - Moncton\n>> \tApril 23 - Moncton\n>> \n>> \tApril 26 - Halifax Metro Center\n>> \n>> \tApril 30 - Moncton\n>> \n>This is a Halifax (or at least this Halifax) resident\'s dream come true!!\n>The leafs are my favorite NHL team (and no, I don\'t know why)!!!!!!!!!\n>I\'d say that this is even better than the Citadels making the playoffs (a\n>Quebec farm team; who cares??).\n\n>By the way, for any NFLD fans....I\'m sure ASN will carry some of the games\n>(they\'d be stupid not to....but then this is ASN)\nI haven\'t heard any news about ASN carrying any games but the local\ncable station here in St. John\'s (Cable 9) is carrying the games live!\n\nHey, it\'s better than nothing!\n\nGO LEAFS GO!!!\n\nDale\n\n|-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-|\n|   "Why sex is so popular    |    Dale Fraser  dale@odie.cs.mun.ca   |\n|       Is easy to see:       | Memorial University of Newfoundland   |\n|    It contains no sodium    |     CS Undergrad  -  Class of \'92     |\n| And it\'s cholesterol free!" |-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-| \n|       Shelby Friedman       | BLUE JAYS 1992 WORLD SERIES CHAMPS!!  |\n|-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-|\n| *OPINIONS EXPRESSED ABOVE DO NOT BELONG TO ME OR THIS INSTITUTION!* |\n|-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-|\n',
 "From: schock@cpsc.ucalgary.ca (Craig Schock)\nSubject: Re: Smiths birthday goal was LEAFS GO ALL THE WAY !!!\nOrganization: University of Calgary Computer Science\nLines: 26\n\nIn article <C5JunA.4vH@cpsc.ucalgary.ca> layfield@cpsc.ucalgary.ca (Colin Layfield) writes:\n>In article <C4wty9.40u@mcs.anl.gov> mwm@aps.anl.gov writes:\n>>In article 5KL@undergrad.math.uwaterloo.ca, kwk2chow@descartes.uwaterloo.ca (KEVIN C.) writes:\n>>> (Thanks for the goals by Steve Smith) \n>>I don't see why more people don't blame grant fuhr for the goal that smith \n>>put in his own net, it's common to play the puck back to your own goalie when\n>>deep in your own end and under little or no pressure from the offensive team.\n>>If fuhr had been in position the puck would have never crossed the line.\n>>\n>>Mike McDowell\n>\n>I have to disagree with you on this one.  It is anything BUT common.  In the\n>4 or 5 years I have been watching hockey I have NEVER seen this happen EVER.\n>\n>I am not sure what league you have been watching.  :-)\n>\n>Anyone else agree with this?\n\nYes, Colin... I have to agree with you here...  I've put the puck in\nmy own net the same way Smith did... (only once, mind you :-) and it\nwas definitely my fault.  It is NOT a common play to play the puck the\nway that Smith did.  \n\nLuckily, for me...  when I did it... it was only a scrimmage :-)\n\nCraig\n",
 "From: stjohn@math1.kaist.ac.kr (Ryou Seong Joon)\nSubject: WANTED: Multi-page GIF!!\nOrganization: Korea Advanced Institute of Science and Technology\nX-Newsreader: Tin 1.1 PL3\nLines:       12\n\nHi!... \n\nI am searching for packages that could handle Multi-page GIF\nfiles...    \n\nAre there any on some ftp servers?\n\nI'll appreciate one which works on PC (either on DOS or Windows 3.0/3.1).\nBut any package works on Unix will be OK..\n\nThanks in advance...\n",
 'Subject: Re: Western Digital HD info needed\nFrom: oharad@wanda.waiariki.ac.nz\nDistribution: world\nLines: 28\n\n\nIn article <9304172194@jester.GUN.de>, michael@jester.GUN.de (Michael Gerhards) writes:\n> Holly       KS (cs3sd3ae@maccs.mcmaster.ca) wrote:\n>> My Western Digital also has three sets of pins on the back. I am using it with\n>> another hard drive as well and the settings for the jumpers were written right \n>> on the circuit board of the WD drive......MA SL ??\n> \n> The ??-jumper is used, if the other drive a conner cp3xxx. \n> \n> no jumper set: drive is alone\n> MA: drive is master\n> SL: drive is slave\n\nyo,yo,yo .\nthe western digital hd will hve it marked either s,m,a\nput jumper on the s "its printed on the circuitry underkneth it.\n\nhope i helped i had the same problem.\nbye..\nlater daze.\noharad@wanda.waiariki.ac.nz\n\n\n> \n> Michael\n> --\n> *  michael@jester.gun.de  *   Michael Gerhards   *   Preussenstrasse 59  *\n>                           *  Germany 4040 Neuss  *  Voice: 49 2131 82238 *\n',
 'From: henry@zoo.toronto.edu (Henry Spencer)\nSubject: Re: Big amateur rockets\nOrganization: U of Toronto Zoology\nLines: 30\n\nIn article <C5Ky9y.MKK@raistlin.udev.cdc.com> pbd@runyon.cim.cdc.com (Paul Dokas) writes:\n>Anyhow, the ad stated that they\'d sell rockets that were up to 20\' in length\n>and engines of sizes "F" to "M".  They also said that some rockets will\n>reach 50,000 feet.\n>\n>Now, aside from the obvious dangers to any amateur rocketeer using one\n>of these beasts, isn\'t this illegal?  I can\'t imagine the FAA allowing\n>people to shoot rockets up through the flight levels of passenger planes.\n\nThe situation in this regard has changed considerably in recent years.\nSee the discussion of "high-power rocketry" in the rec.models.rockets\nfrequently-asked-questions list.\n\nThis is not hardware you can walk in off the street and buy; you need\nproper certification.  That can be had, mostly through Tripoli (the high-\npower analog of the NAR), although the NAR is cautiously moving to extend\nthe upper boundaries of what it considers proper too.\n\nYou need special FAA authorization, but provided you aren\'t doing it under\none of the LAX runway approaches or something stupid like that, it\'s not\nespecially hard to arrange.\n\nAs with model rocketry, this sort of hardware is reasonably safe if handled\nproperly.  Proper handling takes more care, and you need a lot more empty\nair to fly in, but it\'s basically just model rocketry scaled up.  As with\nmodel rocketry, the high-power people use factory-built engines, which\neliminates the major safety hazard of do-it-yourself rocketry.\n-- \nAll work is one man\'s work.             | Henry Spencer @ U of Toronto Zoology\n                    - Kipling           |  henry@zoo.toronto.edu  utzoo!henry\n',
 'From: sprattli@azores.crd.ge.com (Rod Sprattling)\nSubject: Re: Kawi Zephyr? (was Re: Vision vs GpZ 550)\nArticle-I.D.: crdnns.C52M30.5yI\nReply-To: sprattli@azores.crd.ge.com (Rod Sprattling)\nOrganization: GE Corp R&D Center, Schenectady NY\nLines: 31\nNntp-Posting-Host: azores.crd.ge.com\n\nIn article <1993Apr4.135829.28141@pro-haven.cts.com>,\nshadow@pro-haven.cts.com writes:\n|>In <1993Apr3.094509.11448@organpipe.uug.arizona.edu>\n|>asphaug@lpl.arizona.edu (Erik Asphaug x2773) writes:\n|>\n|>% By the way, the short-lived Zephyr is essentially a GpZ 550,\n|>\n|>Why was the "Zephyr" discontinued?  I heard something about a problem with\n|>the name, but I never did hear anything certain... \n\nFord had an anemic mid-sized car by that name back in the last decade.\nI rented one once.  That car would ruin the name "Zephyr" for any other\nuse.\n\nRod\n---               \nRoderick Sprattling\t\t| No job too great, no time too small\nsprattli@azores.crd.ge.com\t| With feet to fire and back to wall.\n\n\n\n\n\n \n\n\n\n\n\n\n \n',
 'From: warlord@MIT.EDU (Derek Atkins)\nSubject: Re: Would "clipper" make a good cover for other encryption method?\nOrganization: Massachusetts Institute of Technology\nLines: 37\nNNTP-Posting-Host: deathtongue.mit.edu\nIn-reply-to: strnlght@netcom.com\'s message of Tue, 20 Apr 1993 23:52:28 GMT\n\n-----BEGIN PGP SIGNED MESSAGE-----\n\nIn article <strnlghtC5t3nH.Is1@netcom.com> strnlght@netcom.com (David Sternlight) writes:\n\n   In article <1993Apr20.032623.3046@eff.org> kadie@eff.org (Carl M. Kadie) writes:\n\n\n   >So, don\'t just think of replacements for clipper, also think of front\n   >ends.\n\n   This only makes sense if the government prohibits alternative non-escrowed\n   encryption schemes. Otherwise, why not just use the front end without\n   clipper?\n\n   David\n\nDavid, they (== the gov\'t) have already said that they hope to DO THIS\nin the long run...\n\n- -derek\n\nPGP 2 key available upon request on the key-server:\n\tpgp-public-keys@toxicwaste.mit.edu\n\n-----BEGIN PGP SIGNATURE-----\nVersion: 2.2\n\niQBuAgUBK9TknDh0K1zBsGrxAQEAQgLFEFNH9HlHyoVHuWR5RWD9Y+mBrXkYKWsC\naAZO1x1WXhca5FG+UK9/TYYoBpBTLqGSUrgKgdzPXWFH8/+ZXgXrggwf6wP2eDSt\nBYCCYb9JRX3LoZcg5whgOi4=\n=8H7Y\n-----END PGP SIGNATURE-----\n--\n  Derek Atkins, MIT \'93, Electrical Engineering and Computer Science\n     Secretary, MIT Student Information Processing Board (SIPB)\n           MIT Media Laboratory, Speech Research Group\n           warlord@MIT.EDU       PP-ASEL        N1NWH\n',
 "From: azw@aber.ac.uk (Andy Woodward)\nSubject: Re: Dr. Demento\nOrganization: University College of Wales, Aberystwyth\nLines: 12\nNntp-Posting-Host: 144.124.112.30\n\n\nIn article <1993Mar31.194202.7809@cs.brown.edu> jdk@cs.brown.edu (Jennet Kirschenbaum) writes:\n>\n>I haven't heard Dr. Demento in years.  Does anyone know if it \n>plays on any stations around Prov, RI (such as WBCN)?\n>\n>I'd love to pay for shipping and recording of the show too.\n\nThe best Boring-Old-Farts prefer The Breeze, 97.9FM, Salt\nLake City. Wonderfully catatonic. I wanted to take the whole station\nback with me in my flight bag. (Especially the girlie with the sexy\nvoice who did the Morning Show.)\n",
 "From: lindae@netcom.com\nSubject: Friend Needs Advice...\nOrganization: Netcom Online Communications Services (408-241-9760 login: guest)\nLines: 38\n\n\nA friend of mine is having some symptoms and has asked me to post\nthe following information.\n\nA few weeks ago, she noticed that some of her hair was starting\nto fall out.  She would touch her head and strands of hair would\njust fall right out. (by the way, she is 29 or 30 years old).  \nIt continued to occur until she had a bald spot about the\nsize of a half dollar.  Since that time, she  has gotten two\nmore bald spots of the same size.  Other symptoms she's\ndescribed include:  several months of an irregular menstrual\ncycle (which is strange for her, because she has always been\nextremely regular); laryngitis every few days -- she will wake\nup one morning and have almost no voice, and then the next day\nit's fine; dizzy spells -- she claims that she's had 4 or 5\nvery bad dizzy spells early in the morning, including one that\nknocked her to the ground; and general fatigue.\n\nShe went to a dermatologist first who couldn't find any reason\nfor the symptoms and sent her to an internist who suspected\nthyroid problems.  He did the blood work and claims that everything\ncame back normal.  \n\nShe's very concerned and very confused.  Does anyone have any\nideas or suggestions?  I told her that I thought she should\nsee an endocrinologist.  Does that sound like the right idea?\n\n** By the way, in case you are going to ask...no, she has recently\ntaken any medications that would cause these symptoms...no, she hasn't\nrecently changed her hair products and she hasn't gotten a perm, \ncoloring, or other chemical process that might cause hair to fall\nout.\n\nThanks in advance for any help!\n\n\n\n\n",
 'From: cs3sd3ae@maccs.mcmaster.ca (Holly       KS)\nSubject: Re: ROLAND JUNO-60 SYNTHESIZER*UNIDEN RADAR DETECTOR 4 SALE\nNntp-Posting-Host: maccs.dcss.mcmaster.ca\nOrganization: Department of Computer Science, McMaster University\nLines: 4\n\nActually they synth used in "JUMP" was an Oberheim. Watch the video.......\n\nKevin\n\n',
 "From: wtm@uhura.neoucom.edu (Bill Mayhew)\nSubject: Re: Dumb Question: Function Generator\nOrganization: Northeastern Ohio Universities College of Medicine\nLines: 36\n\n1)  Output offset:  Obtain the service manual for the oscilloscope\nand adjust the internal output offset contorl.  There is virtual\ncertainty that there is an internal ajustment for the offset\ncontrol's zero detent position.\n\n2)  Verify that the function generator is properly loaded.  Many\ngenerators expect you to supply a 50 ohm load.  Go to a hamfest\nflea market and scrounge around for a pass-through 50 ohm\nterminator that has a male and female BNC (or whatever) connector\non it.  The calibrator on my Tektronix scope is designed to put out\n.4v into a 1 meg load, but .1 volt into a 50 ohm load.  You may\nalso find that loading the output of the function generator also\nreduces the harmonic distortion.\n\nBuild an attenuator.  You don't have to use (and I wouldn't want to\nuse) the input impedance of the device under test as part of the\nvoltage divider to drop the input test voltage.  Consider this:\n\n------10K--------+---------? ohm ----\n                 |\nGen            50 ohm            D.U.T.\n(loaded)         |\n-----------------+-------------------\n\nThink about the ratio of 50/10K and then think about the accuracy\nto which you can read voltages on your oscilloscope.  You can\nvirtually discount the loading of the D.U.T.  Also you have the\nmillivolt test generator you want.\n\nGood luck,\n\n\n-- \nBill Mayhew      NEOUCOM Computer Services Department\nRootstown, OH  44272-9995  USA    phone: 216-325-2511\nwtm@uhura.neoucom.edu (140.220.1.1)    146.580: N8WED\n",
 'From: mogul@uclink.berkeley.edu (Bret Mogilefsky)\nSubject: Re: Any good sound formats conversion program out there??\nOrganization: University of California, Berkeley\nLines: 34\nNNTP-Posting-Host: uclink.berkeley.edu\n\nIn article <edd392h.733700028@mings2.cc.monash.edu.au> edd392h@mings2.cc.monash.edu.au (YWI. Li) writes:\n>Hi all,\n>\n>Does anyone know if there is a good sound formats conversion program out\n>\n>there???  (Like PaintshopPro for picture formats conversion)\n>\n>Please send me a copy of your reply!!!\n>\n>thanks a lot\n>\n>Bel\n>\n\nHi...\n\n\tTHe best sound conversion program I\'ve ever seen is SoundTool, which\nis shareware from Germany.  I found a copy somewhere in wuarchive.wustl.edu\na long time ago, but I don\'t know offhand what directory it was under.  It\'s\nGREAT at converting files of all types, including Mac, NExT, Sun, and\nvarious PC formats... It\'s also a great player and editor, with various\nspecial effects that put Windows\' Sound Recorder to shame.  It requires a\ndriver for various sound cards... The only builtin one is for the pc speaker\n(and even that sounds pretty good), but if you\'re just using it to convert\nthings, you can convert them in SoundTool and then play them in Sound\nRecorder.\n\nGive it a try!\n\nBret\n-- \n* "Why, that\'s the second    |  mogul@soda.berkeley.edu\t\t*\n*  biggest monkey head I\'ve  |  mogul@ocf.berkeley.edu\t\t*\n*  ever seen!"  -Guybrush    |  mogul@uclink.berkeley.edu\t*\n',
 "From: labson@borneo.corp.sgi.com (Joel Labson)\nSubject: Maybe?????\nOrganization: Silicon Graphics, Inc.\nLines: 17\n\nHi Christian friends,\n\nMy name is Joel, I have a sister who's 25th birthday is tomorrow.....She\nused to be on fire for the Lord, but somehow, for some reason, she\nbecame cold....she don't want to associate anymore with her old\nchristian friends.........so I thought maybe some of you could help her\nout again by sending her a postcard or card with a little message of\nencouragement.....hand written is okay....her address is 3150 Hobart\nAve. San Jose Ca. 95127...........\n\nThank you and God Bless.\n\nPS: Jesus Christ is LORD!!!!!!!! \n\n[I have some qualms about postings like this.  You might want to\nengage in a bit more conversation with Joel before deluging \nsomeone who doesn't expect it with cards.  --clh]\n",
 "From: tim@kimba.catt.citri.edu.au (Tim Liddelow)\nSubject: Keysym database problems\nKeywords: X, Motif\nOrganization: CATT Centre at CITRI, Melbourne, Australia\nLines: 31\n\nI am having problems with a  Motif application that when run on another machine\n(with different X paths, etc) can't find the XKeysymDB file.   This causes a large\nwarning output:\n\nWarning: translation table syntax error: Unknown keysym name: osfActivate\nWarning: ... found while parsing '<Key>osfActivate:ManagerParentActivate()'\nWarning: translation table syntax error: Unknown keysym name: osfCancel\nWarning: ... found while parsing '<Key>osfCancel:ManagerParentCancel()'\nWarning: translation table syntax error: Unknown keysym name: osfSelect\nWarning: ... found while parsing '<Key>osfSelect:ManagerGadgetSelect()'\n...\n....\n....\netc.\n\nas the file is in a different location, but Xt seems to only look for it in\nthe place where it is on the machine the app was compiled on.  Is there any\nway to read the XKeysymDB manually with an X/Xt call so that additions to\nthe XKeysymDB can be distributed with the application ?  I have used trace(1)\nto find out what was going on, but I need a fix so that these translations in\nthe application can be recognised.\n\n--tim\n________________________________________________________________________________\n  Tim Liddelow                                          for(;;) fork();\n  Systems Programmer\n  Centre of Advanced Technology in Telecommunications   My brain on a bad day.\n  CITRI, Melbourne, Australia                           \n  internet : tim@kimba.catt.citri.edu.au                \n  Phone : +61 3 282 2455   Fax : +61 3 282 2444\t        \n________________________________________________________________________________\n",
 "Subject: Rockies and Rangers fans, Please help me\nFrom: valentin+@pitt.edu (Shawn V. Hernan)\nOrganization: University of Pittsburgh\nX-UserAgent: Nuntius v1.1.1d12\nX-XXMessage-ID: <A7E61E0C2E01FE53@cadet-blue.cis.pitt.edu>\nX-XXDate: Mon, 5 Apr 93 22:34:04 GMT\nLines: 12\n\nGreetings baseballers, \n\n\tI have a choice of two more or less identical conferences to\nattend, one in \nDenver, and one in Dallas, both May 24-28. Could some kind Rockies\nor Rangers \n(they DO play in the Dallas area, right?) fans please let me know if\nthere \nare home dates for that week. I'd love to catch a game. \n\nThanks, \nShawn\n",
 "From: leo@cae.wisc.edu (Leo Lim)\nSubject: DOS6 - doublespace + stacker 3.0, is it okay?\nArticle-I.D.: doug.1993Apr6.133257.14570\nOrganization: College of Engineering, Univ. of Wisconsin--Madison\nLines: 7\n\nJust as the title suggest, is it okay to do that?\nI havne't got DOS6 yet, but I heart DoubleSpace is less tight than stacker 3.0.\nWhat are disadvantage/advantages by doing that?\n\nAny comments will be appreciated.\n\n===Martin\n",
 'From: frode@dxcern.cern.ch (Frode Weierud)\nSubject: Magstrip Card Reader Info\nKeywords: Magstripe, Card Reader, American Magnetics, Magnetics\nReply-To: frode@dxcern.cern.ch\nOrganization: CERN European Lab for Particle Physics\nLines: 26\n\n\nCan somebody please help me with information about an\nAmerican Magnetics Corporation Magstripe Card Reader that\nI recently bought locally from a surplus dealer.\n\nOn the rear it has the following information:\n\n\tAmerican Magnetics Corporation\n\tCarson, CA, USA\n\tMagstripe Card Reader\n\tModel 41,\n\tP/N 507500 - 2300112311\n\nIt is fitted with a cable with a RS232 Cannon 25-pin connector on\nthe end and has a separate power connector like the once used with\nwall chargers.\n\nFrode\n\n**************************************************************************\n*\tFrode Weierud\t\tPhone\t:\t41 22 7674794\t\t *\n*\tCERN, SL\t\tFax\t:\t41 22 7823676\t\t *\n*\tCH-1211 Geneva \t23\tE-mail\t:\tfrode@dxcern.cern.ch\t *\n*\tSwitzerland\t\t\t   or\tweierud@cernvm.cern.ch\t *\n**************************************************************************\n\n',
 'From: ske@pkmab.se (Kristoffer Eriksson)\nSubject: Re: Science and methodology (was: Homeopathy ... tradition?)\nKeywords: science   errors   Turpin   NLP\nOrganization: Peridot Konsult i Mellansverige AB, Oerebro, Sweden\nLines: 14\n\nIn article <1quqlgINN83q@im4u.cs.utexas.edu> turpin@cs.utexas.edu (Russell Turpin) writes:\n> My definition is this: Science is the investigation of the empirical\n>that avoids mistakes in reasoning and methodology discovered from previous\n>work.\n\nReading this definition, I wonder: when should you recognize something\nas being a "mistake"? It seems to me, that proponents of pseudo-sciences\nmight have their own ideas of what constitutes a "mistake" and which\ndiscoveries of such previous mistakes they accept.\n\n-- \nKristoffer Eriksson, Peridot Konsult AB, Stallgatan 2, S-702 26 Oerebro, Sweden\nPhone: +46 19-33 13 00  !  e-mail: ske@pkmab.se\nFax:   +46 19-33 13 30  !  or ...!mail.swip.net!kullmar!pkmab!ske\n',
 'From: Lars.Jorgensen@p7.syntax.bbs.bad.se (Lars Jorgensen)\nSubject: Externel processes for 3D Studio\nReply-To: Lars.Jorgensen@p7.syntax.bbs.bad.se (Lars Jorgensen)\nDistribution: world\nOrganization: Nr. 5 p} NatR}b \nOD-Comment-To: Internet_Gateway\nLines: 13\n\nTo:All\n\nHi,\n\nDoes anybody have the source code to the externel processes that comes with 3D \nStudio, and mabe som kind of DOC for writing the processes your self.\n\n\n/Lars\n\n+++ Author: Lars_Jorgensen@p7.syntax.bbs.bad.se, Syntax BBS, Denmark\n\n--- GoldED 2.41\n',
 'From: alamut@netcom.com (Max Delysid (y!))\nSubject: Re: Rosicrucian Order(s) ?!\nOrganization: Longinus Software & Garden ov Delights\nLines: 27\n\nIn article <1qppef$i5b@usenet.INS.CWRU.Edu> ch981@cleveland.Freenet.Edu (Tony Alicea) writes:\n>\n>     Name just three *really* competing Rosicrucian Orders. I have\n>probably spent more time than you doing the same. \n>\n>     None of them are spin-offs from O.T.O. The opposite may be the\n>case. \n\nCan we assume from this statement that you are >unequivocally< saying that\nAMORC is not a spin off of OTO? .. and that in fact, OTO may well be a spin\noff of AMORC??\ni would be quite interested in hearing what evidence you have to support this\nclaim. \n\n>Study Harder,\n\nStudy Smarter, not Harder! :-)\n\n\n\n-- \n--->|<-------------------------------------------------------------------------\n<---|--->  More. More of Everything. More of Everything for Everybody.\n  <-|-> "Real total war has become information war, it is being fought now..."\n<---|---> !MaX! Delysid - alamut@netcom.com - ALamutBBS 415.431.7541 1:125/51\n--->|<-------------------------------------------------------------------------\n\n',
 'From: shaig@Think.COM (Shai Guday)\nSubject: Re: Investment in Yehuda and Shomron\nOrganization: Thinking Machines Corporation, Cambridge MA, USA\nLines: 30\nDistribution: world\nNNTP-Posting-Host: composer.think.com\n\nIn article <horenC5LDuz.5sE@netcom.com>, horen@netcom.com (Jonathan B. Horen) writes:\n|> \n|> While I applaud investing of money in Yehuda, Shomron, v\'Chevel-Azza,\n|> in order to create jobs for their residents, I find it deplorable that\n|> this has never been an active policy of any Israeli administration\n|> since 1967, *with regard to their Jewish residents*. Past governments\n|> found funds to subsidize cheap (read: affordable) housing and the\n|> requisite infrastructure, but where was the investment for creating\n|> industry (which would have generated income *and* jobs)? \n\nThe investment was there in the form of huge tax breaks, and employer\nbenfits.  You are overlooking the difference that these could have\nmade to any company.  Part of the problem was that few industries\nwere interested in political settling, as much as profit.\n\n|> After 26 years, Yehuda and Shomron remain barren, bereft of even \n|> middle-sized industries, and the Jewish settlements are sterile\n|> "bedroom communities", havens for (in the main) Israelis (both\n|> secular *and* religious) who work in Tel-Aviv or Jerusalem but\n|> cannot afford to live in either city or their surrounding suburbs.\n\nTrue, which leads to the obvious question, should any investment have\nbeen made there at the taxpayer\'s expense.  Obviously, the answer was\nand still is a resounding no.\n\n-- \nShai Guday              | Stealth bombers,\nOS Software Engineer    |\nThinking Machines Corp. |\tthe winged ninjas of the skies.\nCambridge, MA           |\n',
 'From: eulenbrg@carson.u.washington.edu (Julia Eulenberg)\nSubject: Re: Arythmia\nArticle-I.D.: shelley.1r7mfbINNhvu\nOrganization: University of Washington\nLines: 2\nNNTP-Posting-Host: carson.u.washington.edu\n\nAlexis Perry asked if low blood potassium could be dangerous.  Yes.\nZZ\n',
 "From: forbes@sequent.com (Ellen E. Forbes)\nSubject: Novice Beekeeper Seeks Tools of Trade\nSummary: Looking for beekeeping garb\nKeywords: bzz ... bzz ... bzz ... ouch!\nArticle-I.D.: sequent.1993Apr6.200009.15076\nDistribution: usa\nOrganization: Sequent Computer Systems, Inc.\nLines: 10\nNntp-Posting-Host: crg1.sequent.com\n\n\nIf you'd like to find a home for that beekeeping equipment you'll never use\nagain, here's a likely victim, uh, customer.\n\nTo make a deal, call:\n\n\t\tLaura Forbes (503)275-4483\n\nduring regular business hours, or, respond to me through e-mail and I'll\npass your message along.\n",
 'From: gharriso@hpcc01.corp.hp.com (Graeme Harrison)\nSubject: Re: r.m split (was: Re: insect impacts)\nOrganization: the HP Corporate notes server\nLines: 30\n\n/ hpcc01:rec.motorcycles / cookson@mbunix.mitre.org (Cookson) /  2:02 pm  Apr  2, 1993 /\n\nAll right people, this inane bug wibbling is just getting to much.  I\npropose we split off a new group.\nrec.motorcycles.nutrition \nto deal with the what to do with squashed bugs thread.\n\n-- \n| Dean Cookson / dcookson@mitre.org / 617 271-2714    | DoD #207  AMA #573534 |\n| The MITRE Corp. Burlington Rd., Bedford, Ma. 01730  | KotNML  /  KotB       |\n| "If I was worried about who saw me, I\'d never get   | \'92 VFR750F           |\n| nekkid at all." -Ed Green, DoD #0111                | \'88 Bianchi Limited   |\n----------\nWhat?!?!? Haven\'t you heard about cross-posting??!?!? Leave it intact and\nsimply ignore the basenotes and/or responses which have zero interest for\na being of your stature and discriminating taste. ;-)\n\nYesterday, while on Lonoak Rd, a wasp hit my faceshield with just\nenough force to glue it between my eyes, but not enough to kill it as\nthe legs were frantically wiggling away and I found that rather, shall\nwe say, distracting. I flicked it off and wiped off the residue at the\nnext gas stop in Greenfield. :-) BTW, Lonoak Rd leads from #25 into\nKing City although we took Metz from KC into Greenfield. \n  \n--------------------------------------------------------------------------\nGraeme Harrison, Hewlett-Packard Co., Communications Components Division,\n350 W Trimble Rd, San Jose, CA 95131 (gharriso@hpcc01.corp.hp.com) DoD#649 \n--------------------------------------------------------------------------\n\n\n',
 'From: ji@cs.columbia.edu (John Ioannidis)\nSubject: Re: Source of random bits on a Unix workstation\nOrganization: Columbia University Department of Computer Science\nLines: 32\n\nIn article <899@pivot.sbi.com> bet@sbi.com (Bennett Todd @ Salomon Brothers Inc., NY ) writes:\n>\n>I heard about this solution, and it sounded good. Then I heard that folks\n>were experiencing times of 30-60 seconds to run this, on\n>reasonably-configured workstations. I\'m not willing to add that much delay\n>to someone\'s login process. My approach (etherfind|compress, skip 10K) takes\n>a second or two to run. I\'m considering writing the be-all and end-all of\n>solutions, that launches the MD5, and simultaneously tries to suck bits off\n>the net, and if the net should be sitting __SO__ idle that it can\'t get 10K\n>after compression before MD5 finishes, use the MD5. This way I could have\n>guaranteed good bits, and a deterministic upper bound on login time, and\n>still have the common case of login take only a couple of extra seconds.\n>\n\n53 seconds to hash 20M of core (I bet I know who the source of your\ninformation is!). No, it\'s not acceptable if it\'s part of your login\nprocess. But if you are going to use network traffic as the source of\npseudo-random information, do the right thing and pass it through a\ncryptographic hash function, not a compressor. Aside from the fact\nthat it will run faster, it will give better results (think of a\ncryptographic hash as a function that "distills" randomness).\nSomething along the lines of \n\tetherfind -t -x -n  | dd bs=1k count=10 2>/dev/null | md5\nshould do the trick. -t gives you timestamps, and the lack of -u makes\nsure that dd does not get ten lines as opposed to ten K. The above\ntakes a couple of seconds on a lightly-loaded ethernet.\n\n>-Bennett\n>bet@sbi.com\n\n/ji\n\n',
 'From: zyeh@caspian.usc.edu (zhenghao yeh)\nSubject: Re: Need polygon splitting algo...\nOrganization: University of Southern California, Los Angeles, CA\nLines: 25\nDistribution: world\nNNTP-Posting-Host: caspian.usc.edu\nKeywords: polygons, splitting, clipping\n\n\nIn article <1qvq4b$r4t@wampyr.cc.uow.edu.au>, g9134255@wampyr.cc.uow.edu.au (Coronado Emmanuel Abad) writes:\n|> \n|> The idea is to clip one polygon using another polygon (not\n|> necessarily rectangular) as a window.  My problem then is in\n|> finding out all the new vertices of the resulting "subpolygons"\n|> from the first one.  Is this simply a matter of extending the\n|> usual algorithm whereby each of the edges of one polygon is checked\n|> against another polygon???  Is there a simpler way??\n|> \n|> Comments welcome.\n|> \n|> Noel.\n\n\tIt depends on what kind of the polygons. \n\tConvex - simple, concave - trouble, concave with loop(s)\n\tinside - big trouble.\n\n\tOf cause, you can use the box test to avoid checking\n\teach edges. According to my experience, there is not\n\ta simple way to go. The headache stuff is to deal with\n\tthe special cases, for example, the overlapped lines.\n\n\tYeh\n\tUSC\n',
 'From: timd@fenian.dell.com (Tim Deagan)\nSubject: Homebuilt PAL (EPLD) programer?\nNntp-Posting-Host: fenian.dell.com\nReply-To: timd@fenian.dell.com\nOrganization: SLAMDANZ CYBRNETX\nLines: 13\n\nAnyone know a reasonable circuit for programming PALs?  I am interested\nin programming a wide range of EPLDs but would be happy with something \nthat could handle a 22V10 or thereabouts.\n\nThanks in advance,\n--Tim\n\n---\n{{{{{{{{{{{{{{{{{{{{{ timd@fenian.dell.com }}}}}}}}}}}}}}}}}}}}}}}}}}}}\n             Rev. Tim Deagan - Official Obnoxious Poster\nNo one but me is responsible for anything I write, believe in or preach\n* "It is difficult to free fools from chains they revere." - Voltaire *\n\n',
 'From: keith@cco.caltech.edu (Keith Allan Schneider)\nSubject: Re: <<Pompous ass\nOrganization: California Institute of Technology, Pasadena\nLines: 16\nNNTP-Posting-Host: punisher.caltech.edu\n\nlivesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n\n[...]\n>>The "`little\' things" above were in reference to Germany, clearly.  People\n>>said that there were similar things in Germany, but no one could name any.\n>That\'s not true.  I gave you two examples.  One was the rather\n>pevasive anti-semitism in German Christianity well before Hitler\n>arrived.  The other was the system of social ranks that were used\n>in Imperail Germany and Austria to distinguish Jews from the rest \n>of the population.\n\nThese don\'t seem like "little things" to me.  At least, they are orders\nworse than the motto.  Do you think that the motto is a "little thing"\nthat will lead to worse things?\n\nkeith\n',
 'From: rash@access.digex.com (Wayne Rash)\nSubject: Re: 17" monitor with RGB/sync to VGA ??\nOrganization: Express Access Online Communications, Greenbelt, MD USA\nLines: 21\nDistribution: usa\nNNTP-Posting-Host: access.digex.net\nKeywords: RGB VGA 17"monitor\n\nscanlonm@rimail.interlan.com (Michael Scanlon) writes:\n\n>I don\'t know if this is an obvious question, but can any of the current \n>batch of windows accelerator cards (diamond etc) be used to drive a monitor \n>which has RGB and horizontal and vertical sync ( 5 BNC jacks altogether) \n>connectors out the back??  I might be able to get ahold of a Raster \n>Technologies 17" monitor (1510 ??)cheap and I was wondering if it was \n>possible to connect it via an adapter (RGB to vga ??) to my Gateway, would \n>I need different drivers etc.  \n\n\n>Thanks\n\n>Mike Scanlon \n>please reply to scanlon@interlan.com\n\nYou need a monitor cable that has a VGA connector on one end and five BNC\nconnectors on the other.  I bought one from Nanao when I bought the Nanao\nmonitor I use, which also has five BNC connectors.  Check with a computer\nstore that sells good monitors.  Quite a few companies use that setup.\n\n',
 "From: tae0460@zeus.tamu.edu (ANDREW)\nSubject: COMPLETE 386 SYSTEM FOR SALE\nOrganization: Texas A&M University, Academic Computing Services\nLines: 34\nDistribution: world\nNNTP-Posting-Host: zeus.tamu.edu\nNews-Software: VAX/VMS VNEWS 1.41    \n\n  386DX 25Mhz   (DTK motherboard  Intel microprocessor)\n  128k internal cache\n  4 megs Ram\n  89 meg Harddrive    (IDE controller)\n  1.2 meg floppy drive\n  1.44 meg floppy drive\n  2 serial ports\n  1 parallel port\n  Samsung VGA monitor\n  VGA graphics card\n  101 key keyboard\n  2400 baud internal modem\n\n  MS-DOS 6.0\n  Procomm Plus  ver. 2.0\n  Norton Utilities  ver. 4.5\n  other varius utilities\n\nI'm upgrading and need to sell.  The system is reliable and ready to go.\nI've never had any problems with it.\n\nI'm asking  $1050 o.b.o.\n\nIf you're interested, please respond by either E-mail or phone.\n\nTAE0460@zeus.tamu.edu\nor\n409-696-6043\n\nThanks,\nAndrew\n\n\n\n",
 'From: dbm0000@tm0006.lerc.nasa.gov (David B. Mckissock)\nSubject: NASA "Wraps"\nNews-Software: VAX/VMS VNEWS 1.41    \nNntp-Posting-Host: tm0006.lerc.nasa.gov\nOrganization: NASA Lewis Research Center / Cleveland, Ohio\nLines: 133\n\nIn the April edition of "One Small Step for a Space Activist",\nAllen Sherzer & Tim Kyger write:\n  "Another problem is what are called \'wraps\' (or sometimes\n   the \'center tax\'). When work for a large program like\n   Freedom or Shuttle is performed at a NASA center, the\n   center skims off a portion which goes into what amounts\n   to a slush fund. This money is used to fund work the\n   center manager wants to fund. This sum is estimated to\n   be over a third of the funds allocated. Think about\n   that: Of the $30 billion cost of Freedom, fully $10\n   billion won\'t be spent on anything having anything\n   to do with Space Stations! Now, maybe that $10 billion\n   was wisely spent (and maybe it wasn\'t), but the work done\n   with it should stand on its own merits, not distorting\n   the cost of other projects. Congress has no idea of the\n   existense of these wraps; Congress has never heard the\n   term \'center tax\'. They look at the Station they are\n   getting and the price they are paying and note that\n   it doesn\'t add up. They wonder this blissfully unaware\n   that a third of the money is going for something else."\n\nMy dear friends, your mixing fact and fiction here. A couple\nof weeks ago, when I first read this in your posting, I\ntalked with one of the cost experts here in Space Station\nat Headquarters [if you wondering why I didn\'t post a\nresponse immediately, I do have a real job I\'m supposed\nto be doing here at Headquarters, & digging up old 20 kHz\ndata & looking into Sherzer/Kyger claims rates pretty low\non the totem pole of priority. Also, I spent last weekend\nin Kansas City, at the National Science Teachers \nAssociation conference, extolling the virtues of SSF\nto 15,000 science teachers.]\n\nFirst off, yes, the concept of \'center tax\', or \'wrap\' does\nexist. If I recall the numbers correctly, the total \'tax\'\nfor the SSF program for this fiscal year is around $40 Million.\nThis was computed by adding up the WP-1, WP-2, and WP-4\ncenter \'taxes\'. With the SSF budget for this fiscal year at\n$2.2 Billion, my calculater says the tax percentage is\n04/2.2 = 1.8%\n\nOver the life of the SSF program, using your figure of $30\nbillion for the cost of SSF, a tax at a 1.8% rate comes to\n$540 million. This is alot less than $10 billion, but I\nwill concede it\'s still an appreciable amount of pocket\nchange.\n\nI should note that your estimate of the tax rate at 1/3 could\nbe close to the actual rate. The tax is only charged on funds\nthat are spent at the center (kind of like McDonalds at some\nstates, where you do have to pay sales tax if you eat\nthe food at the restaurant, but you don\'t if you get it\ntake-out). For example, at WP-4, the vast bulk of the funds\nwe receive go to the Rocketdyne Contract, and are *NOT*\nsubject to the center tax (I don\'t have the numbers in\nfront of me, but I\'d guess at least 95% of the WP-4 funds\ngo to Rocketdyne). So, you could be right about a tax\nrate of 1/3, but it\'s only applied to funds spent at the\ncenter, and not to the prime contracts.\n\nThis leads to the obvious question "What is the government\ndoing with SSF funds that don\'t go to the prime contractors?\n(i.e. ok, WP-4 gets a slice of the $30 billion pie. A\nbig portion of this slice goes to Rocketdyne. What happens\nto the balance of the funds, which aren\'t eaten\nup by the center tax?)"\n\nAt WP-4, we call these funds we spend in-house supporting\ndevelopment funds (as they are supporting the development\nwork done by Rocketdyne). We have used these funds to\nsetup our own testbed, to checkout the electrical\npower system architecture. Our testbed has a real life\nsolar array field (left over from solar cell research\nresearch a few years back), with lead-acid car batteries\n(to simulate the Nickel-Hydrogen batteries on SSF), DC\nswitchgear, DC-DC converter units, and simulated\nloads. Data from the testbed was used in a recent\nchange evaluation involving concerns about the stability\nof the power system.\n\nWe have also used the supporting development money to\npurchase Nickel Hydrogen batteries, which are on life\ntesting at both Lewis and the Crane Naval facility in\nIndiana. As a side point, 6 of the battery cells on\ntest recently hit the four year life test milestone.\n38 cells have completed 18,552 to 23,405 cycles (the\non-orbit batteries go through 5,840 cycles per year).\n\nAs a final example, my \'home\' division at Lewis used\nthe supporting development funds to purchase personal\ncomputers and work stations, for performing system\nanalyses (like modeling of the performance of the\nelectrical power system, availability calculations\nusing a Monte-Carlo simulation, setting up a \ndatabase with information on weight of the power\nsystem elements).\n\nFinally, the money raised by the \'tax\' does not all\ngo into a \'slush fund.\' At Lewis, the director\ndoes control a small discretionary fund. Each year,\nany individual at Lewis can submit a proposal to\nthe director to get money from this fund to look\nat pretty much anything within the Lewis Charter.\n\nMost of the tax, however, goes to fund the \'general\'\nservices at the Center, like the library, the \ncentral computer services division, the Contractor \nwho removes the snow, etc. Thus, it is rather\ndifficult to determine what percentage of the\nSSF budget doesn\'t go for SSF activities. To get\nan accurate figure, you would have to take\nthe annual expenditure for the library (for example),\nand then divide by the amount of the library funds\nused to support SSF (which would be hard to\ncompute by itself - how would you figure out\nwhat percentage of the bill for Aviation Week for\n1 year is \'billable\' to SSF, would you base it on\nthe person-hours SSF employees spend reading AV-week\nversus the rest of the center personnel). You would\nthen have to compare this estimate of the SSF\nportion of the library expense with the portion of\nthe tax that goes to support the library. Who knows,\nmaybe SSF overpays on the tax to run the library, but\nwe underpay for snow removal? Talk about\na burecratic nightmare!\n\nMy last point is that I can\'t believe your claim that\nCongress has never heard of the term \'center tax.\'\nUnfortunately, all of the NASA testimony before\nCongress isn\'t on a computer, so I can\'t do a simple\nword search someplace to prove you wrong. But surely,\nin some GAO audit somewhere, these NASA cost methods\nwere documented for Congress?\n',
 'From: livesey@solntze.wpd.sgi.com (Jon Livesey)\nSubject: Re: Moraltiy? (was Re: <Political Atheists?)\nOrganization: sgi\nLines: 63\nNNTP-Posting-Host: solntze.wpd.sgi.com\n\nIn article <1ql8ekINN635@gap.caltech.edu>, keith@cco.caltech.edu (Keith Allan Schneider) writes:\n|> livesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n|> \n|> >>>>What if I act morally for no particular reason?  Then am I moral?  What\n|> >>>>if morality is instinctive, as in most animals?\n|> >>>\n|> >>>Saying that morality is instinctive in animals is an attempt to \n|> >>>assume your conclusion.\n|> >>\n|> >>Which conclusion?\n|> >\n|> >You conclusion - correct me if I err - that the behaviour which is\n|> >instinctive in animals is a "natural" moral system.\n|> \n|> See, we are disagreeing on the definition of moral here.  Earlier, you said\n|> that it must be a conscious act.  By your definition, no instinctive\n|> behavior pattern could be an act of morality.  You are trying to apply\n|> human terms to non-humans.\n\nPardon me?   *I* am trying to apply human terms to non-humans?\n\nI think there must be some confusion here.   I\'m the guy who is\nsaying that if animal behaviour is instinctive then it does *not*\nhave any moral sugnificance.   How does refusing to apply human\nterms to animals get turned into applying human terms?\n\n|> I think that even if someone is not conscious of an alternative, \n|> this does not prevent his behavior from being moral.\n\nI\'m sure you do think this, if you say so.   How about trying to\nconvince me?\n\n|> \n|> >>You don\'t think that morality is a behavior pattern?  What is human\n|> >>morality?  A moral action is one that is consistent with a given\n|> >>pattern.  That is, we enforce a certain behavior as moral.\n|> >\n|> >You keep getting this backwards.  *You* are trying to show that\n|> >the behaviour pattern is a morality.  Whether morality is a behavior \n|> >pattern is irrelevant, since there can be behavior pattern, for\n|> >example the motions of the planets, that most (all?) people would\n|> >not call a morality.\n|> \n|> I try to show it, but by your definition, it can\'t be shown.\n\nI\'ve offered, four times, I think, to accept your definition if\nyou allow me to ascribe moral significence to the orbital motion\nof the planets.\n\n|> \n|> And, morality can be thought of a large class of princples.  It could be\n|> defined in terms of many things--the laws of physics if you wish.  However,\n|> it seems silly to talk of a "moral" planet because it obeys the laws of\n|> phyics.  It is less silly to talk about animals, as they have at least\n|> some free will.\n\nAh, the law of "silly" and "less silly".   what Mr Livesey finds \nintuitive is "silly" but what Mr Schneider finds intuitive is "less \nsilly".\n\nNow that\'s a devastating argument, isn\'t it.\n\njon.\n',
 'From: maynard@ramsey.cs.laurentian.ca (Roger Maynard)\nSubject: Re: hawks vs leafs lastnight\nOrganization: Dept. of Computer Science, Laurentian University, Sudbury, ON\nDistribution: na\nLines: 33\n\nIn <1993Apr18.153820.10118@alchemy.chem.utoronto.ca> golchowy@alchemy.chem.utoronto.ca (Gerald Olchowy) writes:\n\n>In article <93106.082502ACPS6992@RyeVm.Ryerson.Ca> Raj Ramnarace <ACPS6992@RyeVm.Ryerson.Ca> writes:\n>>did anyone else see this game last night ? just like a playoff game!!\n>>lots of hitting...but I was disappointed by the video goal judge...\n>>on all replays, joe murphy\'s goal shouldn\'t have counted ! it didn\'t go in net\n>>!! and according to the tsn broadcasters, the video goal judge said that he\n>>saw the water bottle on top of the cage move so he assumed the puck went in!\n>>this is terrible...hope crap like this doesn\'t occur in the playoffs!\n>>the game would have ended in 2-2 tie !\n\n>I thought the red light went on...thus, in the review, the presumption\n>would be to find conclusive evidence that the puck did not go in the\n>net...from the replays I say, even from the rear, the evidence wasn\'t\n>conclusive that the puck was in or out...in my opinion...\n\nIt seemed pretty conclusive to me.  The puck clearly hit the crossbar\nand then came down on the line.  And the announcers, admittedly homers,\nkept harping about how they "must have had a different view upstairs"\nbecause it was obvious to them, and, I would have thought, to anyone who\nsaw the replay, that the puck didn\'t go in.  The referee originally \nsignalled no goal but the video replay "judges" initiated contact with\nthe referee to claim that a goal was in fact scored.  This, to me, is\nunheard of.  Seeing stuff like this happen gives me a bad feeling about\nthe Leaf chances this year.\n\ncordially, as always,\n\nrm\n\n-- \nRoger Maynard \nmaynard@ramsey.cs.laurentian.ca \n',
 "Organization: University of Illinois at Chicago, academic Computer Center\nFrom: <U37955@uicvm.uic.edu>\nSubject: Internal leak in carburetor\nLines: 9\n\nHi,\n\nMy friend's 1983 Toyota Tercel accelerates by itself without using\nthe gas peddel. The repairman said it has a internal leak of air in\nthe carburetor and needs a new carburetor (costs $650). She likes\nto know if it is possible to fix the problem without replacing\nthe whole carburetor.\n\nThank you.\n",
 'From: ebth@rhi.hi.is (Eggert Thorlacius)\nSubject: Monitors and Video cards for SE/30\nLines: 24\nNntp-Posting-Host: hengill.rhi.hi.is\n\n\nHello all.\n\tI am thinking about buying an external monitor for my SE/30 and was\nwondering if anyone out in netland has any advice for me.\n\tI am mostly thinking about a 14" color monitor and an 8 bit card that\ncan switch between 640*480 and something higher (like 800*600).  I read an\nold report on a card from Lapis that could do this, but could not use the\nexternal monitor as the main screen (with menubar) which to me is a major draw-\nback.  Has this perhaps been fixed? Or can any other cards do this (like the\nMicron Xceed) ?\n\tAlso which monitor should I buy?  At the moment I am leaning towards\nthe Sony 1304, 1304s or 1320 (what exactly is the difference between these?)\nbut are there any other good cheap monitors I should know about?  Doesn\'t the\nmonitor have to be multisync to support cards that can switch resolutions?\n\nPlease send me e-mail and I\'ll summarize.\n\nI would also greatly appreciate getting the e-mail addresses of any mail order\ncompanys that sell monitors or cards.\n\nThanks in advance\n\nEggert Thorlacius\nUniversity of Iceland\n',
 'From: jdresser@altair.tymnet.com (Jay Dresser)\nSubject: HELP! with Olivetti floppy\nLines: 13\nNntp-Posting-Host: altair\n\n\nWe are trying to connect an Olivetti XM4311 5" floppy drive as the second\ndrive on a Panasonic 286 machine.  It seems to sort of talk to it (gets it\nspinning and stepping) but gives a "Disk not ready" error.\n\nThere are two jumpers (which seem to work best open), a 3 position DIP\nswitch, and a 8 position DIP switch.  We don\'t know how to set the DIP\nswitches and think that may be the problem.\n\nAny information, or advice (other than "junk the stupid thing" :) would be\nmost appreciated, thanks.  (email reply preferred).\n\njdresser@tymnet.com\n',
 "From: pgf5@cunixb.cc.columbia.edu (Peter Garfiel Freeman)\nSubject: Re: Enough Freeman Bashing!  Was: no-Free man propaganda machine: Freemanwith blood greetings from Israel\nNntp-Posting-Host: cunixb.cc.columbia.edu\nReply-To: pgf5@cunixb.cc.columbia.edu (Peter Garfiel Freeman)\nOrganization: Columbia University\nLines: 18\n\nIn article <C5I6JG.BM1@eis.calstate.edu> mafifi@eis.calstate.edu (Marc A Afifi) writes:\n>pgf5@cunixb.cc.columbia.edu (Peter Garfiel Freeman) writes:\n>\n>\n>Peter,\n>\n>I believe this is your most succinct post to date. Since you have nothing\n>to say, you say nothing! It's brilliant. Did you think of this all by\n>yourself?\n>\n>-marc \n>--\n\nHey tough guy, read the topic.  That's the message.  Get a brain.  Go to \na real school.\n\n\n\n",
 "From: henry@zoo.toronto.edu (Henry Spencer)\nSubject: Re: Level 5?\nOrganization: U of Toronto Zoology\nLines: 31\n\nIn article <1993Apr21.134436.26140@mksol.dseg.ti.com> mccall@mksol.dseg.ti.com (fred j mccall 575-3539) writes:\n>>>(given that I've heard the Shuttle software rated as Level 5 ...\n>>Level 5?  Out of how many? ...\n>\n>... Also keep in mind that it was\n>*not* achieved through the use of sophisticated tools, but rather\n>through a 'brute force and ignorance' attack on the problem during the\n>Challenger standdown - they simply threw hundreds of people at it and\n>did the whole process by hand...\n\nI think this is a little inaccurate, based on Feynman's account of the\nsoftware-development process *before* the standdown.  Fred is basically\ncorrect:  no sophisticated tools, just a lot of effort and painstaking\ncare.  But they got this one right *before* Challenger; Feynman cited\nthe software people as exemplary compared to the engine people.  (He\nalso noted that the software people were starting to feel management\npressure to cut corners, but hadn't had to give in to it much yet.)\n\nAmong other things, the software people worked very hard to get things\nright for the major pre-flight simulations, and considered a failure\nduring those simulations to be nearly as bad as an in-flight failure.\nAs a result, the number of major-simulation failures could be counted\non one hand, and the number of in-flight failures was zero.\n\nAs Fred mentioned elsewhere, this applies only to the flight software.\nSoftware that runs experiments is typically mostly put together by the\nexperimenters, and gets nowhere near the same level of Tender Loving Care.\n(None of the experimenters could afford it.)\n-- \nAll work is one man's work.             | Henry Spencer @ U of Toronto Zoology\n                    - Kipling           |  henry@zoo.toronto.edu  utzoo!henry\n",
 "From: rwd4f@poe.acc.Virginia.EDU (Rob Dobson)\nSubject: Re: A Message for you Mr. President: How do you know what happened?\nOrganization: University of Virginia\nLines: 24\n\nIn article <bskendigC5rCBG.Azp@netcom.com> bskendig@netcom.com (Brian Kendig) writes:\n\n>They used a tank to knock a hole in the wall, and they released\n>non-toxic, non-flammable tear gas into the building.\n\nHow do you know? Were you there?\n\nWhile obviously Koresh was a nut case, the (typical) inability of the\ngovernment/media to get its story straight is quite disturbing. On\ntuesday night, NBC news reported that the FBI did not know the place\nwas burning down until they saw black smoke billowing from the\nbuilding. The next day, FBI agents were insisting that they saw Davidians\nsetting the fire. The FBI was also adamantly denying that it was possible\ntheir battery of the compound's wallks could have accidentally set the\nblaze, while also saying they hadnt been able to do much investigating\nof the site because it was still too hot. So how did they KNOW they\ndidnt accidentally set the fire.\n\nSounds like the FBI just burned the place to the ground to destroy\nevidence to me.\n\n\n--\nLegalize Freedom\n",
 "From: henry@zoo.toronto.edu (Henry Spencer)\nSubject: Re: how can 0.022 uF be different from two 0.047 in series?!\nOrganization: U of Toronto Zoology\nLines: 13\n\nIn article <1993Apr19.185326.9830@Princeton.EDU> mg@cs.princeton.edu (Michael Golan) writes:\n>The board itself is also identical, with room for all three caps. The\n>US/Can versions is clearly indicated in both places.\n>\n>How does that make sense? 0.047/2 is 0.0235, essentially 0.022 for caps\n>(there are just standard caps, no special W/type/precision). \n\nThis may be a safety issue; the CSA is more paranoid in certain areas than\nUL and such.  Two caps in series means that you don't have a short if one\nof them shorts.\n-- \nAll work is one man's work.             | Henry Spencer @ U of Toronto Zoology\n                    - Kipling           |  henry@zoo.toronto.edu  utzoo!henry\n",
 'From: earle@isolar.Tujunga.CA.US (Greg Earle)\nSubject: Re: Colormaps and Window Managers\nOrganization: Personal Usenet site, Tujunga, CA USA\nLines: 27\nDistribution: world\nNNTP-Posting-Host: isolar.tujunga.ca.us\nKeywords: twm  tvtwm  InstallWindowColormaps\n\nIn article <1993Apr15.155255.27034@thunder.mcrcim.mcgill.edu> mouse@thunder.mcrcim.mcgill.edu (der Mouse) writes:\n>In article <C5DuHC.71p.1@cs.cmu.edu>, das+@cs.cmu.edu (David Simon) writes:\n>\n>>Can some one please explain to me why the following piece of code\n>>causes twm (or tvtwm) to dump core [...]\n>\n>>In particular, I am interested in knowing whether this behavior is\n>>caused by a bug in my reasoning, or if it is a bug in twm.\n>\n>If *anything* a client does causes twm to dump core, it\'s a bug in twm.\n>Window managers should never *ever* crash.\n\nWould if only it were true ...\n\nIf only MIT would fix the !@&$^*@ twm "InstallWindowColormaps()" crash bug\nonce and for all, then I could say that I\'ve (almost) unable to crash either\n"twm" or "tvtwm", which would be a remarkable feat - and most desirable to\nboot.  I mean, this bug has only been reported, oh, a zillion times by now ...\n\nNow *servers*, on the other hand ... (want to crash an OpenWindows 3.0 "xnews"\nserver at will?  Just do an \'xbiff -xrm "XBiff*shapeWindow: on"\'.  Blammo.)\n\n-- \n\t- Greg Earle\n\t  Phone: (818) 353-8695\t\tFAX: (818) 353-1877\n\t  Internet: earle@isolar.Tujunga.CA.US\n\t  UUCP: isolar!earle@elroy.JPL.NASA.GOV a.k.a. ...!elroy!isolar!earle\n',
 'From: 02106@ravel.udel.edu (Samuel Ross)\nSubject: Books for sale!!!\nNntp-Posting-Host: ravel.udel.edu\nOrganization: University of Delaware\nDistribution: usa\nLines: 25\n\n\nSOMEONE PLEASE BUY THESE BOOKS!!!!!  I AM NOT ASKING MUCH!!!!!!\n\nJUST MAKE ME AN OFFER AND I WILL PROBABLY TAKE IT!!!!!\n\n\n* Writing good software in Fortran, Graham Smith. \n\n* The Holt Handbook by Kirszner & Mandell (copyright 1986) 720+ page writing guide. \n\n* General Chemistry Principles & Modern Applications, R. Petrucci, fourth\n  edition.  Big Book! Very good condition!\n\n* Solutions manual for Chemistry book.  Paperback.\n\n* Study guide for Chemistry book.  Paperback.\n\n\nSend me your offers via email at 02106@chopin.udel.edu\n\n\n\nSam\n02106@chopin.udel.edu\n\n',
 'From: dthumim@athena.mit.edu (Daniel J Thumim)\nSubject: Re: 20" or 21" grayscale displays\nOrganization: Massachusetts Institute of Technology\nLines: 14\nNNTP-Posting-Host: marinara.mit.edu\n\n>  A quick look through the Computer Shopper gave the following companies\n>that sell 20"+ monochrome monitors for less than $2000 (PC or PS/2 compatible):\n>  Cornerstone Technology, Digital Technology, Hardware That Fits,\n>  IBM, Ikegami, Image Systems, Nanao, Radius,\n>  Ran-Ger Technologies, Sampo, Samsung, Sigma Designs.\n\nMost of these are single-scan monitors, which are useless for most\nPC users.  I posted requests for information in other newsgroups which\nwere mostly fruitless, but I have managed to track down two multisync\ngrayscal monitors in the 17-21" range, one 20" and one 21".  I am still\nlooking into it, and I will post the results when I get more info.\nI am looking into a group purchase as well.\n                                              -- |)aniel Thumim\n                                              dthumim@mit.edu\n',
 'From: sean@dip1.ee.uct.ac.za (Sean Borman)\nSubject: INFO WANTED : Graphics LCD displays\nOrganization: University of Cape Town\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 15\n\n\nHi there\n\nDoes anyone know how to get hold of data as well as stock of the\nLCD displays used in the NINTENDO GAMEBOY handheld TV game machines?\n\nAny information wouold be MOST appreciated.\n\nPlease e-mail any replies to \n\narawstorne@eleceng.uct.ac.za\n\nthanks\n\nAlex\n',
 'From: steve@sep.Stanford.EDU (Steve Cole)\nSubject: Re: SHARKS:  Kingston Fired!!!\nOrganization: Stanford Exploration Project\nLines: 38\nDistribution: world\nNNTP-Posting-Host: himalaya.stanford.edu\n\nIn article <1993Apr20.165132.9777@adobe.com>, snichols@adobe.com (Sherri Nichols) writes:\n|> In article <1993Apr20.085337.27224@leland.Stanford.EDU> terry@garfield.Stanford.EDU (Terry Wong) writes:\n|> >I think that Jack Ferreira\'s firing eventually led to Kingston\'s\n|> >firing.  You mention consistency of vision.  I think the\n|> >Sharks lost that with the loss of Ferreira.  There has never\n|> >been a 3 headed G.M. that has ever worked.  You need one\n|> >person making the personnel decisions at the top, not\n|> >management by committee.  The conventional wisdom\n|> >from around the league is that Ferreira would have\n|> >made the moves that would have fielded a better product\n|> >on the ice.\n|> \n|> How exactly would Ferreira accomplished this?  The three-headed GM-ship has\n|> taken a lot of heat, but nobody\'s explained how things would have been any\n|> different had Ferreira still been there.  Would Ferreira have made more\n|> trades?  Who would have he had traded?  Would he have made fewer trades?\n|> Who should not have been traded?\n\nI think the three-headed GM\'s guiding principle was to keep veterans\nin favor of youngsters only if they offered a "significant" advantage.\nAt the end of last season, the contracts of several veterans with somewhat\nmaginal contributions (Fenton, Bozek, Anderson, and a couple others I\ncan\'t remember) were bought out. The idea was that youngsters could\nplay almost as well, and had the potential to improve where these\nolder guys did not. \nAnd they traded Mullen, because he wanted to go, not because he\nwasn\'t good enough, but I think they were a bit too optimistic\nin thinking they could make up for his contributions.\nAn example from this season, Skriko was brought in on a trial basis\nbut not kept, because of his age. I thought he was a decent\ncontributor worth keeping around.\n\nThe youth movement has its advantages; look at Gaudreau who\nmight still be in KC if more veterans had been kept around. But\nyou have to find the right balance.\n-----------------------------------------------------------------\nSteve Cole  (steve@sep.stanford.edu, apple!sep!steve)\nDepartment of Geophysics, Stanford University, Stanford, CA 94305\n',
 "From: andrew.payne@hal9k.ann-arbor.mi.us (Andrew Payne) \nSubject: WANTED:  TCM3105 chips, small quantities\nDistribution: world\nOrganization: HAL 9000 BBS, W-NET HQ, Ann Arbor, Michigan, USA\nReply-To: andrew.payne@hal9k.ann-arbor.mi.us (Andrew Payne) \nKeywords: rec mod\nLines: 29\n\nFrom: payne@crl.dec.com (Andrew Payne)\nMessage-ID: <1993Apr20.004418.11548@crl.dec.com>\nOrganization: DEC Cambridge Research Lab\nDate: Tue, 20 Apr 1993 00:44:18 GMT\n\n\nDoes anyone know if a source for the TCM3105 modem chips (as used in the\nBaycom and my PMP modems)?  Ideally, something that is geared toward \nhobbyists:  small quantity, mail order, etc.\n\nFor years, we've been buying them from a distributor (Marshall) by the\nhundreds for PMP kits.  But orders have dropped to the point where we can\nno longer afford to offer this service.  And all of the distributors I've\nchecked have some crazy minimum order ($100, or so).\n\nI'd like to find a source for those still interested in building PMP kits.\nAny suggestions?\n\n-- \nAndrew C. Payne\nDEC Cambridge Research Lab\n---\n . R110B:Wnet HAL_9000\n                                                                                                                             \n----\n| HAL 9000 BBS:  QWK-to-Usenet gateway  | Four 14400 v.32bis dial-ins    |\n| FREE Usenet mail and 200 newsgroups!  | PCBoard 14.5aM * uuPCB * Kmail |\n| Call +1 313 663 4173 or 663 3959      +--------------------------------+\n| Member of EFF, ASP, ASAD  * 1500MB disk * Serving Ann Arbor since 1988 |\n",
 'From: bigal@wpi.WPI.EDU (Nathan Charles Crowell)\nSubject: Wallpaper in Windows 3.1\nOrganization: Worcester Polytechnic Institute\nLines: 14\nNNTP-Posting-Host: wpi.wpi.edu\n\nHi there,\n\nIs there any utility available that will make Windows\nrandomly select one of your windows directory\'s .BMP\nfiles as the wallpaper file?\n\nNate\n--------------------------\nNathan C. Crowell, Dept. of Materials Science/ACRL\n\nWorcester Polytechnic Institute     E-mail: bigal@wpi.wpi.edu\n\n"A flower?"-Genesis "Supper\'s Ready"\n--------------------------\n',
 'From: bgrubb@dante.nmsu.edu (GRUBB)\nSubject: Re: IDE vs SCSI\nOrganization: New Mexico State University, Las Cruces, NM\nLines: 9\nDistribution: world\nNNTP-Posting-Host: dante.nmsu.edu\n\nIn PC Magazine April 27, 1993:29 "Although SCSI is twice as fasst as ESDI,\n20% faster than IDE, and support up to 7 devices its acceptance ...has\nlong been stalled by incompatability problems and installation headaches."\nnote what it does NOT site as a factor: PRICE.\nint eh same article the PC would will get plug and play SCSI {from the\narticle it seems you get plug and play SCSI-1 only since SCSI-2 in FULL\nimplimentation has TEN NOT 7 devices.}\nSCSI-1 intergration is sited as another part of the MicroSoft Plug and play\nprogram.\n',
 'From: PA146008@utkvm1.utk.edu (David Veal)\nSubject: Re: Gun Control (was Re: We\'re Mad as Hell at the TV News)\nArticle-I.D.: martha.1993Apr6.161640.18833\nOrganization: University of Tennessee Division of Continuing Education\nLines: 46\n\nIn article <C4tM1H.ECF@magpie.linknet.com> manes@magpie.linknet.com (Steve Manes) writes:\n>hambidge@bms.com wrote:\n>: In article <C4psoG.C6@magpie.linknet.com>, manes@magpie.linknet.com (Steve Manes) writes:\n>\n>: >: Rate := per capita rate.  The UK is more dangerous.\n>: >: Though you may be less likely to be killed by a handgun, the average\n>: >: individual citizen in the UK is twice as likely to be killed\n>: >: by whatever means as the average Swiss.  Would you feel any better\n>: >: about being killed by means other than a handgun? I wouldn\'t.\n>: \n>: >What an absurd argument.  Switzerland is one-fifth the size of the\n>: >UK with one-eigth as many people therefore at any given point on\n>: >Swiss soil you are more likely to be crow bait.  More importantly,\n>: >you are 4x as likely to be killed by the next stranger approaching\n>: >you on a Swiss street than in the UK.\n>\n>: You are betraying your lack of understanding about RATE versus TOTAL\n>: NUMBER. Rates are expressed, often, as #/100,000 population.\n>: Therefore, if a place had 10 deaths and a population of 100,000, the\n>: rate would be 10/100,000.  A place that had 50 deaths and a population\n>: of 1,000,000 would hav a rate of 5/100,000.  The former has a higher\n>: rate, the latter a higher total.  You are less likely to die in the\n>: latter.  Simple enuff?\n>\n>For chrissakes, take out your calculator and work out the numbers.\n>Here... I\'ve preformatted them for you to make it easier:\n>\n>\t\t\thandgun homicides/population\n>\t\t\t----------------------------\n>\tSwitzerland :\t24 /  6,350,000\n>\t         UK :    8 / 55,670,000\n>\n>.... and then tell me again how Switzerland is safer with a more\n>liberal handgun law than the UK is without...by RATE or TOTAL NUMBER.\n>Your choice.\n\n       If you want to talk "less likely to get killed with a handgun"\nyou\'d have a point.  "Safer" includes other things than simply handguns,\nand you can\'t conclude "safer" by ignoring them.\n\n       Now if somebody\'s got the total homicide rates...\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu  (Mail to VEAL@utkvm1.utk.edu will bounce.)\n"Taxes are not levied for the benefit of the taxed." - Lazarus Long\n',
 'From: tk@pssparc2.mitek.com (Tom Kimball)\nSubject: Re: Supply Side Economic Policy (was Re: David Stockman )\nOrganization: OpenConnect Systems, Dallas, TX\nDistribution: na\nLines: 36\n\nIn article <C5217t.J5B@newsserver.technet.sg> ipser@solomon.technet.sg (Ed Ipser) writes:\n>details that you are seeking, is that the Grahm-Rudman budget controls\n>were working.  In fact, they were working so well that unless the feds\n>did something, they were going to have to start cutting pork. So Bush\n>and the Democrats got together in a Budget Summit and replaced\n>Grahm-Rudman with the now historic Grand Compromise in which Bush\n\nYea, it turned out that Gramm-Rudman was a sham to fool the voters\ninto accepting the borrow-and-spend policies of the last 12 years.\n\n\n\n>As it turned out, the taxes killed the Reagan expansion and the caps\n\t\t\t\t\t^^^^^^^^^^^^^^^^\nAnyone can expand the economy by chargeing $3 trillion on their credit\ncards.   Big deal.  Deficit spending only expands the economy in the short\nterm.  In the long term it shrinks the economy for numerous reasons. I would \nhave MUCH preferred that the taxpayers had that $3 trillion instead.\n\n\n>The result is that Clinton now HOPES to reduce the deficit to a level \n>ABOVE where it was when Reagan left office.\n>\n>Chew on that awhile.\n\n\nIf Reagan had kept his campaign PROMISE to balance the budget by 1983,\nthere would have been no need for Bush or Clinton to raise taxes.  And\nall Reagan had to do was balance that puny Carter deficit.\n\nChew on that awhile.\n\n-- \nTom Kimball \tOpenConnect Systems\t\n          \t2711 LBJ Freeway, Suite 800\ntk@oc.com      \tDallas, TX  75006\t\n',
 'From: sp@odin.fna.no (Svein Pedersen)\nSubject: Re: Utility for updating Win.ini and system.ini\nOrganization: University of Tromsoe, Norway\nLines: 11\n\nSorry, I did`nt tell exactly what I need.\n\nI need a utility for automatic updating (deleting, adding, changing) of *.ini files for Windows. \nThe program should run from Dos batchfile or the program run a script under Windows.\n\nI will use the utility for updating the win.ini (and other files) on meny PC`s.  \n\nDo I find it on any FTP host?\n\n Svein\n\n',
 'From: rj3s@Virginia.EDU ("Get thee to a nunnery.....")\nSubject: Re: Israeli Terrorism\nOrganization: University of Virginia\nLines: 1\n\nJust kidding\n',
 'From: horen@netcom.com (Jonathan B. Horen)\nSubject: Investment in Yehuda and Shomron\nLines: 40\n\nIn today\'s Israeline posting, at the end (an afterthought?), I read:\n\n> More Money Allocated to Building Infrastructure in Territories to\n> Create Jobs for Palestinians\n> \n> KOL YISRAEL reports that public works geared at building\n> infrastructure costing 140 million New Israeli Shekels (about 50\n> million dollars) will begin Sunday in the Territories. This was\n> announced last night by Prime Minister Yitzhak Rabin and Finance\n> Minister Avraham Shohat in an effort to create more jobs for\n> Palestinian residents of the Territories. This infusion of money\n> will bring allocations given to developing infrastructure in the\n> Territories this year to 450 million NIS, up from last year\'s\n> figure of 120 million NIS.\n\nWhile I applaud investing of money in Yehuda, Shomron, v\'Chevel-Azza,\nin order to create jobs for their residents, I find it deplorable that\nthis has never been an active policy of any Israeli administration\nsince 1967, *with regard to their Jewish residents*. Past governments\nfound funds to subsidize cheap (read: affordable) housing and the\nrequisite infrastructure, but where was the investment for creating\nindustry (which would have generated income *and* jobs)? \n\nAfter 26 years, Yehuda and Shomron remain barren, bereft of even \nmiddle-sized industries, and the Jewish settlements are sterile\n"bedroom communities", havens for (in the main) Israelis (both\nsecular *and* religious) who work in Tel-Aviv or Jerusalem but\ncannot afford to live in either city or their surrounding suburbs.\n\nThere\'s an old saying: "bli giboosh, ayn kivoosh" -- just living there\nwasn\'t enough, we had to *really* settle it. But instead, we "settled"\nfor Potemkin villages, and now we are paying the price (and doing\nfor others what we should have done for ourselves).\n\n\n-- \nYonatan B. Horen | Jews who do not base their advocacy of Jewish positions and\n(408) 736-3923   | interests on Judaism are essentially racists... the only \nhoren@netcom.com | morally defensible grounds for the preservation of Jews as a\n                 | separate people rest on their religious identity as Jews.\n',
 'From: gsh7w@fermi.clas.Virginia.EDU (Greg Hennessy)\nSubject: Re: Why not concentrate on child molesters?\nOrganization: University of Virginia\nLines: 13\n\nIn article <15407@optilink.COM> walsh@optilink.COM (Mark Walsh) writes:\n#There is a big difference between running one\'s business\n#affairs, and actively ripping people off.\n\nAnd charging homosexuals more becuase people think that AIDS is a "gay\ndisease" is actively ripping people off. \n\n\n--\n-Greg Hennessy, University of Virginia\n USPS Mail:     Astronomy Department, Charlottesville, VA 22903-2475 USA\n Internet:      gsh7w@virginia.edu  \n UUCP:\t\t...!uunet!virginia!gsh7w\n',
 'From: VEAL@utkvm1.utk.edu (David Veal)\nSubject: Re: AMA Support Brady Bill\nLines: 27\nOrganization: University of Tennessee Division of Continuing Education\n\nIn article <1r044aINNh9f@tamsun.tamu.edu> dlb5404@tamuts.tamu.edu (Daryl Biberdorf) writes:\n\n>The following was sent to me by a friend of mine (a med student).  It\n>originally appeared in a medical discussion list.\n>\n>--GUN CONTROL - The AMA expressed support for S. 414 and H.R. 1025 (the "Brady\n>--Handgun Violence Prevention Act").  Citing its strong support for the "Brady\n>--Bill" in past Congresses, the AMA termed as "particularly alarming" violence\n>--associated with, and stemming from, the widespread and easy availability and\n>--use of firearms.  The AMA proceeded to comment:  "While we recognize that a\n>--waiting period of 5 business days before a handgun purchase will not address\n>--all of the difficult problems that have made violence so prevalent in our\n>--society, we believe that it is a beginning and will save lives.  Physicians\n>--are first-hand witnesses to the horrendous cost in human life being exacted\n>--by firearm violence. A reasonable waiting period before the purchase of a\n>--handgun is a protection that the American people deserve."  (Letters to\n>--Senator Howard M. Metzenbaum and Representative Charles E. Schumer; March 11,\n>--1993.)\n\n       I wonder if the AMA has an exact listing of "lives saved" in \nTennessee, California, and other waiting period states.\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu - "I still remember the way you laughed, the day\nyour pushed me down the elevator shaft;  I\'m beginning to think you don\'t\nlove me anymore." - "Weird Al"\n',
 'From: flb@flb.optiplan.fi ("F.Baube[tm]")\nSubject: First Spacewalk\nX-Added: Forwarded by Space Digest\nOrganization: [via International Space University]\nOriginal-Sender: isu@VACATION.VENARI.CS.CMU.EDU\nDistribution: sci\nLines: 13\n\nAt one time there was speculation that the first spacewalk \n(Alexei Leonov ?) was a staged fake.\n\nHas any evidence to support or contradict this claim emerged ?\n\nWas this claim perhaps another fevered Cold War hallucination ?\n\n-- \n* Fred Baube (tm)         *  In times of intellectual ferment,\n* baube@optiplan.fi       * advantage to him with the intellect\n* #include <disclaimer.h> * most fermented !\n* How is Frank Zappa doing ?\n* May \'68, Paris: It\'s Retrospective Time !!  \n',
 'From: atkinsj@reis59.alleg.edu (Joshua Atkins)\nSubject: Re: Goalie Mask Update\nOrganization: Allegheny College\n\nIn article <C5L3EC.F2v@acsu.buffalo.edu> hammerl@acsu.buffalo.edu (Valerie  \nS. Hammerl) writes:\n> In article <93289@hydra.gatech.EDU> gtd597a@prism.gatech.EDU (Hrivnak)  \nwrites:\n> >\n> >\tHere are the results after three days of voting. Remember 3pts for \n> >1st, 2 for 2nd, and 1 for 3rd. Also, you can still turn in votes! And..  \nif\n> >the guy isn\'t a regular goalie or he is retired, please include the  \nteam! \n> >Thanks for your time, and keep on sending in those votes!\n> \n> > Glenn Healy (NYI), Tommy Soderstron (???), Ray LeBlanc (USA).\n>                      ^^^^^^^^^^^^^^^^^^^^^^\n> \n> Soderstrom plays with Philly, but he doesn\'t have a moulded mask.\n> He\'s got the helmet and cage variety, in white.  Or at least that\'s\n> what he wore thirteen hours ago.\n> \nYeah but Soderstrom\'s mask has always appeared to be a lot bigger than the  \naverage helmet-and-cage variety.  It has a certain appeal on its own\n\njosh\n\n\n> -- \n> Valerie Hammerl\t\t\t"Some days I have to remind him  \nhe\'s not \n> hammerl@acsu.buffalo.edu\tMario Lemieux."  Herb Brooks on Claude\n> acscvjh@ubms.cc.buffalo.edu\tLemieux, top scorer for the Devils, but \n> v085pwwpz@ubvms.cc.buffalo.edu  known for taking dumb penalties.\n',
 'From: geb@cs.pitt.edu (Gordon Banks)\nSubject: Re: Need Info on RSD\nReply-To: geb@cs.pitt.edu (Gordon Banks)\nOrganization: Univ. of Pittsburgh Computer Science\nLines: 13\n\nIn article <1993Mar27.004627.21258@rmtc.Central.Sun.COM> lrd@rmtc.Central.Sun.COM writes:\n>I just started working for a rehabilitation hospital and have seen RSD\n>come up as a diagnosis several times.  What exactly is RSD and what is\n>the nature of it?  If there is a FAQ on this subject, I\'d really\n>appreciate it if someone would mail it to me.  While any and all\n\nReflex sympathetic dystrophy.  I\'m sure there\'s an FAQ, as I have\nmade at least 10 answers to questions on it in the last year or so.\n-- \n----------------------------------------------------------------------------\nGordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\ngeb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n----------------------------------------------------------------------------\n',
 "From: nelson@seahunt.imat.com (Michael Nelson)\nSubject: Re: extraordinary footpeg engineering\nNntp-Posting-Host: seahunt.imat.com\nOrganization: SeaHunt, San Francisco CA\nLines: 18\n\nIn article <1qt19d$2fj@vtserf.cc.vt.edu> ranck@joesbar.cc.vt.edu (Wm. L. Ranck) writes:\n>exb0405@csdvax.csd.unsw.edu.au wrote:\n>\n>Let me guess.  You were making a left turn, correct?  The edge of the stud\n>contacting the road caused it to turn and unthread itself.  If you had \n>been making a right turn it would have tightened the stud. \n\n\tBzzzt! Thanks for playing.  If he'd been making a right\n\tturn, the sucker would have been a couple feet off the\n\tground.\n\n\t\t\t\t\tMichael\n\n-- \n+-------------------------------------------------------------+\n| Michael Nelson                                1993 CBR900RR |\n| Internet: nelson@seahunt.imat.com                 Dod #0735 |\n+-------------------------------------------------------------+\n",
 "From: visser@convex.com (Lance Visser)\nSubject: Re: Israel's Expansion\nNntp-Posting-Host: dhostwo.convex.com\nOrganization: Engineering, CONVEX Computer Corp., Richardson, Tx., USA\nX-Disclaimer: This message was written by a user at CONVEX Computer\n              Corp. The opinions expressed are those of the user and\n              not necessarily those of CONVEX.\nLines: 22\n\nIn <1993Apr19.024949.27846@nysernet.org> astein@nysernet.org (Alan Stein) writes:\n\n\n+>The Golan Heights is a serious security problem, and Israel obviously\n+>will have to keep part of it and give up part of it.  (One should\n+>remember that the Golan Heights had been part of the area that was to\n+>be in Britain's Palestine Mandate, slated to become part of the Jewish\n+>state, until Britain traded it to France for other considerations.  In\n+>other words, it is an historical accident that it was ever part of\n+>Syria.)\n\n\tThe Palestine mandate had no borders before\nthe borders were negotiated and drawn.  The most the Golan may have been\nis on the list of what territories Britian would have liked to\nsee in the palestine mandate.\n\tUntil the mandates came into existance, there were no defined\nboundaries between any of the various territories in the region.\n\n\tIf you have a source for any of these claims, then please\npresent it.\n\n\n",
 'From: min@stella.skku.ac.KR (Hyoung Bok Min)\nSubject: subscribe\nOrganization: The Internet\nLines: 3\nTo: expert@expo.lcs.mit.edu\n\n\nsubscribe min@stella.skku.ac.kr\n\n',
 'From: dreitman@oregon.uoregon.edu (Daniel R. Reitman, Attorney to Be)\nSubject: Re: Bill Conklin\'s letter to A.J.\nArticle-I.D.: oregon.5APR199315510067\nDistribution: world\nOrganization: University of Oregon\nLines: 46\nNNTP-Posting-Host: oregon.uoregon.edu\nNews-Software: VAX/VMS VNEWS 1.41\n\nIn article <1993Apr5.040414.14939@colorado.edu>,\n ajteel@dendrite.cs.Colorado.EDU (A.J. Teel) writes...\n>\tAgain, the main point.\n\n>\tNo human being not yet born can be bound to any contract.\n\nWrong.  It\'s possible to inherit a debt.\n\n>\tFurther, no third party can be bound to any contract that\n>they are not a party to.\n\nSee above.\n\n>\tThe Constitution *for* the United States is just such a contract.\n>No third party can be bound to it. Further, no human who is not specifically\n>mentioned in Article 6 and has not taken an oath or made an affirmation\n>to uphold said Const can be bound to uphold or obey it.\n\nThe Constitution is not a contract.  It is a statute.  Please, \nMr. Teel, or anyone, show me one case where the U.S. \nConstitution, or any state constitution, is considered a \ncontract.\n\n>\tThe Const is designed to limit the powers of government, not to\n>bind THE PEOPLE.\n\nIt is also designed to delineate the powers of the U.S. \ngovernment.\n\n>\tThis argument will be presented in great detail in the next post.\n\nI can\'t wait.\n\n\t\t\t\t\t\tDaniel Reitman\n\nHOW NOT TO WRITE A DEED\n\nOne case involved the construction of a conveyance to grantees "jointly, as \ntenants in common, with equal rights and interest in said land, and to the \nsurvivor thereof, in fee simple. . . . To Have and to Hold the same unto the \nsaid parties hereto, equally, jointly, as tenants in common, with equal rights \nand interest for the period or term of their lives, and to the survivor thereof \nat the death of the other."\n\nThe court held that the survivorship provision indicated an intent to create a \njoint tenancy.  Germain v. Delaine, 294 Ala. 443, 318 So.2d 681 (1975).\n',
 'From: D.L.P.Li1@lut.ac.uk (DLP Li) \nSubject: Re: CYRIX 486DLC-40 CPU\nReply-To: D.L.P.Li1@lut.ac.uk (DLP Li)\nOrganization: Loughborough University, UK.\nLines: 12\n\n> 2) Anyone using this cpu, what is your impressions of the cpu performance,\n>   compatability?\n \n  There is a benchmark program called COMPTEST said CYRIX CPUs have a bug\nso they cannot run the program. Also may be NeXTSTEP 486?\n\n\t\t\t\t\t\tregards,\n\n\t\t\t\t\t\tDesmond Li\n\t\t\t\t\t\tLUT, UK. \n \n\n',
 "From: h9022643@hkuxb.hku.hk (Leung)\nSubject: 28800BAUD SPIRIT II MODEM\nNntp-Posting-Host: hkuxb.hku.hk\nOrganization: The University of Hong Kong\nX-Newsreader: TIN [version 1.1 PL6]\nLines: 22\n\nHi world,\n        \n        I want to buy a Spirit II 14400 Data/Fax modem (made in U.S.A.).\nHave anyone heard about it or using it? What is it's performance? Is it\nstable or not? Please give me some advice.\n \n        In addition, I heard a news from local distributor that a new\n28800baud CCITT ROM (the distributor said it will be the new CCITT \nstandard.) for this modem will be produced at the end of this \nyear. After replaced the old ROM by this 28800 ROM, this Spirit II can\ntransfer data at 28800baud without any hardware alternation. Is this \nnew true and possible? Would the telephone line really able to transfer \nat such high speed? Please give me some advice.\n \n        At last, can anyone tell me how to contact with the central \ndealer QuickComm. Inc.? (I am not sure whether it in U.S.A. or not.)\nPlease leave me a e-mail.\n \nThank you very much.\n \nLeung (from Hong Kong University)        \n\n",
 "From: manu@oas.olivetti.com (Manu Das)\nSubject: Wanted sample source for editing controls\nOrganization: Olivetti ATC; Cupertino CA, USA\nLines: 18\nDistribution: usa\nNNTP-Posting-Host: todi.oas.olivetti.com\n\n\nHi Everyone,\n\nI would like to get an example program(source code) to get started with a simple\neditor (similar to windows dialog editor, but lot simplified) . Can someone\npoint me to a source such as a programming windows book, or example program\ncomes with Windows SDK (from Microsoft or Borland). I would greatly appreciate\nit.\n\nAll I want to do is to be able to place a edit control or combobox or a listbox\non a window and be able to drag and resize.\n\nIf anyone has written similar program and don't mind sharing code or ideas, \nI would appreciate it very much.\n\nThnx in advance, Manu Das\n\nPlease send me directly at manu@oas.olivetti.com\n",
 "From: diablo.UUCP!cboesel (Charles Boesel)\nSubject: Why does Illustrator AutoTrace so poorly?\nOrganization: Diablo Creative\nReply-To: diablo.UUCP!cboesel (Charles Boesel)\nX-Mailer: uAccess LITE - Macintosh Release: 1.6v2\nLines: 12\n\nI've been trying to figure out a way to get Adobe Illustrator\nto auto-trace >exactly< what I see on my screen. But it misses\nthe edges of templates by as many as 6 pixels or more - resulting in images\nthat are useless  - I need exact tracing, not approximate.\n\nI've tried adjusting the freehand tolerances as well as autotrace\ntolerances but it doesn't help. Any suggestions?\n\n--\ncharles boesel @ diablo creative |  If Pro = for   and   Con = against\ncboesel@diablo.uu.holonet.net    |  Then what's the opposite of Progress?\n+1.510.980.1958(pager)           |  What else, Congress.\n",
 "From: robs@bcstec.ca.boeing.com (Robert Sipe)\nSubject: Senator Patty Murrey's tax proposal\nOrganization: Boeing\nLines: 19\n\n   If you haven't heard yet, US Senator Patty Murrey, a Mom in\ntennis shoes, is planning to introduce legislation to tax\nall handgun transactions and increase dealer licnese costs in\norder to raise money to cover the costs of un-insured shooting\nvictums.  She plans to start with $2500.00 per year dealer fees\nand $40.00 or so, depending on the type of firearm, per gun\ntransaction.  She plans to make it federal.\n   She was elected in Washington state under the trade mark as\njust a mom in tennis shoes.  She can be written to via the\nUnited States Senate, Washinton DC.  She is looking for your\ntennis shoes.  So if you have a pair please send them to her\nwith your feelings regarding this tax.  \n   She claims she has heard little from the opposition.\n\nLets inundate her!\n\n\n-- \nBIGOT!  The definition of a bigot is a conservative winning an argument!\n",
 'From: bob1@cos.com (Bob Blackshaw)\nSubject: Re: Damn Ferigner\'s Be Taken Over\nArticle-I.D.: cos.bob1.734037895\nDistribution: world\nOrganization: Corporation for Open Systems\nLines: 34\n\nIn <C4v13w.Dup@apollo.hp.com> nelson_p@apollo.hp.com (Peter Nelson) writes:\n\n>In article <bob1.733696161@cos> bob1@cos.com (Bob Blackshaw) writes:\n>>In <C4ruo8.77r@apollo.hp.com> nelson_p@apollo.hp.com (Peter Nelson) writes:\n\n>>>  Norway (where you appear to be posting from) is just such a \n>>>  place, although it has always escaped my understanding just\n>>>  what the appeal, to allegedly rational people, of such a\n>>>  scheme might be.  What gives King Olav V (or whoever it is\n>>>  now - my atlas is from 1987) the right to any special legal\n>>>  status or title based on a mere accident of birth? \n>>\n>>To begin with, it\'s quite inexpensive compared to here, what with our\n>>having six former presidents still alive, drawing pensions, expense\n>>accounts, and secret service protection.\n\n>  Maybe so, but they were, after all, President.  In the corporate \n>  world it\'s SOP for retiring senior executives to be given nice\n>  pensions, etc.  The point is that they performed a service and\n>  this is part of the compensation package.   The only "service" \n>  royals have to perform for their free ride is being born.\n\nWe might be better off had some of our former presidents done nothing.\n\n\n>---peter\n\n\n\n>PS  - . . . which is not to say that some of our presidents have \n>      not provided a service for the country too dissimilar from what\n>      occurs when a bull "services" a cow (for those of you familiar\n>      with cattle breeding).\n>                                                 \n',
 'From: fozzard@fsl.noaa.gov (Richard Fozzard)\nSubject: BMW 530i for sale\nOrganization: NOAA/CIRES (Univ Colo)\nDistribution: co\nLines: 33\n\n1976 BMW 530i\n\nThe original four door sports sedan\n\n\nArctic Blue metallic with gold alloy plus-1 wheels (Rial 15")\nGoodyear Eagle GT+4 racing tires (mud/snow-rated)\n3.0 liter, 186 HP, fuel injected engine w/Stahl headers\nadjustable gas shocks all around (Koni,BYK)\n4 speed stick, 4 wheel power disc brakes, sunroof, PS, AC\nListen-Up installed hidden speaker stereo w/subwoofer\n\n208K miles (yet much better condition than most cars w/100K)\nMeticulously maintained: all records, 3K mi oil changes\nFaded paint on top, otherwise excellent exterior and interior.\n\nThe car has required no major repair work in the more than ten years I have\nowned it. It has never failed to start or broken down, even in the coldest\nweather. This has been an extraordinarily reliable and economical car, and\nshows every sign of staying that way. Yet it is an absolute thrill to drive\nwhen you take it to secluded twisty mountain road! I sell it now,\nreluctantly, since I just succumbed to the convertible craving and bought a\nnew Miata.\n\n$2500 obo\nRich Fozzard\t497-6011 or 444-3168\n\n\n\n========================================================================\nRichard Fozzard                                 "Serendipity empowers"\nUniv of Colorado/CIRES/NOAA     R/E/FS  325 Broadway, Boulder, CO 80303\nfozzard@fsl.noaa.gov                          (303)497-6011 or 444-3168\n',
 "From: jchen@wind.bellcore.com (Jason Chen)\nSubject: Re: Open letter to NISSAN (Really Station Wagon)\nNntp-Posting-Host: wind.bellcore.com\nReply-To: jchen@ctt.bellcore.com\nOrganization: Bell Communications Research\nDistribution: na\nLines: 10\n\nWith the popularity of minivans, the market room for station wagons is \nsqueezed out. They are not as comfortable as sedan, and don't carry as \nmuch as the minivans. \n\nThis is not to say nobody wants the wagon anymore. But the demand is certainly\nhampered by the minivan, and may not be economical to build a product for.\n\nJason Chen\n\nA station wagon owner\n",
 "From: mmanning@icomsim.com (Michael Manning)\nSubject: Re: Bikes, Contacts Lenses & Radial Keratotomy\nOrganization: Icom Simulations\nLines: 22\n\nIn article <C5FI2H.Ew8@rice.edu>  (jcn@rice.edu) writes:\n> > I was going to try radial keratotomy, but they want over $2,000 per\n> > eye! \n> > That's a lot of contact lenses and sunglasses!\n> > \n> \n> And a lot of money if they make one tiny mistake ;-O\n> \n> Jeff Nichols\n\nAlso if they don't get it exactly right or your eyes change\nagain, contacts to correct for it are out of the question.\nThis is due to the strange conical shape your cornea takes\nafter the surgery.\n\n--\nMichael Manning\nmmanning@icomsim.com (NeXTMail accepted.)\n\n`92 FLSTF FatBoy\n`92 Ducati 900SS\n\n",
 'From: tkelso@afit.af.mil (TS Kelso)\nSubject: Two-Line Orbital Element Set:  Space Shuttle\nKeywords: Space Shuttle, Orbital Elements, Keplerian\nNntp-Posting-Host: scgraph.afit.af.mil\nOrganization: Air Force Institute of Technology\nLines: 21\n\nThe most current orbital elements from the NORAD two-line element sets are\ncarried on the Celestial BBS, (513) 427-0674, and are updated daily (when\npossible).  Documentation and tracking software are also available on this\nsystem.  As a service to the satellite user community, the most current\nelements for the current shuttle mission are provided below.  The Celestial\nBBS may be accessed 24 hours/day at 300, 1200, 2400, 4800, or 9600 bps using\n8 data bits, 1 stop bit, no parity.\n\nElement sets (also updated daily), shuttle elements, and some documentation\nand software are also available via anonymous ftp from archive.afit.af.mil\n(129.92.1.66) in the directory pub/space.\n\nSTS 56     \n1 22621U 93 23  A 93105.58333333  .00090711  00000-0  25599-3 0   249\n2 22621  57.0029 144.8669 0004136 304.2989 134.3206 15.92851555  1179\n1993 023B  \n1 22623U 93 23  B 93103.37312705  .00041032  00000-0  11888-3 0    86\n2 22623  57.0000 155.1150 0004422 293.4650  66.5967 15.92653917   803\n--\nDr TS Kelso                           Assistant Professor of Space Operations\ntkelso@afit.af.mil                    Air Force Institute of Technology\n',
 'From: gtoal@gtoal.com (Graham Toal)\nSubject: Re: text of White House announcement and Q&As on clipper chip encryption\nLines: 22\n\nBred wrote:\n\tAnd this means that the FBI will want to track the customer lists of\n\tbetter encryption phones, because "the only reason a person would want\n\tone is to evade the police."\n\nThey don\'t have to track customer lists - they merely have to digitally\nlisten to any phone line and eliminate any that don\'t have the clipper\nheader/signature.  (No-one has said how it will be modulated - want a bet\nit\'s a non-standard and hence easily recognisable baudrate?)\n\nDevices to scan exchanges and detect modems etc already exist.  I\'ve seen\nthem advertised in the trade press.\n\nOnce you eliminate crippled crypto devices and ordinary data modems, what\'s\nleft is crypto worth looking more closely at.  I guess any substitute scheme\nwill have to be v32bis or v.fast to disguise it, though then they just start\nlooking at the data too...\n\nWhatever happens though, the effect of this new chip will be to make private\ncrypto stand out like a sore thumb.\n\nG\n',
 'From: rik@csc.liv.ac.uk (Rik Turnbull)\nSubject: String to Widget Resource Converter\nOrganization: Computer Science, Liverpool University\nLines: 52\nNntp-Posting-Host: bobr.csc.liv.ac.uk\n\nCan anybody tell me how to use the Xmu function "XmuCvtStringToWidget". I\nwant to specify a widget name in a resource file so that I can connect\ntwo widgets together on an XmForm. ie.\n\nMyProggy*MyListSW.topWidget:               MainTextSW\n\nHowever, when I run the program, I get the message:\n\nWarning: No type converter registered for \'String\' to \'Window\' conversion.\n\n(Just like the manual sez).\n\nI have managed to find this bit of code which seems to be the correct way\nto go about this:\n\n    static XtConvertArgRec parentCvtArgs[] = {\n        {\n            XtWidgetBaseOffset,\n            (XtPointer)XtOffsetOf( CoreRec, core.parent ),\n            sizeof(CoreWidget)\n        }\n    };\n\n    XtSetTypeConverter( XtRString, XtRWidget, XmuCvtStringToWidget,\n                            parentCvtArgs, XtNumber(parentCvtArgs), XtCacheAll,                                NULL );\n\n\nHowever, I haven\'t got a clue where to put it! The example code I have seems\nto suggest I can only do this if I am creating my own widget; but elsewhere it\nsays that I can add it to a widget\'s "class_intialize" function. HOW? What\'s\none of those? :-(\n\nIf anybody has any code to do this, please let me know the trick - I\'m sure\nthis is a FAQ.\n\nThanks in advance,\n\nRik.\n\nPS: What are the header files "CoreP.h" and "IntrinsicsP.h" - should I use\n    these or "Core.h" and "Intrinsics.h" (OK I know RTFM:-)\n\n.=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-= =-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=.\n|                               |                                       |\n| Richard Turnbull              |                                       |\n|                               |       Dept. Computer Science          |\n| E-mail:                       |       University of Liverpool         |\n| rik@compsci.liverpool.ac.uk   |       Liverpool L69 3BX               |\n|                               |       England                         |\n| Phone: (051) 794 3704         |                                       |\n|                               |                                       |\n.=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-= =-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=.\n',
 'From: flb@flb.optiplan.fi ("F.Baube[tm]")\nSubject: Vandalizing the sky\nX-Added: Forwarded by Space Digest\nOrganization: [via International Space University]\nOriginal-Sender: isu@VACATION.VENARI.CS.CMU.EDU\nDistribution: sci\nLines: 12\n\nFrom: "Phil G. Fraering" <pgf@srl03.cacs.usl.edu>\n> \n> Finally: this isn\'t the Bronze Age, [..]\n> please try to remember that there are more human activities than\n> those practiced by the Warrior Caste, the Farming Caste, and the\n> Priesthood.\n\nRight, the Profiting Caste is blessed by God, and may \n freely blare its presence in the evening twilight ..\n\n-- \n* Fred Baube (tm)\n',
 "From: zeev@ccc.amdahl.com (Ze'ev Wurman)\nSubject: Is there ANY security in the Clipper?\nOrganization: Amdahl Corp., Sunnyvale CA\nLines: 26\nNNTP-Posting-Host: sepia.key.amdahl.com\n\nIt seems to me that all discussions about Clipper security are almost \nirrelevant - if I cannot choose the key, but have to use a key chosen for\nme by the foundry, the security of the WHOLE UNIVERSE OF USERS is as good\n(or as bad) as the security of VLSI Technologies Inc.\n\nIt is a trivial effort to run any ciphertext agains ALL THE KEYS EVER \nMANUFACTURED - after all we are talking about 1 to 100 million keys that\nwill ever be manufactured. The key depositories can be as secure and\nincorruptible as they wish to be, nobody cares anyway...:-(\n\nNow if someone would convince me that the shipping docks of VTI, ATT and\nothers are impenetrable (remember: the chips have to ship with the key - \nyou or the dealer are going to submit it to the authorities eventually)\nI'd be a bit happier. But do we really believe that the various governments\n(including ours) won't have the full lists of all the keys ever manufactured?\n\nDid I miss something here?\n\nMy own opinions, quite obviously...\n--\n------------------------------------------------------------------\nFrom........: Ze'ev Wurman \nemail.......: <zeev@key.amdahl.com> or <zeev@ccc.amdahl.com> \nOrganization: Amdahl Corp. 46525 Landing Parkway (M/S 581), Freemont CA 94538\nPhone.......: (510) 623-2345 (Office)\nFax.........: (510) 770-0493  (Attn: Zeev Wurman)\n",
 'From: kewe@bskewe.atr.bso.nl (Cornelis Wessels)\nSubject: Point within a polygon \nOrganization: MATHEMAGIC\nLines: 71\n\n\nIn article <1993Apr14.102007.20664@uk03.bull.co.uk> scrowe@hemel.bull.co.uk writes:\n\n  > \n  > I am looking for an algorithm to determine if a given point is bound by a \n  > polygon. Does anyone have any such code or a reference to book containing\n  > information on the subject ?\n  > \n  >                 Regards\n  > \n  >                         Simon\n  > \n/* +-------------------------------------------------------------------+\n   |                                                                   |\n   | Function    : PuntBinnenPolygoon                                  |\n   |                                                                   |\n   +-------------------------------------------------------------------+\n   |                                                                   |\n   | Auteur      : Cornelis Wessels                                    |\n   |                                                                   |\n   | Datum       : 11-01-1993                                          |\n   |                                                                   |\n   | Omschrijving: Bepaalt of de aangeboden VECTOR2D p binnen of op de |\n   |               rand van het polygoon P valt.                       |\n   |                                                                   |\n   +-------------------------------------------------------------------+\n   |                                                                   |\n   | Wijzigingen : -                                                   |\n   |                                                                   |\n   +-------------------------------------------------------------------+ */\n\nCLIBSTATUS PuntBinnenPolygoon ( POLYGOON *P, VECTOR2D *p )\n  {\n  VECTOR2D o, v, w;\n  INDEX    aantal_snijpunten, N, n;\n\n  aantal_snijpunten = 0;\n  N                 = GeefPolygoonLengte(P);\n  GeefPolygoonRandpunt ( P, N, &o );\n\n  for ( n=1; n<=N; n++ )\n    {\n    GeefPolygoonRandpunt ( P, n, &v );\n\n    if ( o.x >= p->x && v.x <  p->x ||\n\t o.x <  p->x && v.x >= p->x  )\n      {\n      w.x = p->x;\n      InterpoleerLineair ( &o, &v, &w );\n\n      if ( w.x == p->x && w.y == p->y )\n\treturn(CLIBSUCCES);\n      else if ( w.y > p->y )\n\taantal_snijpunten++;\n      }\n\n    KopieerVector2d ( &v, &o );\n    }\n\n  if ( aantal_snijpunten%2 == 0 )\n    return(CLIBERBUITEN);\n  else\n    return(CLIBSUCCES);\n  }\n\nCornelis Wessels\nKrommenoord 14\n3079 ZT  ROTTERDAM\nThe Netherlands\n+31 10 4826394\nkewe@bskewe.atr.bso.nl\n',
 "From: ianhogg@milli.cs.umn.edu (Ian J. Hogg)\nSubject: Re: how to put RPC in HP X/motif environment?\nNntp-Posting-Host: milli.cs.umn.edu\nOrganization: University of Minnesota, Minneapolis, CSci dept.\nLines: 15\n\nIn article <1993Apr19.200740.17615@sol.ctr.columbia.edu> nchan@nova.ctr.columbia.edu (Nui Chan) writes:\n>\n>has anybody implements an RPC server in the HP Xwindows? In SUN Xview, there\n>is a notify_enable_rpc_svc() call that automatically executes the rpc processes\n>when it detects an incoming request. I wonder if there is a similar function in\n>HP X/motif that perform the same function.\n>\n\nI've been using the xrpc package for about a year now.  I believe I got it from\nexport.  \n\n--\n===============================================================================\nIan Hogg\t\t\t\t\t\tianhogg@cs.umn.edu\n                                                        (612) 424-6332\n",
 'From: pino@gammow.berkeley.edu (Jose L. Pino)\nSubject: Re: wrong RAM in Duo?\nOrganization: U. C. Berkeley\nLines: 53\nDistribution: world\nNNTP-Posting-Host: gammow.berkeley.edu\n\nHere is the MacWeek article describing the DUO ram situation.\n(w/o permission.  I hope that is ok)\n\nJose\n\nBad RAM brings some Duos down. (random access memory boards for Apple\nMacintosh PowerBook Duos) \nMacWEEK v7, n7 (Feb 15, 1993):132.\n\nCOPYRIGHT Coastal Associates Publishing L.P. 1993\n\nBy Raines Cohen\n\n     Austin, Texas - Some third-party memory-expansion cards for PowerBook\nDuos depart from Apple specs in ways that could cause crashes, data loss\nand other problems.\n\n     Technology Works Inc., a RAM and network vendor based here, last week\nissued a warning about three problems it said it had found in Duo RAM\nproducts from some competing vendors, which it declined to identify.\nOther vendors and an Apple spokeswoman confirmed that the problems exist.\n\n     > Self-refresh.  The Duos require a kind of dynamic RAM called\nselfrefreshing, which can recharge itself while the system sleeps.  But\nTechnology Works said some vendors have sold Duo cards with\nnonselfrefreshing DRAM, which can cause the system to lose data or fail to\nwake from sleep.\n\n     Most leading memory manufacturers include the letter V in the part\nnumber stamped on their self-refreshing chips; nonself-refreshing chips\ninstead have an L, according to TechWorks.  The chip label, however, may\nnot tell the whole story.  Newer Technology of Wichita, Kan., said it uses\nnonself-refreshing chips but adds its own circuitry to keep them refreshed\nwhile the Duo sleeps.\n\n     > Speed.  Some RAM-card vendors have put 80-nanosecond DRAM on Duo\ncards rather than the 70-nanosecond type the 230 requires, Technology\nWorks said.  However, some chips labeled as 80- or 85-nanosecond are\ncertified by the manufacturer to run at a higher speed.\n\n     Kingston Technology Corp. of Fountain Valley, Calif., said it offers\nDuo RAM cards with 80-nanosecond chips, but only for the Duo 210, which is\ncompatible with the slower chips.\n\n     > Space.  Technology Works charged and Apple officials confirmed that\nsome third-party cards are too large to fit properly, forcing the corner\nof the Duo keyboard up and preventing the system from starting up normally\nwhen in a Duo Dock.\n\n     Lifetime Memory Products Inc. of Huntington Beach, Calif., said it\noriginally shipped cards with this problem but has since offered all\ncustomers free upgrades to cards that fit.\n\n',
 "From: CROSEN1@ua1vm.ua.edu (Charles Rosen)\nSubject: Re: Torre: The worst manager?\nNntp-Posting-Host: ua1vm.ua.edu\nOrganization: The University of Alabama, Tuscaloosa\nLines: 61\n\nIn article <93095@hydra.gatech.EDU>\ngt7469a@prism.gatech.EDU (Brian R. Landmann) writes:\n \n>Joe Torre has to be the worst manager in baseball.\n>\n>For anyone who didn't see Sunday's game,\n>\n>With a right hander pitching he decides to bench Lankform, a left handed\n>hitter and play jordan and gilkey, both right handers.\n>\n>Later, in the ninth inning with the bases loaded and two outs he puts\n>lankford, a 300 hitter with power in as a pinch runner and uses Luis\n>Alicea, a 250 hitter with no power as a pinch hitter.  What the Hell\n>is he thinking.\n>\nFor your information, Lankford is injured (I think it is his shoulder or rib\ncage), so he could not use him as a pinch hitter.\n \n>Earlier in the game in an interview about acquiring Mark Whiten he commented\n>how fortunate the Cardinals were to get Whiten and that Whiten would be a\n>regular even though this meant that Gilkey would be hurt, But torre said\n>he liked Gilkey coming off the bench.  Gilkey hit over 300 last year,\n>what does he have to do to start, The guy would be starting on most every\n>team in the league.\n>\nI do believe that Whiten was a very good aquisition for the Cards.  He does\nnot have too much offensive capabilities, but he is an awesome defensively.\nSince when have the Cardnials actually thought of offense instead of defense?:)\nI forgot who St. Louis gave up for him, but it was not too much.\n \nAs far as Gilkey is concerned, he is a leftfielder and so is Brian Jordan, who\nbeat him out.  I expect to see a Gilkey/Jordan platoon in LF.\n \n>Furthermore, in Sundays game when lankford was thrown out at the plate,\n>The replay showed Bucky Dent the third base coach looking down the line\n>and waving lankford home,\n>\nI agree with you on this one.  As soon as Larkin threw that ball, I knew that\nLankford was a dead bird.  But how could Dent have known that Larkin would make\na perfect throw?\n \nI strongly believe that Torre is one of the best managers in baseball.  Don't\nforget the overachieving Cards of '91 that won all those close games and went\nfrom last place to second place (although they were oveshadowed by the Braves/\nTwins last to first climb).  He won a division title, and barely lost a pennant\nrace when he was with the Braves (why Atlanta ever even considered firing him I\nwill never understand).  With Torre at the controls, the Cardinals are heading\nin the right direction.\n \nOne more thing, one game does not make a season.  Yes, they lost to the Reds,\nbut with the second best pitching staff in the National League (first in the\nEast), and a pretty good offense, the Redbirds will win a lot more than they\nlose.  Maybe this is the year that they will go all the way.\n \nCharles, a very enthusiastic Cardnials fan\n \n  -----------------------------------------------------------------\n  º Charles Rosen            º      THIRTY-FOUR TO THIRTEEN!!!    º\n  º University of Alabama    º   NATIONAL CHAMPS!!!  ROLL TIDE!!! º\n  º Tuscaloosa, AL           º         (Need I Say More?)         º\n  -----------------------------------------------------------------\n",
 'From: erika@znext.cts.com (erik astrup)\nSubject: Re: Long lasting tires for small bike.\nOrganization: pnet\nX-Newsreader: Tin 1.1 PL4\nLines: 22\n\nwsh8z@amsun29.apma.Virginia.EDU (Will Heyman) writes:\n: no rear tires as small as 110/90. There are some fronts though.\n\n\tSo get a 120/90 instead. Is there anything that size? \n\n: Any other recomendations?\n: \n\tCall the tire companies yourself and tell them what you have. \nThey can make recomendations for you. That\'s your best bet. Check a biker\nmagazine (Cycle World etc) for phone numbers. \nIt\'s possible there are no other tires available though. \n\n ==============================================================================\n  Erik Astrup                  AFM #422                              DoD #683 \n\n  1993 CBR 900RR  *  1990 CBR 600  *  1990 Concours  *  1989 Ninja 250 \n       \n      "This one goes to eleven" - Nigel Tufnel, lead guitar, Spinal Tap\n ==============================================================================\n\n\n\n',
 'From: WHMurray@DOCKMASTER.NCSC.MIL\nSubject: Licensing.....\nOrganization: Yale CS Mail/News Gateway\nLines: 49\n\n\n>This thread brings up the more general question.  Can any crypto\n>implementation for which highly publicly scrutinized source code is not\n>available EVER be trusted?\n\nAfter IBM had invented the DES and the NBS had advertised for proposals,\nbut before IBM had decided to respond, I argued strenuously that they \nshould not; they should keep it proprietary. \n\nThe biggest proponent of proposing was Dr. Lewis Branscomb.  Dr. Branscomb\nwas the IBM Chief Scientist and had come to IBM from NBS.  Fortunately\nfor all of us, Dr. Branscomb understood the answer to the above question\nmuch better than I.  He realized how difficult it would be to gain\nacceptance for any cryptographic mechanism.  Because of the necessary\ncomplexity, publicity would not be sufficient and neither would \nauthority.  In fact, it has taken both of those plus more than 15 \nyears.\n\nWe have also had independence.  The DES was solicited by NBS, invented\nand proposed by IBM, and vetted by NBS.  It has also been examined and\nvetted by experts like Adi Shamir, who are not subject to influence by\nany of these.\n\nEven now, there are still people posting on this list who do not trust\nthe DES in spite of all the time, all of the analysis, and all of the\npublic scrutiny.\n\n(Of course, it is just this point that NIST misses when it attempts to \ngain acceptance for a novel mechanism, developed in secret, on the basis\nof authority alone.)\n\nWe had a long thread here about whether or not the NSA can "break" the\nDES.  That is a silly question.  At some cost and in some time they\ncan "break" anything.  The important question is at what cost and in\nwhat time.\n\nThe fundamental strength of the DES and RSA are not nearly so important\nas what we know about their strength.  As long as we understand the\ncost and duration for an attacker, then we can use them in a safe way.\nAt this point, we may never replace either because of the inability of\nany successor to overcome this knowledge gap.\n\nDES and RSA are among the most significant inventions of the century\nand the most important inventions in the history of cryptography.\nWe are damned lucky to have them.\n\nWilliam Hugh Murray, Executive Consultant, Information System Security\n49 Locust Avenue, Suite 104; New Canaan, Connecticut 06840                \n1-0-ATT-0-700-WMURRAY; WHMurray at DOCKMASTER.NCSC.MIL\n',
 "From: f_tawb@va.nkw.ac.uk\nSubject: US SIMM prices please\nOrganization: Natural Environment Research Council\nLines: 15\n\n\nPlease could someone in the US give me the current street \nprices on the following, with and without any relevant taxes:\n\n 8 Mb 72 pin SIMM\n16 Mb 72 pin SIMM (both for Mac LC III)\n\nAre any tax refunds possible if they are to be exported\nto the UK? Can you recommend a reliable supplier?\n\nAs I am posting this from a friend's account, please\nreply direct to me at:\n        s.fraser@ic.ac.uk\nThanks in advance for any help  :^)\nSimon\n",
 "From: glover@tafs2.mitre.org (Graham K. Glover)\nSubject: The Cold War: Who REALLY Won?\nNntp-Posting-Host: gglover-mac.mitre.org\nOrganization: The MITRE Corporation, McLean, VA\nLines: 13\n\nIf one reasons that the United States of America at one time represented \nand protected freedom << individual liberty and personal responsibility >> \n(and I do, in fact, think that this is true) and that totalitarianism << \nabsolute government control and tyranny >> represents freedom's opposite \n(which it does), did the USA really win the cold war?\n\nStandard disclaimers ALWAYS apply!\n\n----------------\nGraham K. Glover\n----------------\n\nUNMUTUAL\n",
 "From: laird@pasture.ecn.purdue.edu (Kyler Laird)\nSubject: Re: Telephone on hook/off hok ok circuit\nOrganization: Purdue University Engineering Computer Network\nLines: 6\n\nThese circuits abound in most electronic project books.  If you're more\ninclined to buy something, try Radio Shack.  I think they still have a\ndevice that is designed to disconnect an answering machine when an\nextension line is lifted.  It has LED indicators also. \n\n--kyler\n",
 'From: d9hh@dtek.chalmers.se (Henrik Harmsen)\nSubject: Re: 16 million vs 65 thousand colors\nNntp-Posting-Host: hacke11.dtek.chalmers.se\nOrganization: Chalmers University of Technology, Gothenburg Sweden\nLines: 37\n\nandrey@cco.caltech.edu (Andre T. Yew) writes:\n\n>d9hh@dtek.chalmers.se (Henrik Harmsen) writes:\n\n>>1-4 bits per R/G/B gives horrible machbanding visible in almost any picture.\n\n>>5 bits per R/G/B (32768, 65000 colors) gives visible machbanding\n\n>>color-gradient picture has _almost_ no machbanding. This color-resolution is \n\n>>see some small machbanding on the smooth color-gradient picture, but all in all,\n>>There _ARE_ situiations where you get visible mach-banding even in\n>>a 24 bit card. If\n>>you create a very smooth color gradient of dark-green-white-yellow\n>>or something and turn\n>>up the contrast on the monitor, you will probably see some mach-banding.\n\n>    While I don\'t mean to damn Henrik\'s attempt to be helpful here,\n>he\'s using a common misconception that should be corrected.\n\n>    Mach banding will occur for any image.  It is not the color\n>quantization you see when you don\'t have enough bits.  It is the\n>human eye\'s response to transitions or edges between intensities.\n>The result is that colors near the transistion look brighter on\n>the brighter side and darker on the darker side.\n\n>--Andre\n\nYeah, of course... The term \'mach banding\' was not the correct one, it should\'ve\nbeen \'color quantization effect\'. Although a bad color quantization effect could\nresult in some visible mach-bands on a picture that was smooth before it was\nquantizised.\n\n--\nHenrik Harmsen     Internet:  d9hh@dtek.chalmers.se\n               Chalmers University of Technology, Sweden. \n      "I haven\'t lost my mind -- it\'s backed up on tape somewhere."\n',
 'From: khansen@staff.tc.umn.edu (Kevin Hansen)\nSubject: Re: Scott Erickson\nNntp-Posting-Host: x239-16.psych.umn.edu\nOrganization: Minnesota Twin Family Study - Univerity of Minnesota\nLines: 38\n\nIn article <12718@news.duke.edu> fierkelab@bchm.biochem.duke.edu (Eric Roush) writes:\n>Path: news1.cis.umn.edu!umn.edu!news-feed-1.peachnet.edu!gatech!concert!duke!news.duke.edu!bchm.biochem.duke.edu\n>From: fierkelab@bchm.biochem.duke.edu (Eric Roush)\n>Newsgroups: rec.sport.baseball\n>Subject: Scott Erickson\n>Message-ID: <12718@news.duke.edu>\n>Date: 5 Apr 93 18:21:18 GMT\n>Sender: news@news.duke.edu\n>Organization: Biochemistry\n>Lines: 13\n>Nntp-Posting-Host: bruchner.biochem.duke.edu\n>USA Today reports that he may be going on the DL\n>(arm pains of an unspecified nature).\n>\n>Further news would be appreciated.\n>\n>\n>-------------------------------------------------------\n>Eric Roush\t\tfierkelab@\tbchm.biochem.duke.edu\n>"I am a Marxist, of the Groucho sort"\n>Grafitti, Paris, 1968\n>\n>TANSTAAFL! (although the Internet comes close.)\n>--------------------------------------------------------\n\nErickson did go on the 15 day DL with a pulled muscle in his left side (near \nrib cage).  He is on until 4/18/93.\n\nNo news as to who the Twins will bring up.\n----------------------------------------------\nKevin Hansen\nMN Twin Family Study - University of Minnesota\n(612)626-7224\nkhansen@staff.tc.umn.edu\n----------------------------------------------\nContact: University of Minnesota Women\'s Basketball\n\n"Theory guides, experiment decides" - Izaak M. Kolthoff\n',
 "From: u934132@student.canberra.edu.au (Ogawa / Taro Stephen (ISE))\nSubject: Help wanted\nSummary: Decoders \nOrganization: University of Canberra\nLines: 9\n\nCould someone please tell me if a 1/4 decoder is the same as a 1 to 4\ndemultiplexer. I know how to link 2 of these to get an 8 output circuit,\nbut how do I link 5 of these to make a 1/16 multiplexer. Sorry if this\nseems like a lame question, but I'm only a newbie to electronics, and I\nhave to do this circuit. Please make any mail as droolproof as possible.\n\n\t\t\t\t Thanx,\n\t\t\t\t\tTaro Ogawa\n\t\t\t\t\t(u934132@student.canberra.edu.au)\n",
 "From: peter@memex.co.uk (Peter Ilieve)\nSubject: Re: Clipper Chip and crypto key-escrow\nOrganization: Memex Information Systems Ltd, East Kilbrde, Scotland\nLines: 70\n\nExcerpts from the Clipper announcement, with some questions:\n\n>     --   the ability of authorized officials to access telephone\n>          calls and data, under proper court or other legal\n>          order, when necessary to protect our citizens;\n\n>Q:   Suppose a law enforcement agency is conducting a wiretap on\n>     a drug smuggling ring and intercepts a conversation\n>     encrypted using the device.  What would they have to do to\n>     decipher the message?\n>\n>A:   They would have to obtain legal authorization, normally a\n>     court order, to do the wiretap in the first place.  They\n>     would then present documentation of this authorization to\n>     the two entities responsible for safeguarding the keys and\n>     obtain the keys for the device being used by the drug\n>     smugglers.  The key is split into two parts, which are\n>     stored separately in order to ensure the security of the key\n>     escrow system.\n\nIn these two sections the phrases `or other legal order' and `normally a\ncourt order' imply there is some other way or ways of doing a legal\nwiretap. What is/are these? How do they affect the way people who trust the\nsystem of court orders to protect them feel about this escrow system?\n\nThe second section shows the sequence of events.\nThe law enforcer, armed with his warrant, attaches his headphones to the\nline with his croc-clips (remember, these are the folk who couldn't cope\nwith digital telephony) and hears a load of modem-like tones (we are\ntalking analogue telephony here).\nWhat next? What modulation scheme do these Clipper boxes use?\nIs it possible to record the tones for use after the keys are obtained?\nI thought it was quite difficult to record a modem session at some\nintermediate point on the line. Maybe they have taken a crash course\nin data comms and have a unit that demodulates the tones and stores the\ndigital stream for decryption later. This would still suffer from the\nsame problems as trying to record the tones as the demodulator would not\nbe at one end of the line. If calls can't be recorded for decryption later\nit would be quite easy to foil the system by buying lots of Clipper units\n(these are supposed to be cheap mass market items) and using them in turn.\n\nHow tolerant is the modulation scheme to errors? These things are proposed\nfor use by US corporations to secure their foreign offices, where phone\nline quality may well be poor. It seems hard enough to me to get digitised\nspeech of any quality into something a modem can handle without having to\nadd lots of error correction to keep the decryption in sync.\n\n>Q:   Will the devices be exportable?  Will other devices that use\n>     the government hardware?\n>\n>A:   Voice encryption devices are subject to export control\n>     requirements.  ...  One of the\n>     attractions of this technology is the protection it can give\n>     to U.S. companies operating at home and abroad.  With this\n>     in mind, we expect export licenses will be granted on a\n>     case-by-case basis for U.S. companies seeking to use these\n>     devices to secure their own communications abroad.\n>     ...\n\nThis raises an intersting question in the UK. Here it is illegal to connect\nanything to a public telecomms network without it being approved by a body\ncalled BABT. It has been stated, either here or in the uk.telecom group,\nthat they will not approve equipment that does encryption. I don't know\nif this is true or not, but this would make a good test case.\nPerhaps `friendly' countries, and the UK may still qualify, will get\nto fish in the escrowed key pool as well.\n\n\n\t\tPeter Ilieve\t\tpeter@memex.co.uk\n\n",
 "From: davesimp@soda.berkeley.edu (David Simpson)\nSubject: Trying to find papers by Rosenthal\nArticle-I.D.: agate.1r7k7o$feh\nOrganization: UC Berkeley, CS Undergraduate Association\nLines: 29\nNNTP-Posting-Host: soda.berkeley.edu\n\nI have the March/April version of the X Journal open in front of me.\n\nI'll be working on programming x-clients this summer, and since I don't have\nmuch experience with programming X, I thought this issue might be helpful\nas it has a section on debugging, and a section on the 40 most common errors\nin programming X.\n\nAt the end of the errors section, there are the following references for\ntutorials on X programming style.  They are:\n\nRosenthal, David -   A simple X11 client program\n  Proceedings of the Winter 1988 Usenix Conference, 1988.\n\nLemke, D., and Rosenthal, D. -  Visualizing X11 clients\n  Proceedings of the Winter 1989 Usenix Conference, 1989.\n\n\nDoes anyone know where I could find these in printed or (preferably)\nelectronic form?\n\nOr can you suggest any net resources devoted to the introduction to\nprogramming X (I'll be looking at the bookstore for books, so I am really\nonly asking about what I can find on the net.)\n\nThanks,\n\nDavid Simpson\n\ndavesimp@soda.berkeley.edu\n",
 'From: an030@cleveland.Freenet.Edu (Broward Horne)\nSubject: Re: Clinton\'s immunization program\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 10\nReply-To: an030@cleveland.Freenet.Edu (Broward Horne)\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, paul@hsh.com (Paul Havemann) says:\n\n>All together now... c\'mon, you know the words... "Meet the new boss! Same as \n>the old boss!"  And the chorus: "We won\'t get fooled again!"\n                                  ^^^^^^^^^^^^^^^^^^^^^\n    Hmmm.  Can I, eh,  get a little side bet on this one?\n\n\n\n',
 "From: ashok@biochemistry.cwru.edu (Ashok Aiyar)\nSubject: Re: Trumpet for Windows & other news readers\nOrganization: CWRU School of Medicine\nLines: 26\nNNTP-Posting-Host: axa12-slip.dialin.cwru.edu\n\nIn article <mcbride.126@ohsu.edu> mcbride@ohsu.edu (Ginny McBride) writes:\n\n\n>In article <ashok.653.0@biochemistry.cwru.edu> ashok@biochemistry.cwru.edu\n>(Ashok Aiyar) writes:\n\n>>Currently WinTrumpet is in very late beta.  It looks like an excellent \n>>product, with several features beyond the DOS version.\n\n>>WinTrumpet supports the Trumpet TCP, Novell LWP, and there is also a direct to \n>>packet driver version that some people are using with the dis_pkt shim.\n\n\n>What's it gonna cost?  \n\nAgain, I do not speak for Peter Tattam, but it is my understanding that it \nwill shareware status as Trumpet 1.05 for DOS is, and I imagine that the \nregistration fees will be similar.  I also believe that a new version of \nTrumpet for DOS will be released sometime in the near future.\n\nAshok\n\n--\nAshok Aiyar                        Mail: ashok@biochemistry.cwru.edu\nDepartment of Biochemistry                       Tel: (216) 368-3300\nCWRU School of Medicine, Cleveland, Ohio         Fax: (216) 368-4544\n",
 "From: smace@nyx.cs.du.edu (Scott Mace)\nSubject: Re: IDE vs SCSI (here we go again.....)\nX-Disclaimer: Nyx is a public access Unix system run by the University\n\tof Denver for the Denver community.  The University has neither\n\tcontrol over nor responsibility for the opinions of users.\nOrganization: Nyx, Public Access Unix at U. of Denver Math/CS dept.\nLines: 92\n\nIn article <1993Apr12.171250.486@julian.uwo.ca> wlsmith@valve.heart.rri.uwo.ca (Wayne Smith) writes:\n>In article <ercC57245.H2w@netcom.com> erc@netcom.com (Eric Smith) writes:\n>>\n>>SCSI is better because it has a better future, and it has a lot of\n>>minor advantages right now.  IDE cards are cheaper right now, but will\n>>be obsolete in a few years.  (In fact, IDE cards are so cheap, they\n>>might as well be free.  The real cost is in the IDE drives.)  SCSI\n>>cards cost more, but they are worth it.\n>\n\n>I almost got a hernia laughing at this one.\n\nYou'll probably get one when you realize that your $100 vesa super\ndooper local bus ultra high tech controller sucks...\n\n>If anything, SCSI (on a PC) will be obsolete-> killed off by Vesa Local\nWith any luck PC bus archeitecture will be doen any with by sbus.\n\nHave you ever seen what happens when you hook a busmaster controller to\na vesa local bus.  It actually  slows down your system\n>Bus IDE.  It must be real nice to get shafted by $20-$100 bucks for the\n>extra cost of a SCSI drive, then pay another $200-$300 for a SCSI controller.\n\nMaybe my workstation doesn't understand what your vesa local bus\nIDE is\n\nVesa local bus will be killed off by pcmi? whatever intels spec is.\nVLBUS it not good for much more than vga cards.\n\nTo each his own.  I'll laugh when you start crying over how much you\nspent for your 2 little ide drives and then finding out you need more\nspace.\n>\n>>The biggest advantage of SCSI right now is that you can add more\n>>different kinds of devices, such as tapes, etc., easily, and can add\n>>bigger disks.  The best and most cost effective hard disks available\n>>are SCSI.\n\nHere Here....\n\n\n>\n>Only of you need drives larger then 500 meg.  Oh yes, gotta have 10 megs/sec\n>transfer rate for those speedy tape backups and cd rom drives.\n\ndon't stick your foot in your mouth when you make a statement you know\nnothing about.\n\n\nI'd rather wait a second compared to the 5 minutes and ide would take.\n(obviously exaggerated).\n\nHave you ever tried to backup 2 gigs of disk?  Oh I forgot you can't\nbecause you have an ide and no one makes ide disks that big.\n\n>\n>Basically, if a person *has* to ask which one is better for him/her,\n>then they will *probably* never see the EXPENSIVE benefits from SCSI.\n\nI guess you probably bought a 486sx too\n\n>\n>Also, all this arm-waving about SCSI expandability is a moot point if\n>the user only has one or two drives on it.  And with SCSI those two\n>drives *may* be fast, but that speed is only due to the onboard memory\n>cache -> something I can duplicate with a caching IDE controller.\n\nWhat?  The SCSI-2 FAST,WIDE spec has much more bandwidth than any stupid\nvlbus ide crap....\n\nStop this thread now, Its just cluttering up bandwidth.  If you want\nto read about scsi vs ide just pay a visit to you local usenet archive.\n\nthe best SCSI-2 FAST,WIDE,etc is clearly faster than any the best ide drive.\nAll the response given are based upon personal experience with 1 or 2\ndrives.  You can't judge such completely different interfaces.  \nIDE has the low cost adavantage + a descent performance.\nSCSI has the ability for super high capacity expandibility and speed.\n\nneither one is better in all cases.\n\nIf you don't belive what I said about busmastering and vlbus then pick\nup a back issue of PC-week in whihc they tested vlbus, eisa and isa\nbusmastering cards.\n\nsend flames to /dev/null.....\n\n--\n*********************************************************************\n*    Scott Mace                internet:    smace@nyx.cs.du.edu     *\n*                                           emace@tenet.edu         *\n*********************************************************************\n",
 'From: ptrei@bistromath.mitre.org (Peter Trei)\nSubject: Re: Fifth Amendment and Passwords\nNntp-Posting-Host: bistromath.mitre.org\nOrganization: The MITRE Corporation\nLines: 33\n\nIn article <1993Apr17.122651.1874@sugra.uucp> ken@sugra.uucp (Kenneth Ng) writes:\n>In article <1993Apr16.165423.27204@linus.mitre.org: ptrei@bistromath.mitre.org (Peter Trei) writes:\n>:Judge: "I grant you immunity from whatever may be learned from the key\n>:\titself"\n>:You:    "The keyphrase is: "I confess to deliberately evading copyright; \n>:\tthe file encoded with this keyphrase contains illegal scans of \n>:        copyrighted Peanuts strips.""\n>:Judge and CP: "Oh."\n>:     How will they get you now? I\'m not saying that they won\'t, or\n>:can\'t (or even that they shouldn\'t :-), but what legal mechanism will\n>:they use? Should we be crossposting this to misc.legal?\n>\n>Hm, could another court try you via a bypass of the double jeopardy amendment\n>like they are doing in the LAPD trial?  Ie your judge is a state judge, and\n>then a federal judge retries you under the justification that its not the\n>same trail.\n\n    No. The LAPD officers were tried first by the State of California\non charges of police brutality, and secondly by the Federal Government\non depriving RK of his civil rights - a different crime.\n\n    The scenario I outline is more similar to the Oliver North trial.\nOllie confessed to treason (aiding an enemy of the US) during Senate\nhearings, under immunity. The team which was later to prosecute him on\ncriminal charges had to sequester itself from all reports of ON\'s\nimmunized testimony. ON\'s lawyer brought up the probability that at\nleast someone on the team had heard about the Senate testimony, and it\nwas a strong factor against the prosecution, which is one of the\nreasons this ON is still walking around free today.\n\n\t\t\t\t\t\t\t\tPeter Trei\n\t\t\t\t\t\t\t\tptrei@mitre.org\n\n',
 'From: etjet@levels.unisa.edu.au\nSubject: Aussie needs info on car shows\nReply-To: johnt@spri.levels.unisa.edu.au\nOrganization: University of South Australia\nLines: 54\n\n\n\nHi from Australia,\n\nI am a car enthusiast in Australia.\n \nI am particularly interested in American Muscle cars of the \n1960s and 1970s. ALL MAKES: AMC, Ford, Chrysler/Mopar, GM.\n\nI will be in the USA for 6 weeks from May 2nd to -June 14 1993.\n\nChicago: Sun May 2 -Thursday May 6\nDenver:  Friday May 7 - Sunday May 9\nAustin, Texas: Monday May 10- Friday May 21\nOklahoma City: Friday May 21 - Monday May 24\nAnaheim, California: Tuesday May 25-Thursday May 27\nLas Vegas, Nevada:  Friday May 28- Sunday May 30\nGrand Canion, Monday May 31 - Tuesday June 1\nLas Angeles, San Diego and vicinity: Wednesday June 3-Sunday June 6 June\nSouth Lake Tahoe, Cal: Sunday June 6 - Wednesday June 9\nReno: Thursday June 10\nSan Fransisco: Thursday June 10 - Sunday June 13\n\n\nI was wondering if anyone could send me any information of \ncar shows, swap meets, drag meets, model car shows etc. during this period.\nCan anybody tell me when the Pomona Swap meet is on this year?\n\nAlso, any places to visit (eg. car museums, private collections, \nyour collection? etc. Any bit of information is appreciated!\n\nI am also interested in finding some model cars (scale Models). \nI am intersted in 1968-1974 AMC cars. Of particular interest is:\n1968-1970 AMX\n1968-1974 Javelin\n1969 SCRAMBLER\n1970 Rebel Machine\nand others\n\nIf you have any kits, plastics, diecast etc and are interested in selling them,\ntell me, I will be interested.\n\nI can also send/bring you models of Australian High performance cars if \nyou are interested.\n\n\nPlease reply by email to: johnt@spri.levels.unisa.edu.au\n\n\nThanks,\n\nJohn Tsimbinos \n\n\n',
 "From: dgempey@ucscb.UCSC.EDU (David Gordon Empey)\nSubject: Re: PLANETS STILL: IMAGES ORBIT BY ETHER TWIST\nOrganization: University of California, Santa Cruz\nLines: 22\nDistribution: world\nNNTP-Posting-Host: ucscb.ucsc.edu\n\n\nIn <1993Apr23.165459.3323@coe.montana.edu> uphrrmk@gemini.oscs.montana.edu (Jack Coyote) writes:\n\n>In sci.astro, dmcaloon@tuba.calpoly.edu (David McAloon) writes:\n\n>[ a nearly perfect parody  -- needed more random CAPS]\n\n\n>Thanks for the chuckle.  (I loved the bit about relevance to people starving\n>in Somalia!)\n\n>To those who've taken this seriously, READ THE NAME! (aloud)\n\nWell, I thought it must have been a joke, but I don't get the \njoke in the name. Read it aloud? David MACaloon. David MacALLoon.\nDavid macalOON. I don't geddit.\n\n-Dave Empey (speaking for himself)\n>-- \n>Thank you, thank you, I'll be here all week.  Enjoy the buffet! \n\n\n",
 'From: dave@einstein.andi.org (David Scheck)\nSubject: imake (X11R4) cpp problems on AIX\nKeywords: imake X11R4 AIX\nNntp-Posting-Host: einstein.andi.org\nOrganization: Association of NeXTSTEP Developers International\nLines: 28\n\nI am trying to build and use imake (X11R4) on an IBM RS/6000 running AIX V3.2.\nI am having the following 2 problems.\n\n(1) Many of my Imakefile\'s have contructs like\n                /**/#This is a makefile\n        at the start of lines to pass Makefile comments thru the C\n        preprocessor and into the Makefile.  Most of the C preprocessors that\n        I have used will not treat such a # as appearing at the start of the\n        line.  Thus the C preprocessor does not treat the hash symbol as the\n        start of a directive. \n\n        However the IBM cpp strips the comment and treats the hash symbol\n        as the start of a directive.  The cpp fails when it determines\n        that "This" is not a known directive.  I have temporarily hacked my\n        imake to handle this situation but would like to come up with a better\n        fix.\n\n(2) Several Imakefiles use /**/ as a parameter to a macro when a particular\n        use of the macro does not need a value for the parameter.  The AIX cpp\n        gives warnings about these situations but continues to work OK.\n\nIf you are familiar with these problems and have solutions, I would appreciate\ninformation about on your solutions.  (Perhaps, this is solved in a later\nversion of imake that I have not reviewed.)  Also, do you know of other cpp\'s\nthat behave similarly?\n\nSince I do not have easy access to News, a response to\n\'white_billy@po.gis.prc.com\' would be appreciated.\n',
 "From: SHICKLEY@VM.TEMPLE.EDU\nSubject: For Sale (sigh)\nOrganization: Temple University\nLines: 34\nNntp-Posting-Host: vm.temple.edu\nX-Newsreader: NNR/VM S_1.3.2\n\n\n                 FOR SALE (RELUCTANTLY)\n                  ---- Classic Bike -----\n                 1972 YAMAHA XS-2 650 TWIN\n \n<6000 Original miles. Always stored inside. 1979 front end with\naftermarket tapered steering head bearings. Racer's supply rear\nbronze swingarm bushings, Tsubaki chain, Pirrhana 1/4 fairing\nwith headlight cutout, one-up Carrera racing seat, superbike bars,\nvelo stacks on twin carbs. Also have original seat. Tank is original\ncherry/white paint with no scratches, dents or dings. Needs a\nnew exhaust as original finally rusted through and was discarded.\nI was in process of making Kenney Roberts TT replica/ cafe racer\nwhen graduate school, marriage, child precluded further effort.\nWife would love me to unload it. It does need re-assembly, but\nI think everything is there. I'll also throw in manuals, receipts,\nand a collection of XS650 Society newsletters and relevant mag\narticles. Great fun, CLASSIC bike with over 2K invested. Will\nconsider reasonable offers.\n___________________________________________________________________________\n \nTimothy J. Shickley, Ph.D.   Director, Neurourology\nDepartments of Urology and Anatomy/Cell Biology\nTemple University School of Medicine\n3400 North Broad St.\nPhiladelphia, PA 19140\n(voice/data) 215-221-8966; (voice) 21-221-4567; (fax) 21-221-4565\nINTERNET: shickley@vm.temple.edu     BITNET: shickley@templevm.bitnet\nICBM: 39 57 08N\n      75 09 51W\n_________________________________________________________________________\n \n \nw\n",
 'From: gcarter@infoserv.com (George Carter)\nSubject: Re: Does someone know what is the news group for IEEE.\nReply-To: gcarter@infoserv.com\nDistribution: usa\nOrganization: SFBAC\nLines: 11\nX-Newsreader: Helldiver 1.07 (Waffle 1.64)\n\nIn <1993Apr19.192953.22874@usl.edu> yxy4145@ucs.usl.edu (Yu Yingbin) writes:\n>       yxy4145@usl.edu     Thanks a lot.\n\nieee.general\n\nand\n\nieee.announce\n\n\nare the most frequently used groups.\n',
 'From: umturne4@ccu.umanitoba.ca (Daryl Turner)\nSubject: Re: NHL Team Captains\nNntp-Posting-Host: ccu.umanitoba.ca\nOrganization: University of Manitoba, Winnipeg, Manitoba, Canada\nLines: 30\n\nIn article <1993Apr20.113953.18879@jarvis.csri.toronto.edu> leunggm@odin.control.utoronto.ca (Gary Leung) writes:\n>In article <1993Apr20.151818.4319@samba.oit.unc.edu> Scott.Marks@launchpad.unc.edu (Scott Marks) writes:\n>>>And of course, Mike Ramsey was (at one time) the captain in Buffalo prior to\n>>>being traded to Pittsburgh.  Currently, the Penguins have 3 former captains\n>>>and 1 real captain (Lemieux) playing for them.  They rotate the A\'s during the\n>>>season (and even the C while Mario was out).  Even Troy Loney has worn the C\n>>>for the Pens.\n>>\n>\n>I think that Mike Foligno was the captain of the Sabres when he\n>got traded to the Leafs. Also, wasn\'t Rick Vaive the captain of\n>the Leafs when he got traded to Chicago (with Steve Thomas for\n>Ed Olcyzk and someone). Speaking of the Leafs, I believe that\n>Darryl Sittler was their captain (he\'d torn the "C" off his\n>jersey but I think he re-claimed the captaincy later on) when he\n>was traded to the Flyers.\n>\n>Oh yeah, of course, Gretzky was the captain of the Oilers before\n>he was traded wasn\'t he? \n\nDale Hawerchuk and Troy Murray were both captains of the Jets\nwhen they were traded.  (Murray this year in mid-season, Hawerchuk\na few years ago in the off-season.)\n\nDaryl Turner : r.s.h contact for the Winnipeg Jets \nInternet: umturne4@ccu.umanitoba.ca  \nFidoNET: 1:348/701 -or- 1:348/4  (please route through 348/700)\nTkachuk over to Zhamnov, up to Sel{nne, he shoots, he scores! \nThe Jets win the Cup!  The Jets win the Cup!\nEssensa for Vezina!  Housley for Norris!  Sel{nne for Calder!\n',
 "From: mmatteo@mondrian.CSUFresno.EDU (Marc Matteo)\nSubject: Why the drive speeds differ??\nKeywords: Quantum, LPS, speed\nNntp-Posting-Host: mondrian.csufresno.edu\nOrganization: California State University, Fresno\nLines: 13\n\nHi all,\n\nI just got a La Cie 240 meg external hard drive.  Speed tests show that it's\nsubstantially faster that my internal 105 meg Quantum HD.  Supposedly the 105\nand the 240 (both LPS drives) are roughly rated the same speed.  Why such a \nlarge difference?\n\nMarc.\n-- \n______________________________________________________________________________\nMarc Matteo,                     |  AppleLink:  MATTEO\nCalifornia State University,     |  Internet:   mmatteo@mondrian.CSUFresno.EDU\nFresno                           |  AOL:        M Matteo\n",
 'From: tecot@Xenon.Stanford.EDU (Edward M. Tecot)\nSubject: Re: Computer Engr vs. Computer Science\nOrganization: CS Department, Stanford University, California, USA\nDistribution: usa\nLines: 21\n\n>A professor of mine once said "The difference between a Computer Engineer and\n>a Computer Scientist is about $5000" meaning the Engineer makes $5000 more than\n>the CS.\n>Seriously though the main difference is that most CS people write programs that\n>people will use, i.e. database, graphics, word processors, etc., while an\n>engineer writes for machines or control systems, i.e. the "computer" in your\n>car, a flight control system, computer controled devices, etc. In other words\n>CS writes SOFTWARE while CSE writes FIRMWARE. \n>These are generalizations but for the most part that is what the difference is.\n\n>P.S. The $5000 is not just a joke\n>Scott\n\nFor the most part, this is a bunch of bunk.  I\'ve got a Computer Engineering\ndegree, yet I\'ve spent the last 7 years writing software that people actually\nuse.  Moreover, the salary distinctions are incorrect; I received 3 job offers\nupon graduation; the two jobs that actually used my hardware experience were\n$7000/year lower!  My advice is to decide which classes and projects most\ninterest you, and pick the major that allows you to take them.\n\n_emt\n',
 "From: Karim Edvard Ahmed <ka0k+@andrew.cmu.edu>\nSubject: Re: Truly a sad day for hockey\nOrganization: Senior, Economics, Carnegie Mellon, Pittsburgh, PA\nLines: 17\nNNTP-Posting-Host: po5.andrew.cmu.edu\nIn-Reply-To: <1993Apr16.031823.11861@news.stolaf.edu>\n\n>A fine 26 year history came to a close tonight, as the Minnesota North Stars, \n>or Norm's Stars (whichever you prefer) lost to the Red Wings by a score of\n>5-3.  The Stars goals were scored by Mike McPhee and Ulf Dahlen, who netted\n>two including the final one in franchise history, with less than a minute to\n>play.\n\n\nYes, it's a shame that the NHL lost a fine team in one of the best\nhockey markets in the country.  Being a North Stars fan, it is sad to\nsee all of the tradition of the last 26 years get thrown into oblivion\nat the hands of a truly crappy owner.\n\nHopefully the NHL will install an expansion franchise in the Twin Cities\nwithin the next five years.  Even if this is the case, a lot has been\nlost in the North Stars move...\n\nKEA\n",
 'From: dtate+@pitt.edu (David M. Tate)\nSubject: Re: Young Catchers\nArticle-I.D.: blue.8007\nOrganization: Department of Industrial Engineering\nLines: 81\n\nmss@netcom.com (Mark Singer) said:\n>In article <7975@blue.cis.pitt.edu> genetic+@pitt.edu (David M. Tate) writes:\n>>mss@netcom.com (Mark Singer) said:\n>>>\n>>>We know that very, very few players at this age make much of an impact\n>>>in the bigs, especially when they haven\'t even played AAA ball.  \n>>\n>>Yes.  But this is *irrelevant*.  You\'re talking about averages, when we\n>>have lots of information about THIS PLAYER IN PARTICULAR to base our\n>>decisions on.\n>\n>Do you really have *that* much information on him?  Really?\n\nI don\'t personally, but Clay just posted it.  Yes, we do.  \n\nUnfortunately, it shows that Lopez wasn\'t as good an example as Nieves would\nhave been, since his last year numbers were out of line with the previous\nyears (which I didn\'t have access to).\n\nThe point remains, though; knowing a guy\'s minor league history is as good\nas knowing his major league history, if you know how to read it.\n\n>>Why isn\'t Lopez likely to hit that well?  He hit that well last year (after\n>>adjusting his stats for park and league and such); he hit better (on an\n>>absolute scale) than Olson or Berryhill did.  By a lot.\n>\n>I don\'t know.  You tell me.  What percentage of players reach or \n>exceed their MLE\'s *in their rookie season*?  We\'re talking about\n>1993, you know.\n\nThe MLE is not a *projection*, it\'s an *equivalence*.  It\'s a "this is how\nwell he hit *last* year, in major league terms" rating.  So, in essence, he\nhas *already* reached it.  I would guess (Bob?  Clay?) that essentially half\nof all players surpass their previous MLEs in their rookie seasons.  Maybe\nmore than half, since all of these players are young and improving.\n\n>If that were your purpose, maybe.  Offerman spent 1992 getting \n>acclimated, if you will.  The Dodgers as a team paid a big price\n>that season.  \n\nDid they?  Offerman may have been the difference between 4th or 5th place\nand last place, but no more.\n\n>Perhaps they will reap the benefits down the road.\n>Do you really think they would have done what they did if they\n>were competing for a pennant?\n\nSure; they didn\'t have anyone better.  I suppose they might have gutted the\nfarm system to acquire Jay Bell or Spike Owen or somebody if they were really\nin contention. \n\n>>The point was not that 17 AB is a significant sample, but rather that he\n>>hadn\'t done anything in spring training to cause even a blockhead manager\n>>to question whether his minor league numbers were for real, or to send him\n>>down "until he gets warmed up".\n>\n>For a stat-head, I\'m amazed that you put any credence in spring\n>training.  \n\nIf you\'d read what I wrote, you\'d be less amazed.  Nowhere do I claim to put\nany credence in spring training.  Quite the contrary; I said that Lopez hadn\'t\ndone anything that even the bozos who *do* put credence in spring training\ncould interpret as "failure".  Just because I think spring training numbers\nare meaningless doesn\'t mean that Bobby Cox does; it\'s just a case of ruling\nout one possible explanation for sending Lopez down.\n\n>>>The kid *will* improve playing at AAA, \n>>\n>>Just like Keith Mitchell did?\n>\n>Wait a minute.  I missed something here.  \n\nKeith Mitchell did very very well at AA, AAA, and the majors over a season,\nthen did very, very poorly for a year in AAA.\n\n\n-- \n  David M. Tate   |  (i do not know what it is about you that closes\n  posing as:      |  and opens; only something in me understands\n   e e (can       |  the pocket of your glove is deeper than Pete Rose\'s)\n     dy) cummings |  nobody, not even Tim Raines, has such soft hands\n',
 'From: zowie@daedalus.stanford.edu (Craig "Powderkeg" DeForest)\nSubject: Re: Cold Gas tanks for Sounding Rockets\nOrganization: Stanford Center for Space Science and Astrophysics\nLines: 29\nNNTP-Posting-Host: daedalus.stanford.edu\nIn-reply-to: rdl1@ukc.ac.uk\'s message of 16 Apr 93 14:28:07 GMT\n\nIn article <3918@eagle.ukc.ac.uk> rdl1@ukc.ac.uk (R.D.Lorenz) writes:\n   >Does anyone know how to size cold gas roll control thruster tanks\n   >for sounding rockets?\n\n   Well, first you work out how much cold gas you need, then make the\n   tanks big enough.\n\nOur sounding rocket payload, with telemetry, guidance, etc. etc. and a\ntelescope cluster, weighs around 1100 pounds.  It uses freon jets for\nsteering and a pulse-width-modulated controller for alignment (ie\nduring our eight minutes in space, the jets are pretty much\ncontinuously firing on a ~10% duty cycle or so...).  The jets also\nneed to kill residual angular momentum from the spin stabilization, and\nflip the payload around to look at the Sun.\n\nWe have two freon tanks, each holding ~5 liters of freon (I\'m speaking\nonly from memory of the last flight).  The ground crew at WSMR choose how\nmuch freon to use based on some black-magic algorithm.  They have\nextra tank modules that just bolt into the payload stack.\n\nThis should give you an idea of the order of magnitude for cold gas \nquantity.  If you really need to know, send me email and I\'ll try to get you\nin touch with our ground crew people.\n\nCheers,\nCraig\n\n--\nDON\'T DRINK SOAP! DILUTE DILUTE! OK!\n',
 'From: r0506048@cml3 (Chun-Hung Lin)\nSubject: Re: xman source\nNntp-Posting-Host: cml3.csie.ntu.edu.tw\nReply-To: r0506048@csie.ntu.edu.tw\nOrganization: Communication & Multimedia Lab, NTU, Taiwan\nX-Newsreader: Tin 1.1 PL3\nLines: 15\n\njlong@b4pps40.Berkeley.EDU (John Long) writes:\n:    Where can I get xman source?  I would like to get the binaries for\n: xman for an HP 9000/700, but I would settle for source.  \n: \n: --\nTry xport.lcs.mit.edu, in direcotry /contrib.\n--\n--------------------------------\n=================================================================\nChun-Hung Lin ( ªL«T§» )                     \nr0506048@csie.ntu.edu.tw    \nCommunication & Multimedia Lab.\nDept. of Comp. Sci. & Info. Eng.\nNational Taiwan University, Taipei, Taiwan, R.O.C.\n=================================================================\n',
 'From: music@erich.triumf.ca (FRED W. BACH)\nSubject: Re: WARNING.....(please read)...\nOrganization: TRIUMF: Tri-University Meson Facility\nLines: 71\nDistribution: world\nNNTP-Posting-Host: erich.triumf.ca\nNews-Software: VAX/VMS VNEWS 1.41    \n\nIn article <1993Apr15.173851.25846@convex.com>, tobias@convex.com (Allen Tobias) writes...\n#In article <1993Apr15.024246.8076@Virginia.EDU> ejv2j@Virginia.EDU ("Erik Velapoldi") writes:\n#>This happened about a year ago on the Washington DC Beltway.\n#>Snot nosed drunken kids decided it would be really cool to\n#>throw huge rocks down on cars from an overpass.  Four or five\n#>cars were hit.  There were several serious injuries, and sadly\n#>a small girl sitting in the front seat of one of them was struck \n#>in the head by one of the larger rocks.  I don\'t recall if she \n#>made it, but I think she was comatose for a month or so and \n#>doctors weren\'t holding out hope that she\'d live.\n#>\n#>What the hell is happening to this great country of ours?  I\n#>can see boyhood pranks of peeing off of bridges and such, but\n#>20 pound rocks??!  Has our society really stooped this low??\n\n   Yes. Nobody is watching them.  If they get caught, there is no punishment\n at all.  In the old days such behaviour would be rewarded with a whipping\n with a good-sized belt, and then taken into some hospital to see first hand\n what kind of damage such accidents cause.   Of course this doesn\'t happen\n any more.  That whipping would probably save the kid\'s life by teaching\n him some respect for others.  A person with that little respect would\n inevitably wind up dead early anyway.\n\n   The problem is creeping gradualism.  If you put a frog into hot water,\n he just jumps out.  But if you put him into cold water and then ever-so-\n gradually heat it, the frog will cook.  This is what the entertainment\n industry and lack of religious, moral, and educational standards in our\n modern North American society have done to us over the years.  Now that\n we are about to be \'cooked\', we may have woken up too late.\n\n#>\n#>Erik velapold\n# \n#Society, as we have known it, it coming apart at the seams! The basic reason\n#is that human life has been devalued to the point were killing someone is\n#"No Big Deal". Kid\'s see hundreds on murderous acts on TV, we can abort \n#children on demand, and kill the sick and old at will. So why be surprised\n#when some kids drop 20 lbs rocks and kill people. They don\'t care because the\n#message they hear is "Life is Cheap"!\n\n  And the education system and the Religious Leaders aren\'t doing much \n about it, either.  With both parents working in this society, where is\n the stabilizing influence at home?   Latchkey children are everywhere!\n And these latchkey kids can watch whatever rotten videos and listen to\n whatever violent hate-promoting "music" and videos they like because no\n one is home to stop it.\n\n  This day and age, when there is about 100 times more things to learn\n than when I went to school, our answer to this increased knowledge is\n shorter school hours and more leisure time!  I say keep the kids in\n school longer, feed them good food and teach them something, and when\n they get home, have a parent there to interact and monitor them.  There\n is a very old and now forgotten proverb: a child left on his own will\n bring a parent to grief.  Daycare systems are not the answer.  This is\n just shifting the parents\' own responsibilities off on someone else to\n whom it\'s not a life-long committment, but rather just a job.\n\n\n# \n#AT\n\n  Followups should go to alt.parents-teens\n\n\n Fred W. Bach ,    Operations Group        |  Internet: music@erich.triumf.ca\n TRIUMF (TRI-University Meson Facility)    |  Voice:  604-222-1047 loc 327/278\n 4004 WESBROOK MALL, UBC CAMPUS            |  FAX:    604-222-1074\n University of British Columbia, Vancouver, B.C., CANADA   V6T 2A3\n\n These are my opinions, which should ONLY make you read, think, and question.\n They do NOT necessarily reflect the views of my employer or fellow workers.\n',
 'From: ob00@ns1.cc.lehigh.edu (OLCAY BOZ)\nSubject: Canon buble jet printer?\nOrganization: Lehigh University\nLines: 12\n\nHi,\n\nCan somebody tell me how much is Canon BJ200? And from where can I buy it for\nthe cheapest price? Thanks in advance..\n-- \n____________________________________________________________________________\n****************************************************************************\n            _m_\n        _    0___\n         \\\\ _/\\\\__ |/                                   //////\n            \\\\   /|                                   |     |\n        /-_-|_--_|--/                              o | 0 0 | o\n',
 'From: tedward@cs.cornell.edu (Edward [Ted] Fischer)\nSubject: Re: Ind. Source Picks Baerga Over Alomar: Case Closed \nOrganization: Cornell Univ. CS Dept, Ithaca NY 14853\nDistribution: na\nLines: 24\n\nIn article <C5L6Dn.4uB@andy.bgsu.edu> klopfens@andy.bgsu.edu (Bruce Klopfenstein) writes:\n>fester@island.COM (Mike Fester) writes:\n>> \n>> I\'d say you could make a good for them being about equal right now. T&P\n>> rated Baerga higher, actually.\n>\n>Finally, an objective source.  Alomar\'s a great player, but so is Baerga.\n>Nice to see the objective source cited rather than "my dad\'s bigger than\n>your dad" posts.\n\nI know.  You have this fucked up idea that anybody who prefers Alomar\nto Baerga must be a Jay-Lover and Indian-Hater.  Sorry, you got that\none wrong!  I hate the Jays and don\'t care one way or the other about\nthe Indians.  But objectively, Alomar had the better offensive year\nlast year, so I have to pick him.\n\nYou admit T&P as a reliable(?), objective source?  Then you will note\nthat they rated Alomar as the better offensive player, chosing Baerga\nover Alomar only because of his defense.\n\nThat\'s a joke!  (Alomar might not be a gold-glover, but he\'s certainly\nno worse than Baerga defensively.)\n\n-Valentine\n',
 "From: victor@inqmind.bison.mb.ca (Victor Laking)\nSubject: Re: Radar detector DETECTORS?\nOrganization: The Inquiring Mind BBS  1 204 488-1607\nLines: 30\n\nalee@bmerh794.bnr.ca (Louis Leclerc) writes:\n\n> \n> In article <34263@oasys.dt.navy.mil> you write:\n> >VA, CT, Wash DC  and I think BC Canada where I've heard they actually\n> >use Radar detector detectors.\n> \n> Nope, not in British Columbia.  Detectors are legal here in BC, I've even\n> got one.\n> \n> In Alberta and Ontario they're illegal, and detection devices are sometimes\n> used.  I've heard the police in Ontario prefer a much more direct method of\n> detection.  Just trigger the radar gun, watch for people slamming on the\n> brakes, and search the car.\n> \n> \n> David Lee\n> leex@sfu.ca\n> \n\n\nThey are illegal here in Manitoba as well though I don't know what \nmethods are used to detect them.\n\nIt has always amazed me with the way the laws work.  It is not illegal to \nsell them here in Manitoba, only to have them within a vehicle.  (Last I \nheard, they don't have to be installed to be illegal.)\n\nvictor@inqmind.bison.mb.ca\nThe Inquiring Mind BBS, Winnipeg, Manitoba  204 488-1607\n",
 'From: fsmlm2@acad3.alaska.edu (Rebelheart)\nSubject: ALASKA CAR SHOW\nNews-Software: VAX/VMS VNEWS 1.41.UAC\nKeywords: Car Show, Peninsula Cruisers, Kenai, Alaska\nNntp-Posting-Host: acad3.alaska.edu\nOrganization: R.E.B.E.L.H.E.A.R.T.\nLines: 32\n\n        PENINSULA CRUISERS THIRD ANNUAL AUTOFAIRE\n\nWHAT:  CAR SHOW (FOR ANY AND ALL TYPES OF VEHICLES INCLUDING PEDAL CARS)\nWHERE:  KENAI MALL, KENAI, ALASKA\nWHEN:  MAY 14, 15, & 16, 1993\nWHO: PENINSULA CRUISERS CAR CLUB, KENAI, AK (907-283-4979)\nWHY:  PROCEEDS OF THIS EVENT TO BENEFIT THE COOPER LANDING AMBULANCE CORPS.\n\nGENERAL:  THIS CAR SHOW IS OPEN TO ALL TYPES OF CARS, TRUCKS, MOTORCYCLES, \n          FACTORY AND MODIFIED, MILD TO WILD, ANTIQUE, SPECIAL INTERESTS,       \n          RACE, DRAG, MUDDERS, HI-PO, OR JUST PLAIN  UGLY :)\n\nTHIS IS A FUN EVENT, INTENDED FOR THE OCCASSIONAL GEAR-HEAD TO THE MOST\nSERIOUS GEAR-SLAMMER.  WE WOULD LIKE TO HAVE AS MANY ENTRANTS AS POSSIBLE, \nBUT PLEASE CONTACT US FOR SPACE AVAILABILITY ( FIRST COME FIRST SERVE)\n\nP.S.  ALL OUT OF TOWN ENTRANTS CAN STAY RIGHT NEXT DOOR AT THE \n        KENAI MERRIT INN FOR A SPECIAL RATE OF $60 A NIGHT \n        (SINGLE OR DOUBLE OCCUPANCY) CALL THE MERIT @\n        907-283-6131\n\nIF YOU\'D LIKE ANY FURTHER INFORMATION, YOU CAN CONTACT ME AT THE \nADDRESSES BELOW. \n\n Mel McKay----cant drive 55!!!!!!! & Rebelheart, a gorgeous 90 SuperCoupe\nRemember ....55 saves lives, 110 saves twice as many :)\n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-\n=           Rebelheart                 \t    |                                  =\n=\t\t\t\t\t    |"Too old for some things...       =\n=  #define BITNET <FSMLM2@ALASKA>\t    |   Too young to know \t       =\n=  #define E-MAIL <FSMLM2@ACAD3.ALASKA.EDU> |         which things."           =\n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\n',
 "From: prb@access.digex.com (Pat)\nSubject: Re: Eco-Freaks forcing Space Mining.\nOrganization: Express Access Online Communications USA\nLines: 7\nNNTP-Posting-Host: access.digex.net\n\n Besides this was the same line of horse puckey the mining companies claimed\nwhen they were told to pay for  restoring land  after strip mining.\n\nthey still mine coal in the midwest,  but now it doesn't look like\nthe moon when theyare done.\n\npat\n",
 'From: jmichael@vnet.IBM.COM\nSubject: Electric power line "balls"\nArticle-I.D.: almaden.19930406.142616.248\nLines: 4\n\nPower lines and airplanes don\'t mix. In areas where lines are strung very\nhigh, or where a lot of crop dusting takes place, or where there is danger\nof airplanes flying into the lines, they place these plastic balls on the\nlines so they are easier to spot.\n',
 'From: rcanders@nyx.cs.du.edu (Mr. Nice Guy)\nSubject: Re: Celebrate Liberty!  1993\nX-Disclaimer: Nyx is a public access Unix system run by the University\n\tof Denver for the Denver community.  The University has neither\n\tcontrol over nor responsibility for the opinions of users.\nOrganization: Nyx, Public Access Unix at U. of Denver Math/CS dept.\nLines: 10\n\nThis is as bad as the "Did You Know"  Japan bashing of 2 weeks ago.  After\nfinding  this set of postings for the third time I hope no one shows up.\n\nI don\'t know why fools insist on posting to every group.  It just\nagrevates people.  \n--\nRod Anderson  N0NZO            | The only acceptable substitute\nBoulder, CO                    | for brains is silence.\nrcanders@nyx.cs.du.edu         |       -Solomon Short-\nsatellite  N0NZO on ao-16      |\n',
 'From: ehud@eng.umd.edu (Ehud Oentung)\nSubject: MFM Controller Wanted\nOrganization: Project GLUE, University of Maryland, College Park\nLines: 9\nDistribution: usa\nNNTP-Posting-Host: pepsi.eng.umd.edu\n\nI have a friend who is looking to buy MFM controller.\nIf you have one for sale, would you please contact me through\nemail...\n\nThanx.\nEhud.    \nehud@eng.umd.edu\neoentung@cbis.com\n\n',
 'From: louray@seas.gwu.edu (Michael Panayiotakis)\nSubject: help: object appears thrice!\nSummary: after editing win.ini [embedding..], and leaving only 1 entry\nOrganization: George Washington University\nLines: 40\n\n\nHey all...I got an equation editor, and since it didn\'t automagically\nappear in my "object" dialog box (i.e. insert-->object-->equation), I\ndecided to manually place it there.  So I went into win.ini (is there\nanother way to do this?), the [embedding] section, and added \n\nequation=equation,equation,<path\\\\filename>,picture.\n\ndidn\'t work.\nquit windows, go back.  AHA: mistake. Correct it.  It looks fine.\nstart windows...doesn\'t work.  play with it for a while, at one point\nhaving two entries to see if one works and th\'other don\'t, and finally I\nget it to work.  The only thing I can see that\'s different now is that\nit\'s now the first item on the list, and it used to be the last.  But\nnow I end up with *three* "equation" entried, and *all* of them working.\n(and only one entry in win.ini).\n\nso does any netian know what\'s wrong? or rather, how to correct this?\n(i.e. make "equation"appear but once?).\n\nAlso, all the entries in the [embedding] appear as above.\nIt\'s obvious that <path\\\\filename> is the executable, or whatever, and\n"picture" has something to do withthe way it appears\n(picture/description?)\n\nbut what are the others?\ni.e., in\n\nsoundrec=sound,sound,\nwhate\'s the difference between the 1st "sound" and the 2nd?  \nand what is "soundrec"?? (I don\'t think it\'s the name of the executable,\nas other entries (e.g. MSWorksChart=...) aren\'t)\n\nthanks, i.a.\nMickey\n-- \npe-|| ||  MICHAEL PANAYIOTAKIS: louray@seas.gwu.edu \nace|| ||                                   ...!uunet!seas.gwu.edu!louray\n|||| \\\\/|  *how do make a ms-windows .grp file reflect a HD directory??*\n\\\\\\\\\\\\\\\\   |  "well I ain\'t always right, but I\'ve never been wrong.."(gd)\n',
 "From: gharriso@hpcc01.corp.hp.com (Graeme Harrison)\nSubject: Re: Goldwing performance\nOrganization: the HP Corporate notes server\nLines: 36\n\n/ hpcc01:rec.motorcycles / Stafford@Vax2.Winona.MSUS.Edu (John Stafford) / 11:06 am  Apr  1, 1993 /\nIn article <1pf2hs$b4d@transfer.stratus.com>, cdodson@beast.cac.stratus.com\n(R. Craig Dodson) wrote:\n \n> From the summary in the back of Motorcyclist, they run the 1/4 in\n> 13.07 at about 100 mph. Interestingly enough, this Winnebago of bikes\n> is faster than any of the Harleys listed. \n\n  It depreciates much faster, too.\n   \n====================================================\nJohn Stafford   Minnesota State University @ Winona\n                    All standard disclaimers apply.\n----------\nThe '84 GL1200A hit the traps at 13.34 according to Cycle magazine. Yeah,\nthey depreciate faster than Harleys for the first couple of years then\nthey bottom out. Got my '86 GL1200I w/ 2275 miles on the odometer for\njust under $5K in May of 1990 and would ask for $4500 now with almost\n16K miles onnit....that's about 50% of what a new GL1500I would cost.\n\nThink the '86 GL1200I originally sold for $6500 brand new, not sure. \nIf that's the case then it depreciated 30.77% over 7 years or a mere\n$2000. Big Fat Hairy Deal! Based on what I know, Harleys tend to\ndepreciate your monies far more than the initial depreciation of\nthe bike itself when it comes to parts and service. All this about\nHarleys holding their value better doesn't always wash away the\nknocks on them...such as being much slower. ;-) \n\nAccording to Peter Egan in the just released Cycle World his FLHS is a\nreal dog when he pillions his 120lb wife. All that money for a dog that\ndoesn't defecate much. =:-]  \n--------------------------------------------------------------------------\nGraeme Harrison, Hewlett-Packard Co., Communications Components Division,\n350 W Trimble Rd, San Jose, CA 95131 (gharriso@hpcc01.corp.hp.com) DoD#649 \n--------------------------------------------------------------------------\n\n",
 'From: creps@lateran.ucs.indiana.edu (Stephen A. Creps)\nSubject: Re: quality of Catholic liturgy\nOrganization: Indiana University\nLines: 72\n\nIn article <Apr.10.05.30.16.1993.14313@athos.rutgers.edu> jemurray@magnus.acs.ohio-state.edu (John E Murray) writes:\n>Example.  Last Sunday (Palm Sunday) we went to the local church.  Usually\n>on Palm Sunday, the congregation participates in reading the Passion, taking\n>the role of the mob.  The theology behind this seems profound--when we say\n>"Crucify him" we mean it.  We did it, and if He came back today we\'d do it\n>again.  It always gives me chills.  But last week we were "invited" to sit\n>during the Gospel (=Passion) and _listen_.  Besides the Orwellian "invitation", \n\n   On Palm Sunday at our parish, we were "invited" to take the role of\nJesus in the Passion.  I declined to participate.  Last year at the\nliturgy meeting I pointed out how we crucify Christ by our sins, so\ntherefore it is appropriate that we retain the role of the crowd, but\nto no avail.\n\n>musicians, readers, and so on.  New things are introduced in the course of the\n>liturgy and since no one knows what\'s happening, the new things have to be\n>explained, and pretty soon instead of _doing_ a lot of the Mass we\'re just\n>sitting there listening (or spacing out, in my case) to how the Mass is about\n>to be done.  In my mind, I lay the blame on liturgy committees made up of lay\n>"experts", but that may not be just.  I do think that a liturgy committee has a\n>bias toward doing something rather than nothing--that\'s just a fact of\n>bureaucratic life--even though a simpler liturgy may in fact make it easier for\n>people to be aware of the Lord\'s presence.\n\n   As a member of a liturgy committee, I can tell you that the problem\nis certain people dominating, who want to try out all kinds of\ninnovations.  The priests don\'t seem even to _want_ to make any\ndecisions of their own in many cases.  I guess it\'s easier to "try\nsomething new" than it is to refuse to allow it.\n\n   At our parish on Holy Thursday, instead of the priests washing feet\n("Who wants to get around people\'s feet," according to one of our\npriests) the congregation was "invited" to come up and help wash one\nanother\'s hands.\n\n   The symbolism of this action distressed me, and again I refused to\nparticipate.  I thought that if we were to have to come up with\nrubrics for this liturgical action (i.e. "Body of Christ" -- "Amen"\nfor receiving Communion), that they could be "I am not responsible for\nthe blood of this man."\n\n   Also for part of the Eucharistic Prayer ("Blessed are You, God of\nall creation...") was substituted some text read by a lay couple.  The\npriest certainly should not have given this part of the Mass over to\nothers, and I was so disturbed that I declined to receive Communion\nthat night (we aren\'t required to anyway -- I instead offered up\nprayers for our priests and parish).\n\n>So we\'ve been wondering--are we the oddballs, or is the quality of the Mass\n>going down?  I don\'t mean that facetiously.  We go to Mass every Thursday or\n>Friday and are reminded of the power of a very simple liturgy to make us aware \n>of God\'s presence.  But as far as the obligatory Sunday Masses...maybe I should \n>just offer it up :)  Has anyone else noticed declining congregational\n>participation in Catholic Masses lately?\n\n   The quality of the Mass has not changed.  Again, if it were to be\ncelebrated according to the rubrics set down by the Church, it would\nstill be "liturgically" beautiful.  The problem comes about from\npeople trying to be "creative" who are not.\n\n   I think the answer to your question on participation could be that\ngiven by Father Peter Stravinskas in answer to the question posed by\nthe title of Thomas Day\'s _Why Catholics Can\'t Sing_.  "They don\'t\nwant to" because of all this nonsense.\n\n   By the way, for any non-Catholics reading this, the problem does\nnot reflect bad liturgy by the Catholic Church, but by those who are\ndisobedient to the Church in changing it on their own "authority."\n\n-\t-\t-\t-\t-\t-\t-\t-\t-\t-\nSteve Creps, Indiana University\ncreps@lateran.ucs.indiana.edu\n',
 'From: gld@cunixb.cc.columbia.edu (Gary L Dare)\nSubject: ST (TOS) and SF Movie Videotapes (BETA) for Sale/Trade [repost]\nSummary: trade for other Beta, used CD\'s or barter other merchandise\nNntp-Posting-Host: cunixb.cc.columbia.edu\nReply-To: gld@cunixb.cc.columbia.edu (Gary L Dare)\nOrganization: PhDs In The Hall\nDistribution: na\nLines: 52\n\nnyamane@nyx.cs.du.edu (Norm Yamane) writes:\n>\n>I have the following videos for sale.  All have been viewed once\n>and are in good condition:\n>\n>Star Trek (TOS) Collector\'s Edition\n>       All 79 episodes. (39 tapes)  Asking $800 for the lot.\n\nI\'ve got 7 episodes left on *Beta* for Sale at US$8 each (neg.), or\nfor Trade 1-for-1 for movie on Beta or a used CD; or, a package deal\nfor $50 or whatever you care to propose in trade -- e.g., all for a\nset of good stereo headphones (e.g. Sony V6 or V7), an Apple IWII\nsheet feeder, a good used FM/Cassette stereo "walkman" or a hotel\ncoupon(s) for free stays FOB New York City (guests coming!)).  The\nremaining collection is as follows:\n\n         8 - Charlie X\n        11 - Dagger of the Mind\n        12 - Miri\n        17 - Shore Leave\n        20 - The Alternative Factor\n        29 - Operation-Annihilate!\n        33 - Who Mourns for Adonais?\n\nNumbers indicate episode numbering on the tape boxes, for those who\nare keeping track of what episodes they\'re missing in that manner.\n\nRSVP for summaries, if necessary.\n\nThe tapes are all in excellent condition in the original packaging.\nAll have been played at least once, but most have been played ONLY\nonce, and NONE have been played more than twice. Running time: ~50\nmin. ea.  (Unedited, uncut store-bought originals unlike those in\nsyndication; all have *incredible* Beta HiFi sound!)\n\nI also have the following SF and Horror movies on Beta as well; US$10\n(negotiable) or Trade (1-for-1 swap for movie on Beta or a used CD):\n\n        The Bride (Sting, Jennifer Beales)\n*       Buck Rogers Conquers the Universe (Buster Crabbe, Constance Moore)\n\nRSVP for my larger Beta movies/music trade list, or find it on Misc.forsale!\n\ngld\n\nPS: For those of you who may wonder, Beta is alive as a pro/hobbyist\nformat ... there\'s life beyond the corner video store! (-;\n--\n~~~~~~~~~~~~~~~~~~~~~~~~ Je me souviens ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\nGary L. Dare\n> gld@columbia.EDU \t\t\tGO  Winnipeg Jets  GO!!!\n> gld@cunixc.BITNET\t\t\tSelanne + Domi ==> Stanley\n',
 'Organization: Penn State University\nFrom: Robbie Po <RAP115@psuvm.psu.edu>\nSubject: Re: Devils and Islanders tiebreaker????\nLines: 14\n\nIn article <C5LDI2.77u@odin.corp.sgi.com>, enolan@sharkbite.esd.sgi.com (Ed\nNolan) says:\n>If the Islanders beat the Devils tonight, they would finish with\n>identical records.  Who\'s the lucky team that gets to face the Penguins\n>in the opening round?   Also, can somebody list the rules for breaking\n>ties.\n      As I recall, the Penguins and Devils tied for third place last year\nwith identical records, as well.  Poor Devils -- they always get screwed.\nYet, they should put a scare into Pittsburgh.  They always do!  Pens in 7.\n-------------------------------------------------------------------------\n** Robbie Po **          PGH PENGUINS!!!    "It won\'t be easy, but it\nContact for the \'93-\'94  \'91 STANLEY CUP    will have greater rewards.\nPenn State Lady Lions    \'92 CHAMPIONS      Mountains and Valleys are\nrap115@psuvm.psu.edu     11 STRAIGHT WINS!  better than nothing at all!"\n',
 'From: marka@amber.ssd.csd.harris.com (Mark Ashley)\nSubject: Re: Easter: what\'s in a name? (was Re: New Testament Double Stan\nOrganization: Ft. Lauderdale, FL\nLines: 30\n\nIn article <Apr.13.01.04.21.1993.686@athos.rutgers.edu> dsegard@nyx.cs.du.edu (Daniel Segard) writes:\n>   seanna@bnr.ca (Seanna (S.M.) Watson) asks:\n> > What is the objection to celebration of Easter?\n>       The objection naturally is in the way in which you phrase it. \n>Easter (or Eashtar or Ishtar or Ishtarti or other spellings) is the pagan\n>whore goddess of fertility.  \n> > It is celebration of the resurrection of Jesus.\n>      No, you are thinking perhaps of "Ressurection Sunday" I think. \n\nTsk.tsk. Too much argument on non-issues !\nI\'m Roman Catholic and it seems to me that people\ncelebrate Easter and Christmas for itself rather\nthan how it relates to Jesus. I don\'t really\ncare about some diety. If people have some other\ndefinition of Easter, then that\'s their business.\nDon\'t let it interfere with my Easter.\n\n"Resurrection Sunday" 8-) Where did that come from ?\nIf people celebrate Easter for the Cadburry bunny,\nthat\'s their business. \n\n> > So from this I infer that there are different rules for\n> > Christians of Jewish descent?  What happened to "there is\n> > neither Jew nor Greek, slave nor free, male nor female, for\n> > all are one in Christ Jesus"?\n\nI\'ve always been curious about this. Is Jesus important\nto Jews at all ? I thought He was thought of only\nas a prophet ? If that\'s true what do they celebrate\nEaster for ?\n',
 'From: tcmay@netcom.com (Timothy C. May)\nSubject: Re: text of White House announcement and Q&As on clipper chip encryption\nOrganization: NETCOM On-line Communication Services (408 241-9760 guest)\nX-Newsreader: Tin 1.1 PL5\nDistribution: na\nLines: 26\n\nTed Dunning (ted@nmsu.edu) wrote:\n: \n: nobody seems to have noticed that the clipper chip *must* have been\n: under development for considerably longer than the 3 months that\n: clinton has been president.  this is not something that choosing\n: choosing bush over clinton would have changed in the slightest; it has\n: been in the works for some time.\n\nActually, many of us have noted this. We have noted that the program\nstarted at least 4 years ago, that the contracts with VLSI Technology\nand Microtoxin were let at least 14 months ago, that production of the\nchips is well underway, and so forth.\n\nNobody I know has claimed Clinton intitiated the program. But he chose\nto go ahead with it.\n\n\n-Tim May\n-- \n..........................................................................\nTimothy C. May         | Crypto Anarchy: encryption, digital money,  \ntcmay@netcom.com       | anonymous networks, digital pseudonyms, zero\n408-688-5409           | knowledge, reputations, information markets, \nW.A.S.T.E.: Aptos, CA  | black markets, collapse of governments.\nHigher Power: 2^756839 | Public Key: PGP and MailSafe available.\n\n',
 'From: cub@csi.jpl.nasa.gov (Ray Miller)\nSubject: Sid Fernandez?\nNntp-Posting-Host: chopin\nOrganization: Jet Propulsion Laboratory\nDistribution: usa\nLines: 10\n\nI read this morning that Sid Fernandez left last nights\' game with stiffness\nin his shoulder. Does anyone have any information as to the extent of the\ninjury (if indeed there is one), or weather the cold air in Colorado just got\nhis joints a little stiff?\n\nThanks for the help...\n|         Ray Miller           |            DISCLAIMER               |\n|  cub@chopin.jpl.nasa.gov     |  All opinions are strictly my own   |\n\t\t\t\t\t\t\t\t     \n "I once spent a year in Philadelphia, I think it was on a Sunday" WCFields\n',
 'From: scott@uniwa.uwa.edu.au (Scott Shalkowski)\nSubject: Re: Doing the work of God??!!)\nOrganization: The University of Western Australia\nLines: 31\n\nDesiree Bradley (Desiree_Bradley@mindlink.bc.ca) wrote:\n\n<. . ..\n\n: The next Sunday, the sermon was about Joshua 6 (where the Israelites\n: take Jericho and then proceed to massacre everybody there --- except\n: for Rahab, who had sheltered the spies).  With those reports about\n: Bosnia in my mind, I felt uncomfortable about the minister saying that\n: the massacre (the one in Joshua) was right.  But what really bothered\n: me was that, if I was going to try taking Christianity seriously, I\n: shouldn\'t be so troubled about the reports of "ethnic cleansing" in\n: Bosnia.  Certainly, my sympathies shouldn\'t be with the Moslims.\n: Considering that the Bosnian Muslims are descendants of Christians\n: who, under Turkish rule, converted to Islam could the Serbs be doing\n: God\'s work?\n\nPerhaps it would be useful to ask whether those doing the ethnic\ncleansing could be said to be loving those they are killing in the very\nact of killing.  Does it reflect the attitude of God, who sends rain to\nboth the just and the unjust?  If not, then Christians should be\nuncomfortable with it.  Jesus gave his followers the law of love to\nfollow and it is by exhibiting this that disciples will be known. \nDoctrinal (or political) correctness is not the standard, so I don\'t see\nwhy Christians should be moved against the Serbs because their ancestors\nconverted from Christianity to Islam.  It seems to me that as a\nChristian you _should_ be troubled by the ethnic cleansing.\n--\n\n\nPeace,\nScott Shalkowski                            scott@arts.uwa.edu.au\n',
 "From: m_klein@pavo.concordia.ca (CorelMARK!)\nSubject: Re: Players Rushed to Majors\nNews-Software: VAX/VMS VNEWS 1.41    \nNntp-Posting-Host: pavo1.concordia.ca\nOrganization: Concordia University\nLines: 6\n\nI missed the original post, but aren't the Expos rushing alomost their\nentire team this year?  I am from Montreal, and am a fan, but geez, the \nExpos rank 27th in salary (only the Rockies trail) and someone at \nthe average age would probably be in first year University!\n\t\t\tCorelMARK!\n\n",
 "From: oser@fermi.wustl.edu (Scott Oser)\nSubject: Re: DID HE REALLY RISE?\nOrganization: Washington University Astrophysics\nLines: 4\n\nFrank, I got your mailing on early historical references to Christianity.\nI'd like to respond, but I lost your address.  Please mail me.\n\n-Scott Oser\n",
 "From: roger@crux.Princeton.EDU (Roger Lustig)\nSubject: Re: Defensive Averages 1988-1992 -- Shortstop\nOriginator: news@nimaster\nNntp-Posting-Host: crux.princeton.edu\nReply-To: roger@astro.princeton.edu (Roger Lustig)\nOrganization: Princeton University\nLines: 25\n\nIn article <1993Apr17.200602.8229@leland.Stanford.EDU> addison@leland.Stanford.EDU (Brett Rogers) writes:\n>In article <steph.735027990@pegasus.cs.uiuc.edu> steph@pegasus.cs.uiuc.edu (Dale Stephenson) writes:\n>>>Smith, Ozzie           .742  .717  .697  .672  .664   0.701\n>>  The Wizard's 1988 is the second highest year ever.  Still very good,\n>>but I don't like the way his numbers have declined every year.  In a few\n>>years may be a defensive liability.\n\n>That's rich... Ozzie Smith a defensive liability...\n\nWhy?  Do you suppose he's immune to the ravages of time?  He's 37.  \nIn a few years he'll be 40.  He doesn't get to as many grounders as\nhe used to, and will get to fewer still as his legs go, as they do\non every human so far.\n\nRemember: Willie Mays was a defensive liability at he end of his\ncareer too.  Ditto Mickey Mantle.  Ditto just about everyone else who \nplayed into their late 30's.\n\nRoger\n>Brett Rogers\n>addison@leland.stanford.edu\n>\n>\n\n\n",
 "From: bgardner@bambam.es.com (Blaine Gardner)\nSubject: Re: Protective gear\nArticle-I.D.: dsd.1993Apr6.042624.22937\nOrganization: Evans & Sutherland Computer Corporation\nLines: 13\nNntp-Posting-Host: bambam\n\nIn article <C4wKFs.BC1@eskimo.com> maven@eskimo.com (Norman Hamer) writes:\n>Question for the day:\n>\n>What protective gear is the most important? I've got a good helmet (shoei\n>rf200) and a good, thick jacket (leather gold) and a pair of really cheap\n>leather gloves... What should my next purchase be? Better gloves, boots,\n>leather pants, what?\n\nWhat's your favorite body part? :-)\n\n-- \nBlaine Gardner @ Evans & Sutherland\nbgardner@dsd.es.com\n",
 'From: dreier@jaffna.berkeley.edu (Roland Dreier)\nSubject: Re: plus minus stat\nOrganization: U.C. Berkeley Math. Department.\nLines: 59\n\t<1qmtd1INNr1l@iskut.ucs.ubc.ca>\nNNTP-Posting-Host: jaffna.berkeley.edu\nIn-reply-to: gibson@nukta.geop.ubc.ca\'s message of 16 Apr 1993 18:20:17 GMT\n\nIn article <1qmtd1INNr1l@iskut.ucs.ubc.ca> gibson@nukta.geop.ubc.ca (Brad Gibson) writes:\n\n   In article <1993Apr16.160228.24945@sol.UVic.CA> gballent@hudson.UVic.CA writes:\n   >\n   >In article 9088@blue.cis.pitt.edu, jrmst8+@pitt.edu (Joseph R Mcdonald) writes:\n   >\n   >>Jagr has a higher +/-, but Francis has had more points.  And take it from\n   >>an informed observer, Ronnie Francis has had a *much* better season than\n   >>Jaromir Jagr.  This is not to take anything away from Jaro, who had a \n   >>decent year (although it didn\'t live up to the expectations of some).\n   >\n   >Bowman tended to overplay Francis at times because he is a Bowman-style\n   >player.  He plays hard at all times, doesn\'t disregard his defensive\n   >responsibilities and is a good leader.  Bowman rewarded him be increasing his\n   >ice time.\n   >\n   >Jagr can be very arrogant and juvenile and display a "me first" attitude.\n   >This rubbed Bowman the wrong way and caused him to lose some ice time.\n   >\n   >Throughout the year, Francis consistently recieved more ice time than\n   >Jagr.  Althouhg I have never seen stats on this subject, I am pretty\n   >sure that Jagr had more points per minute played that Francis.  When\n   >you add to that Jagr\'s better +/- rating, I think it becomes evident\n   >that Jagr had a better season- not that Francis had a bad one.\n   >\n\n     Actually, what I think has become more evident, is that you are determined to\n     flaunt your ignorance at all cost.  Jagr did not have a better season than\n     Francis ... to suggest otherwise is an insult to those with a modicum of\n     hockey knowledge.  Save your almost maniacal devotion to the almighty\n     plus/minus ... it is the most misleading hockey stat available.\n\n     Until the NHL publishes a more useful quantifiable statistic including ice\n     time per game and some measure of its "quality" (i.e., is the player put out\n     in key situations like protecting a lead late in the game; is he matched up\n     against the other team\'s top one or two lines; short-handed, etc), I would\n     much rather see the +/- disappear altogether instead of having its dubious\n     merits trumpeted by those with little understanding of its implications.\n\nThank you for posting this.  As the person who first brought up the\nfact that Jagr has a much higher +/- than Francis, I can assure you\nthat I brought it up as an example of the absurdity of +/-\ncomparisons, even on the same team.  I never, ever thought that anyone\nwould argue that Jagr\'s higher +/- actually reflected better two-way\nplay.\n\nIn my opinion, Francis\'s low +/- is purely a result of him being asked\nto play against opponents top scorers at all times; the fact that he\ncan chip in 100 points while neutralizing the other team\'s top center\nis a testament to how valuable he is, even if his +/- suffers.  On the\nother hand, Jagr, for how big, fast and skilled he is, can\'t even get\n90 points, no matter how inflated his +/- is.\n\n(By the way, don\'t get me wrong -- I like Jagr.  He may be a lazy\nfloater, but he turns it on at exactly the right times -- like\novertime of playoff games).\n\n--\nRoland Dreier                                        dreier@math.berkeley.edu\n',
 'From: jrm@cbnews.cb.att.com (john.r.miller)\nSubject: Humminbird Depth Sounder forsale\nKeywords: sale depth\nArticle-I.D.: cbnews.1993Apr6.173100.11729\nDistribution: na\nOrganization: AT&T\nLines: 34\n\n\nHi,\n\n\tI have a Humminbird HDR200 Depth Sounder for sale. It\nhas been used for 1 season on my sailboat. \n\t\n\tAll parts are included as well as the installation\ninstructions. It is even packed in the original box it came in. There\nis no damage to the unit or the transducer. In fact, the transducer\nwas mounted *inside* the hull in a piece of pipe glued to the hull.\nSo it led a "sheltered" life. The transducer can be mounted either inside\nthe hull as I did, or on the transom. It cannot be placed in a hole\ndrilled into your hull.\n\n\tIt is fully waterproof and fits into a 2" hole in a bulkhead\n(that\'s where I had it installed) or into a standard dashboard on a\npowerboat. It reads depth to 199\' and has a backlit LCD display. It has\nan adjustable shallow water alarm built in. \n\n\tI am changing out my instruments to another manufacturer that\noutputs the NMEA 0183 information. This little depth sounder works fine\nand is very stable.\n\n\n\tIt is usually priced as low as 130$ in some catalogs, I paid 150$.\n\n\n\tThe first 80$ takes it, or best offer. \n\n\n\n\t\t\t\tJohn R. Miller\n\n\t\t\tCatalina 22, #4909 "Tinker Toy"\n',
 'Subject: After-Market Cruise Controls: Specific Questions\nFrom: MikeW@Canc.byu.edu (M.D. (Mike) Wieda)\nOrganization: BYU\nNntp-Posting-Host: 128.187.203.40\nLines: 82\n\nHowdy,\n\nI\'m a little new to this newsgroup, but I would like to tap some of the\nknowledge and expertise available here.\n\nThe Subject:  After-market cruise controls\n\nThe Background:\nI recently broke my ankle in a road-bicycling accident (4 places, five \nscrews, yuk! :-( ).  In two weeks I will be returning to Texas (my\nhome) from my school (BYU) in Provo, Utah.  As you can imagine, trying to\ndrive nearly 1300 miles with a broken right ankle isn\'t just the epitome of\na good time.  My car does not have a cruise control, so I would have to do\nall the pedalling (ha ha) with my messed-up ankle.\n\nMy question:\nWhat is the general opinion of after-market cruise control units?  I\nrealize that a cheap CC (cruise control) from, say, Pep Boys, isn\'t going to\nbe as good as a factory or professionally installed unit (if there is such a\nthing).  And I uderstand that I probably can\'t expect much in the way of\naccuracy, looks and that sort of thing;  But anything\'s gotta be better than\ntrying to drive with a hosed ankle.\n\nI have a 1984 Jeep Cherokee, 4 speed, standard, 4*4, 2.5L engine with\nkettering(sp?) ignition (y\'know, distributor cap, rotor, that set-up--not\nelectronic.  Maybe you could\'ve guessed it being an \'84, but I\'m just trying\nto give information as completly as I can).\n\nI found a CC unit for 80 bucks.  It seems to use the vehicles vacuum system \ninstead of an electric servor/motor.  Is this good or bad?  If I did buy\nthis CC, which vacuum hose should I tap?\n\nIt has two speed sensors:  One magnetic, and one that gets a signal from the \nnegative side of the distributor, kinda like a tach pick-up, or so I\nunderstand.  I can use either one.  Which is best?  The manual says (I read\nit in the store today) that the magnetic/axle set-up is more accurate, but\nharder to install.  Is there really a big difference?\n\nIt has a sensor for the brake pedal, just like other CCs, but does NOT have a\nsensor for the clutch pedal.  So if I wasn\'t paying real close attention I\nmight push the clutch in while the cruise is trying to get the speed up.  Which\nwould wind the engine up kinda high until I got my wits about me and turned \nthe thing off.  I\'m pretty coordinated, so this doesn\'t bother me, if it\nwere for my girlfriends car, *then* it would bother me, but I\'m ok with it.\n\nThe installation also calls for an attachment to a steady-on brake signal\nand a switched-on brake signal.  I think I can get a switched brake signal\nfrom the correct side of the brake light blade fuse.  Am I right?  But I\'m\nnot sure where to get the steady-on brake signal, or, for that matter, what\nexactly it is?  Any ideas as to what the manufaturer wants and where to get\nit?\n\nI think I can figure the other things out.  Like how to hook-up the negative\nside tach-type sensing gizmo and the cabin control unit, and the ground and\nall that miscellaneous business.  But I need a little help with:\n\n\t1.  Is it worth the money and safety risk (if any) for such a\n\t    device?\n\t2.  Is there any particularly good after-market CC?\n\t3.  Are "professionally" installed CCs signifacantly better and\n\t    worth the cabbage?\n\t4.  If the unit I saw (sorry, no manufacturer or model number, just\n\t    that it is at Pep Boy and its $80) is sufficient for my simple \n\t    needs, how do I get the thing installed properly (specifically,\n\t    the questions above)?\n\nMy father and I built a "Veep" (Volkswagen powered Jeep CJ-2A) when I was in\nhigh school, so I consider myself fairly good with tools, electronics, and\ncars.  So the installation doesn\'t scare me.  I just want to be certain that\nI get the thing installed correctly as my Cherokee is just a wee bit more\ncomplicated than my Veep. :-)\n\nI appreciate your time in reading my post, and I would appreciate any\nexpertise or opinion anybody has on the subject.  If you would like to share\nsome of your wisdom, please email as I don\'t get over this group very often\n(but I check my mail all the time).\n\nAgain, thanks for any help anyone may have.\n\nMike Wieda\nMikew@canc.byu.edu\n\n',
 'From: rocker@acm.rpi.edu (rocker)\nSubject: Re: ABORTION and private health coverage -- letters regarding\nNntp-Posting-Host: hermes.acm.rpi.edu\nReply-To: rocker@hermes.acm.rpi.edu\n Followup-To:\nLines: 13\n\nIn <1qk73q$3fj@agate.berkeley.edu> dzkriz@ocf.berkeley.edu (Dennis Kriz) writes:\n\n>If one is paying for a PRIVATE health insurance plan and DOES NOT WANT\n>"abortion coverage" there is NO reason for that person to be COMPLELLED\n>to pay for it.  (Just as one should not be compelled to pay for lipposuction\n>coverage if ONE doesn\'t WANT that kind of coverage).\n\nYou appear to be stunningly ignorant of the underlying concept of health\ninsurance.\n\n>dzkriz@ocf.berkeley.edu\n\n                          -rocker\n',
 'Subject: Post Polio Syndrome Information Needed Please !!!\nFrom: keith@actrix.gen.nz (Keith Stewart)\nOrganization: Actrix Information Exchange\nLines: 9\n\nMy wife has become interested through an acquaintance in Post-Polio Syndrome\nThis apparently is not recognised in New Zealand and different symptons ( eg\nchest complaints) are treated separately. Does anone have any information on\nit\n\nThanks\n\n\nKeith\n',
 'From: renew@blade.stack.urc.tue.nl (Rene Walter)\nSubject: CView answers\nOrganization: MCGV Stack, Eindhoven University of Technology, the Netherlands.\nLines: 66\nNNTP-Posting-Host: blade.stack.urc.tue.nl\nSummary: some CView problems explained\nKeywords: Stupid Programming\nX-Newsreader: TIN [version 1.1 PL6]\n\nA very kind soul has mailed me this reply for the bugs in CView.\nSince he isn\'t in the position to post this himself, he asked me to post\nit for him, but to leave his name out. So here it comes:\n\nCView has quite a number of bugs.  The one you mention is perhaps the most\nannoying, but not the most dangerous.  As far as I can determine, it has to\ndo with the temp files that CView creates.  CView gives the user no control\nover where it places its temp files: it just places them in its\n"current directory".  The problem you mention occurs (as far as I can tell)\nwhen it runs out of disk space for its temp files. It seems as if CView\ndoesn\'t check properly for this situation.  As Cview decodes a jpeg, it seems \nto write out a temp file with all the pixel data with 24 bit colour\ninformation. Then, for 8 bit displays, it does the "dithering", again writing\nanother file with the 8 bit colour information.  While it is writing this\nsecond file, it also writes the data to your colour card. Then when it does\nthe last chunk of 8 bit data, it recopies all the data from the 8 bit file to\nyour screen again.  (It does this last "recopy" operation for its\n"fit to screen" feature, even when this feature is not enabled.)\n\n The result of this process is the following:\n  \n     1) If it runs out of disk space when writing the first 24 bit file, all\n        you ever see is as much data as it has room for, and the last bit of\n        data is simply repeated over and over again because CView never\n        realizes the disk has filled up and disk writes/reads aren\'t performed.\n\n     2) If it has enough room for the 24 bit data, but runs out of room for\n        the 8 bit data, you see almost all of the picture as it does the\n        dithering and writes to the screen card.\n        However, then when it finishes the dithering and recopies the data\n        from the 8 bit file to screen (for whatever reason it does this)\n        one again just gets a repetition of the last chunk of data for which\n        there was room on the disk.\n\nThis is just a guess, but probably fairly accurate.  At least the general\nidea is on track I think, although I have probably made errors in details\nabout file I/O etc.  The way around this is  of course to clear up sufficient\ndisk space.  The temp files for large JPEG\'s (1200x900 and bigger) can be\nvery large (3 Meg + 1 Meg ).  On some of the largest I have needed in excess\nof 6 Meg free disk space.\n\n\nCView has a much more serious bug: if you are trying to display a file from\na floppy, and you change floppies while CView has some temp file open on the\nfloppy, then CView in certain circumstances will write the directory (and FAT\ntable? I can\'t remember) for the removed floppy onto the newly inserted\nfloppy, thus corruptimg the new floppy in a very serious, possibly\nunrevcoverable way.  SO BE CAREFUL!  It is incredibly poor programming for a\nprogram to do this.  On the other hand, when choosing files in the Open Files\nmenu, CView insists on doing a few disk reads every time one moves the\nhi-lighter square.  Incredibly annoying when it could do them all at once\nwhen it gets the directory info.  And really, how much effort does it take to\nsort a directory listing?\n\n\nWith much thanks to the originator of this article.\n +=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=+\n |        Rene Walter          |          renew@stack.urc.tue.nl           |\n +-----------------------------+-------------------------------------------+\n | "Will I drown in tears of sorrow, Is there hope for tomorrow,           |\n |  Will this world ever get better, Can\'t we all just live together       |\n |  I don\'t wanna live in strife  , I just wanna live my life              |\n |  I deserve to have a future..."                                         |\n |                                     -The Good Girls    "Future"         |\n +=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=+\n\n',
 "From: rwf2@ns1.cc.lehigh.edu (ROBERT WILLIAM FUSI)\nSubject: Bike advice\nOrganization: Lehigh University\nLines: 11\n\nI have an '89 Kawasaki KX 80.  It is in mint condition and starts on the first\nkick EVERY time.  I have outgrown the bike, and am considering selling it.  I\nwas told I should ask around $900.  Does that sound right or should it be\nhigher/lower?\n    Also, I am looking for a used ZX-7.  How much do I have to spend, and what\nyear should I look for to get a bike without paying an arm and a leg????\n    Thanks for the help!\n\n                                                    Rob Fusi\n                                                    rwf2@lehigh.edu\n-- \n",
 'From: shippert@cco.caltech.edu (Tim Shippert)\nSubject: Re: Infield Fly Rule\nOrganization: California Institute of Technology, Pasadena\nLines: 25\nNNTP-Posting-Host: sandman.caltech.edu\n\njrogoff@scott.skidmore.edu (jay rogoff) writes:\n\n>One last infield fly question that has always puzzled me and hasn\'t\n>yet been addressed.  I believe the rule also does *not* deal with this\n>situation:\n\n>However, if the Infield Fly is *not* caught, at what point can a runner\n>legally leave his base w/o fear of being doubled off for advancing too\n>early?  \n\n\tThe runner can leave his base at any time.  If the ball is caught,\nhe\'s got to tag up.  If it isn\'t caught, he _doesn\'t_ have to tag up at\nall.  So, if he\'s feeling lucky, your runner at second can sprint for glory\nas soon as the ball is popped up.  If it isn\'t caught, he\'s probably scored\na run.  If it is, he\'s probably headed for AAA.  \n\n\tThe only effect the infield fly has is to make the batter out,\nthereby removing the force on the runners on base.  All other rules apply,\nas if you were standing second with first open and the ball is popped up.\n\n-- \nTim Shippert                                 shippert@cco.caltech.edu\n"If we are going to stick to this damned quantum-jumping, then I regret\nthat I ever had anything to do with quantum theory."\n\t\t\t\t\t-E. Schrodinger\n',
 "From: panvalka@cs.unc.edu (Anay Panvalkar)\nSubject: Frame buffer question for X11R5 (Sun)\nOrganization: The University of North Carolina at Chapel Hill\nLines: 22\nDistribution: world\nNNTP-Posting-Host: hatteras.cs.unc.edu\n\nX Window installation on a Sun4/470 with CG6 alone and with CG2 as\nscreen:0.0 and CG6 as screen:0.1.\n\nQuestions:\n1)  Are there any hardware configuration changes on the CG2 and/or\nCG6 devices that need to be made other than pulling out and inserting the\nCG2 frame buffer in the vme bus?\n\n2)  The CG6 is called a 'graphics accelerator' as apposed to a 'frame buffer'.\nWhat is the significance of this to the X server and how do we install\nthe SunOS driver / X to be compatable.\n\n-----------------------\nI would appreciate any information on this. \nI am posting this on the behalf of Dr. John Charlton (who does not have net\naccess). Please reply to him directly at charlton@bme.unc.edu or just send\nit at this address and I will forward it. \n\nThank you for your help!\n\n-Anay\npanvalka@cs.unc.edu\n",
 "From: joe13+@pitt.edu (Joseph B Stiehm)\nSubject: Re: This year's biggest and worst (opinion)...\nKeywords: NHL, awards\nArticle-I.D.: blue.7995\nOrganization: University of Pittsburgh\nLines: 93\n\nIn article <1993Apr6.170330.12314@is.morgan.com> scairns@fsg.com writes:\n>\n>\t\t\t   MVP\t\t  Surprise\t  Disappointment\n>\t\t\t   ---------------------------------------------\n>|> New York Rangers        Messier        Kovalev         Bourque\n>\t\t           Gartner\t  Zubov\t\t  Bourque\n>\n...\n>Bourque - the Penguin's GM must laugh his head off every time he thinks\n>of the Rangers and this loser.\n>\n>+------------------------------------------------------------------+\n>| Scott Cairns           \t|   email: scairns@fsg.com         |\n>| Fusion Systems Group\t\t|  usmail: 225 Broadway, 24th Fl   |\n>| New York, New York, USA   \t|          New York, NY  10007     |\n>+------------------------------------------------------------------+\n>| Standard disclaimers apply.   \t\t\t\t   | \n>+------------------------------------------------------------------+\n>| I hope in the future Americans are thought of as a warlike,      |\n>| vicious people, because then I bet a lot of high schools would   |\n>| pick 'Americans' as their mascot.\t\t\t\t   |\n>|    \t\t\t\t\t- Jack Handey\t\t   |\n>+------------------------------------------------------------------+\n\nPlease.  Have a care with Phil.  We liked him a lot in Pittsburgh.  He\ndidn't score a lot if you look at his stats last year but he worked his\nbutt off.  It was his speed that created opportunities in the offensive\nzone that allowed the Pens to utilize his potential.  I haven't been\npaying attention to him this year so I can't say I know what you're \nobjecting to.  He has been out with injuries though, hasn't he?  And\nif the offense isn't there, there's not much his speed will do for you.\nLike I said, he created opportunities but he didn't score much.  I thought\nthe money offered from the Rangers was a little high, and so did the Pens,\nI guess.\n\nJoseph Stiehm\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nIn article <1993Apr6.170330.12314@is.morgan.com> scairns@fsg.com writes:\n>\n>\t\t\t   MVP\t\t  Surprise\t  Disappointment\n>\t\t\t   ---------------------------------------------\n>|> New York Rangers        Messier        Kovalev         Bourque\n>\t\t           Gartner\t  Zubov\t\t  Bourque\n>\n...\n>Bourque - the Penguin's GM must laugh his head off every time he thinks\n>of the Rangers and this loser.\n>\n>+------------------------------------------------------------------+\n>| Scott Cairns           \t|   email: scairns@fsg.com         |\n>| Fusion Systems Group\t\t|  usmail: 225 Broadway, 24th Fl   |\n>| New York, New York, USA   \t|          New York, NY  10007     |\n>+------------------------------------------------------------------+\n>| Standard disclaimers apply.   \t\t\t\t   | \n>+------------------------------------------------------------------+\n>| I hope in the future Americans are thought of as a warlike,      |\n>| vicious people, because then I bet a lot of high schools would   |\n>| pick 'Americans' as their mascot.\t\t\t\t   |\n>|    \t\t\t\t\t- Jack Handey\t\t   |\n>+------------------------------------------------------------------+\n\nPlease.  Have a care with Phil.  We liked him a lot in Pittsburgh.  He\ndidn't score a lot if you look at his stats last year but he worked his\nbutt off.  It was his speed that created opportunities in the offensive\nzone that allowed the Pens to utilize his potential.  I haven't been\npaying attention to him this year so I can't say I know what you're \nobjecting to.  He has been out with injuries though, hasn't he?  And\nif the offense isn't there, there's not much his speed will do for you.\nLike I said, he created opportunities but he didn't score much.  I thought\nthe money offered from the Rangers was a little high, and so did the Pens,\nI guess.\n\nJoseph Stiehm\n",
 'From: al885@cleveland.Freenet.Edu (Gerard Pinzone)\nSubject: CD SPEEDWAY - any good?\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 12\nReply-To: al885@cleveland.Freenet.Edu (Gerard Pinzone)\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nAnybody use CD Speedway out there?  Is it as good as they say?  I hate\nwaiting around for my CD to finish loading the next level in WC and the\nsuch.\n\nHow much memory does it eat up?\n\n-- \n   _______   ________   ________   "Small nose, loose girls, no nipples, (.|.)\n  /   ___/  /  _____/  /  __   /   Iczer curls!"  -=-  Gerard Pinzone     ).(\n /   ___/  /  /____   /  __   /           gpinzone@tasha.poly.edu        ( v )\n/______/  /_______/  /__/ /__/       Join the ECA Wehrmacht! Kill CM!     \\\\|/\n',
 'From: jp@vllyoak.resun.com (Jeff Perry)\nSubject: Re: wife wants convertible\nOrganization: Private site in San Marcos, California\nLines: 35\n\naas7@po.CWRU.Edu (Andrew A. Spencer) writes:\n\n> \n> In a previous article, dspalme@mke.ab.com (Diane Palme x2617) says:\n> \n> >: nuet_ke@pts.mot.com (KEITH NUETZMAN X3153 P7625) writes:\n> >: > HELP!!!\n> >: > my wife has informed me that she wants a convertible for her next car.\n> >jp@vllyoak.resun.com (Jeff Perry) writes:\n> >: FYI, just last week the PBS show Motor Week gave the results of what they \n> >: thought were the best cars for \'93.  In the convertible category, the \n>                                                ~~~~~~~~~~~~~~~~~~~\n> >: Honda Civic del Sol achieved this honor.  \n> >I own a del Sol and I must vouch for the interior.  I really looks snazzy wh\n> >the top is off.  I looks a lot better in person than on the television.  (I \n> >that Motorweek as well.  Needless to say I was smiling a bit by the time it\n> >was over ...)  :*)\n> >\n> >Watch out for that darned "convertible tan" tho...\n> \n> \n> i simply must inquire, how can people honestly consider this car\n> a "convertible"?  Does Porsche have a patent on the "targa" name?\n> I mean, convertible to me means "top down", which the del Sol certainly\n> does NOT do.  It has the center that lifts out.  This is what i would\n> term a targa(unless Porsches was gonna sue me for doing that).  I know\n> the rear window rolls down, but i still can hardly consider this car\n> to be a convertible.\n> \n\nYes, however, with the top off and the rear window down this car is more \nlike a convertible than a coupe.  Think of it as a convertible with an \nintegrated roll-bar like addition.\n\njp\n',
 'From: bu008@cleveland.Freenet.Edu (Brandon D. Ray)\nSubject: Re: Statement of Sarah Brady Regarding Texas State Carrying Concealed Legislation\nArticle-I.D.: usenet.1psstg$bbe\nReply-To: bu008@cleveland.Freenet.Edu (Brandon D. Ray)\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 83\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, nigel.allen@canrem.com ("nigel allen") says:\n\n>\n>Here is a press release from Handgun Control Inc.\n>\n> Statement of Sarah Brady Regarding Texas State Carrying Concealed\n>Legislation\n> To: State Desk\n> Contact: Susan Whitmore of Handgun Control Inc., 202-898-0792\n>\n>   WASHINGTON, March 25 -- Following is a statement of Sarah \n>Brady regarding Texas state carrying concealed legislation:\n>\n>   "A handful of lawmakers in Austin today have told the public that\n>their safety is of less importance than the interests of the National\n>Rifle Association.  This action comes as local, state and federal law\n>enforcement officials continue their stand-off with a religious cult\n>that has highlighted the need for tougher gun laws, not weaker ones\n>like the carry concealed bill.\n\n   "A handful of anti-gun zealots are telling the public that their\nright to self-defense is of less importance than the interests of\nHandgun Control, Inc.  This action comes as local, state and federal law\nenforcement officials continue their assault on the Branch Davidian\ncompound--an assault which has already resulted in the death of one\ntwo year old child at the hands of federal agents.  This has highlighted\nthe need for citizens to be able to defend themselves and their children\nagainst the excesses of their own government."\n\n>   "Any suggestion by proponents that this bill will help to reduce\n>crime is a distortion of the facts, at best.  This so-called\n>crime-fighting law has resulted in a 16 percent increase in violent\n>crime in the state of Florida, and I have never heard law enforcement\n>officials bragging that more guns on the streets is the way to reduce\n>crime.\n\n  "Any suggestion by opponents that this bill will increase crime is a \ndistortion of the facts, at best.  The aggressive outreach by officials\nin central Florida to train and arm women has led to a dramatic drop in\nthe level of assault and rape in that area.  Of course, this program is\na rare gem, as many law enforcement officials apparently believe that an\nunarmed citizenry will be easier to control, and thus favor tighter \nrestrictions."\n\n>   "The vote today is an insult to the law enforcement officials who\n>are putting their lives on the line every day to end the standoff in\n>Waco.  The entire country now knows just how easy it is for an\n>individual bent on destruction to amass an arsenal of weapons.  Texas\n>lawmakers who voted for this concealed handgun bill have shown total\n>disregard for those law officials on the front lines, and the\n>families of those who have fallen.\n\n   "The vote today is a tribute to the good sense of the public at large\nwho are putting their lives on the line every day as they go about their\nlawful affairs.  The entire country knows how vulnerable the average \ncitizen is, both to attacks from criminals and from armed assault by our\nown police.  Texas lawmakers who voted for this concealed handgun bill have\nshown total understanding for those innocent, law-abiding citizens on the\nfront lines, and the families of those who have fallen."\n\n>   "I urge the House of Representatives to listen to the 70 percent\n>of Texans that oppose this measure, and reject this ill-conceived\n>legislation."\n\n   "I urge the House of Representatives to pay attention to the needs\nof their constituents, and not be stampeded by ill-conceived arguments\nfrom ideological fanatics."\n\n> -30-\n>-- \n> Nigel Allen, Toronto, Ontario     nigel.allen@canrem.com\n>--\n>Canada Remote Systems - Toronto, Ontario\n>416-629-7000/629-7044\n>\nAin\'t propaganda fun?\n\n-- \n******************************************************************************\nThe opinions expressed by the author are insightful, intelligent and very\ncarefully thought out.  It is therefore unlikely that they are shared by the\nUniversity of Iowa or Case Western Reserve University.\n',
 'From: wquinnan@sdcc13.ucsd.edu (Malcusco)\nSubject: Re: The arrogance of Christians\nOrganization: University of California, San Diego\nLines: 60\n\nIn article <Apr.10.05.32.15.1993.14385@athos.rutgers.edu> dleonar@andy.bgsu.edu (Pixie) writes:\n>In article <Apr.7.01.55.50.1993.22771@athos.rutgers.edu>,\n>\n>\t\t\t\t\tPardon me, a humble atheist, but exactly what is the difference\n>between holding a revealed truth with blind faith as its basis (i.e.\n>regardless of any evidence that you may find to the contrary) as an\n>absolute truth, fully expecting people to believe you and arrogance?\n>     They sound like one and the same to me.\n\n>                                       Pixie\n>\n>\n>     p.s.  If you do sincerely believe that a god exists, why do you follow\n>it blindly?  \n\n\tWhy do we follow God so blindly?  Have you ever asked a\nphysically blind person why he or she follows a seeing eye dog?\nThe answer is quite simple--the dog can see, and the blind person\ncannot.\n\n\tI acknowledge, as a Christian, that I am blind.  I see,\nbut I see  illusions as well as reality.  (Watched TV lately?)\nI hear, but I hear lies as well as truth.  (Listen to your \nradio or read a newspaper.)  Remember, all that tastes well is\nnot healthy.  So, I rely one the one who can see, hear, and\ntaste everything, and knows what is real, and what is not.\nThat is God.\n\n\tOf course, you may ask, if I cannot trust my own senses,\nhow do I know whether what I see and hear about God is truth or\na lie.  That is why we need faith to be saved.  We must force\nourselves to believe that God knows the truth, and loves us\nenough to share it with us, even when it defies what we think\nwe know.  Why would He have created us if He did not love us \nenough to help us through this world?\n\n\tI also do trust my experiences to some extent.  When\nI do things that defy the seeming logic of my experience, \nbecause it is what my Father commands me to do, and I see\nthe results in the long term, I find that He has led me\nin the proper direction, even though it did not feel right\nat the time.  This is where our works as Christians are\nimportant:  As exercises of the body make the body strong,\nexcercises of faith make the faith strong.  \n\n\tAs for you, no one can "convert" you.  You must\nchoose to follow God of your own will, if you are ever to\nfollow Him.  All we as Christians wish to do is share with\nyou the love we have received from God.  If you reject that,\nwe have to accept your decision, although we always keep\nthe offer open to you.  If you really want to find out\nwhy we believe what we believe, I can only suggest you try\npraying for faith, reading the Bible, and asking Christians\nabout their experiences personally.  Then you may grow to\nunderstand why we believe what we do, in defiance of the\nlogic of this world.\n\n\tMay the Lord bring peace to you, \n\t\t\t\n\t\t\tMalcusco         \n',
 "From: mchaffee@dcl-nxt07 (Michael T Chaffee)\nSubject: Re: Chryslers Compact LH Sedans?\nOrganization: University of Illinois at Urbana\nLines: 33\n\ncka52397@uxa.cso.uiuc.edu (CarolinaFan@uiuc) writes:\n\n>shoppa@almach.caltech.edu (TIM SHOPPA) writes:\n\n>>I thought that the V-10 was originally designed for a truck (not necessarily\n>>a pickup!) and then just sort of dropped into the Viper's frame because\n>>it fit and was available.  A friend of mine and I saw (and heard) a Viper,\n>>and my friend's first response was that it sounded like a truck!  It sounded\n>>fine to me, but then again, I don't like the whiny noise that most modern\n>>sports car engines make.  BTW, the Viper we saw was moving at about 10mph,\n>>just like all of the other cars on the 10 freeway heading east out of LA\n>>on a Friday afternoon.  Looked really nice, though.\n\n>\tActually, I was under the impression that the V-10 in the Viper was\n>NOT the V-10 that Dodge was developing for its new Kenworths.  I have always\n>thought it was the exhaust system and not the engine that produced the noise\n>of a car...?\n\nWell, yes, the exhaust is where the majority of the noise comes out, but the\nbasics (tone, firing cadence, etc.) are determined by the engine configuration.\nIn the case of the Viper, yes, we are discussing a HUGE multicylinder 90-deg.\nengine, which will sound somewhat like a truck.  And my understanding, btw, is\nthat that V-10 engine was designed originally with the intention of being ad-\naptible for either the trucks or the Viper.  And from what I've heard (no first\nhand knowledge :-( ) it's doing a pretty good job at both.\n\nAnd the best exhaust sound in the world is now and will always be a 60-degree\nDOHC Colombo-designed V-12.  Period.\n\nMichael T. Chaffee\nmchaffee@ux4.cso.uiuc.edu\t<----Email\nmchaffee@sumter.cso.uiuc.edu\t<----NeXTMail\n.sig under construction.\t<----Excuse\n",
 'From: rmt6r@faraday.clas.Virginia.EDU (Roy Matthew Thigpen)\nSubject: Re: Ad said Nissan Altima best seller?\nOrganization: University of Virginia\nLines: 35\n\nboyle@cactus.org  writes:\n> In article <1qv7mn$dql@menudo.uh.edu> thang@harebell.egr.uh.edu (Chin-Heng  Thang) writes:\n> >\tRecently, I saw an ad for the altima which says that it is the  \n> >best seller for the past 6 months, is that true? \n> >\n> \n> I too was puzzled by this obvious untruth. What I think is going on is that\n> Nissan claims that the Altima is "the best selling new car namelplate in\n> the US" (I think I have this near verbatim). Lee Iaccoca\'s statistics\n> dept. would have been proud of that sentence. What they mean, I think, is\n> that of all "totally new models", i.e. cars never sold before in any\n> form, the Altima is the best seller, thereby eliminating Accord, Taurus\n> etc. \n THis is from the same people who make the claim that our minivan is outsellin\ntheirs.... implying that the Nissan Quest/ Murcury Villager are out-selling\nthe Chrysler mini-vans.... not only is this not true at all, but it was a stupid\nclaim to make... the commercial was part of the introduction campaign for the \nvans.  Kind of a bold statement to make when you haven\'t even sold one yet, eh?\n\n\nAnd I thought Buick and Oldsmobile where bad.  Shame on you Nissan and \nMercury!\n> \n> Any other interpretations?\n> \n> \n> Craig\n> >\t Does anyone has anyhting regarding the # of cars sold for the  \n> >past 6 months?\n> >\n> >\n> >\n> >tony\n> \n> \n',
 "From: goyal@utdallas.edu (MOHIT K GOYAL)\nSubject: Re: IDE vs SCSI\nNntp-Posting-Host: csclass.utdallas.edu\nOrganization: Univ. of Texas at Dallas\nLines: 30\n\n>How do you do bus-mastering on the ISA bus?\n\nBy initiating a DMA xfer.  :)\n\nSeriously, busmastering adapter have their own DMA ability, they don't use\nthe motherboards on-board DMA(which is *MUCH* slower).\n\nISA has no bus arbitration, so if two busmastering cards in 1 ISA system\ntry to do DMA xfers on the same DMA channel the system will lock or \ncrash.(I forget)\n\nTheir are 8 DMA channels in an ISA system. 0-7. 0-3 are 8-bit & 4-7 are\n16-bit.\n\nThe system uses DMA 0, a SoundBlaster uses DMA 1.\n\nI could buy a busmastering XGA-2 video card & a busmastering SCSI HA.\n\nIn order for them to work properly, I would have to find out what DMA\nchannel the XGA-2 card uses and then simply configure the SCSI HA to\nuse a different DMA channel for its DMA xfers.\n\nI don't know if multiple DMA xfers can go on at the same time on ISA.\nI'm not sure if they can on EISA systems either.\n\nI do know that on EISA/MCA systems, you can allow BM cards to use the\nsame DMA channel.\n\nThanks.\n\n",
 'From: oyalcin@iastate.edu (Onur Yalcin)\nSubject: Re: ARMENIA SAYS IT COULD SHOOT DOWN TURKISH PLANES\nOrganization: Iowa State University, Ames, IA\nLines: 38\n\nIn article <1993Apr19.155856.8260@kpc.com> henrik@quayle.kpc.com  writes:\n>In article <1993Apr17.185118.10792@ee.rochester.edu>, terziogl@ee.rochester.edu (Esin Terzioglu) writes:\n>|>\n>|>..[cancellum]... \n>|>\n>\n>\n>Let me clearify Mr. Turkish;\n>\n>ARMENIA is NOT getting "itchy". SHE is simply LETTING the WORLD KNOW that SHE\n>WILL NO  LONGER sit there QUIET and LET TURKS get away with their FAMOUS \n>tricks. Armenians DO REMEMBER of the TURKISH invasion of the Greek island of\n>CYPRESS WHILE the world simply WATCHED. \n>\n>\n\nIt is more appropriate to address netters with their names as they appear in\ntheir signatures (I failed to do so since you did not bother to sign your\nposting). Not only because it is the polite thing to do, but also to avoid\naddressing ladies with "Mr.", as you have done.\n\nSecondly, the island of which the name is more correctly spelled as Cyprus has\nnever been Greek, but rather, it has been home to a bi-communal society formed\nof Greeks and Turks. It seems that you know as little about the history and\nthe demography of the island, as you know about the essence of Turkey\'s \nmilitary intervention to it under international agreements.\n\nBe that as it may, an analogy between an act of occupation in history and what\nis going on today on Azerbaijani land, can only be drawn with the expansionist\npolicy that Armenia is now pursuing.\n\nBut, I could agree that it is not for us to issue diagnoses to the political\nconduct of countries, and promulgate them in such terminology as\n"itchy-bitchy"... \n\nOnur Yalcin\n\n-- \n',
 'Organization: University of Illinois at Chicago, academic Computer Center\nFrom: Jason Kratz <U28037@uicvm.uic.edu>\nSubject: Re: My Gun is like my American Express Card\nDistribution: usa\n <93104.231 <1993Apr15.184452.27322@CSD-NewsHost.Stanford.EDU>\nLines: 44\n\nIn article <1993Apr15.184452.27322@CSD-NewsHost.Stanford.EDU>,\nandy@SAIL.Stanford.EDU (Andy Freeman) says:\n>\n>In article <93104.231049U28037@uicvm.uic.edu> Jason Kratz                     >\n><U28037@uicvm.uic.edu\n>>All your points are very well taken and things that I haven\'t considered as\n>>I am not really familiar enough with handguns.\n>\n>That\'s not all that Kratz doesn\'t know.\n>\n>>Hell, a Glock is the last thing that should be switched to.  The only thing\n>>that I know about a Glock is the lack of a real safety on it.  Sure there is\n>>that little thing in the trigger but that isn\'t too great of a safety.\n>\n>Now we know that Kratz doesn\'t understand what a safety is supposed to\n>do.  (He also confuses "things he can see" with "things that exist";\n>Glocks have multiple safeties even though only one is visible from the\n>outside.)\n>\nExcuse me but I do know what I safety is supposed to do.  It\'s basic purpose -\nnot to let the gun fire until you\'re ready.  Christ, I\'ve known that since I\nhad my first Crosman air gun.  You don\'t know me so don\'t make assumptions\nabout what I know and don\'t know.  I do know that the Glock has multiple\nsafties from reports, looking at them at a gun shop, and friends who own one.\n\n>A safety is supposed to keep the gun from going off UNLESS that\'s\n>what the user wants.  With Glocks, one says "I want the gun to go\n>off" by pulling the trigger.  If the safeties it has make that work,\n>it has a "real" safety, no matter what Kratz thinks.\n>\n>-andy\n>--\nFrom the things I have read/heard Glocks are always knocked because of the\ntrigger safety.  They are supposedly harder to learn to use properly.  Every\narticle that I have read can\'t be wrong about the damn thing.  And don\'t ask\nme to quote my sources because I don\'t keep a ton of gun magazines and/or\nrec.guns articles laying around.  Boy, you can\'t make a simple statement on\nhere without someone getting right on your ass.  No wonder why there are so\nmany problems in the world.  Everyone takes everything just a little too\nseriously.  By the way,  I\'m not going to reply to any of this stuff anymore as\nsomeone made the good point that this discussion is getting too close to r.g\n(And yes I know that I had something to do with that).\n\nJason\n',
 "From: reidg@pacs.pha.pa.us ( Reid Goldsborough)\nSubject: New software for sale\nKeywords: software\nDistribution: na\nOrganization: Philadelphia Area Computer Society\nLines: 34\n\nThese programs all include complete printed manuals and\nregistration cards. I need to get rid of some excess.\nThey're the latest versions. I've priced these programs\nat less than half the list price and significantly less\nthan the cheapest mail-order price around.\n \n* MICROSOFT ENTERTAINMENT PACK VOLUME ONE, includes eight\ndifferent Windows-based games, including Tetris, Taipei,\nMinesweeper, TicTactics, Golf, Cruel, Pegged, and IdleWild,\nlist $49, sale $20.\n \n* JUST JOKING FOR WINDOWS 1.0, database of jokes from\nWordStar, can quickly find jokes for many different\noccasions, useful for business writers, speechwriters,\npresenters, and others, more than 2,800 jokes under 250\ntopics, can search by keyword and author, list $49, sale \n$25.\n \n* HUMOR PROCESSOR 2.02, DOS-based database of jokes,\nrequires only 384 KB of RAM, along with thousands of\ncategorized jokes you can quickly find also includes an\nonline tutorial for writing your own jokes with proven\ncomedy forumulas, list $99, sale $45.\n \n* HISTORY OF THE WORLD 1.0, multimedia CD-ROM covering cave\nsociety to the present, includes recordings of 25 famous\nspeeches from Churchhill, Gandi, and others, list $795, sale\n$160.\n \nIf you're interested in any of these programs, please phone me at\n215-885-7446 (Philadelphia) and I'll save the package for you.\n-- \nReid Goldsborough\nreidg@pacs.pha.pa.us\n",
 'From: mini@csd4.csd.uwm.edu (Padmini Srivathsa)\nSubject: WANTED : Info on Image Databases\nOrganization: Computing Services Division, University of Wisconsin - Milwaukee\nLines: 15\nDistribution: world\nNNTP-Posting-Host: 129.89.7.4\nOriginator: mini@csd4.csd.uwm.edu\n\n  Guess the subject says it all.\n  I would like references to any introductory material on Image\n  Databases.\n  Please send any pointers to mini@point.cs.uwm.edu\n\n  Thanx in advance!\n   \n\n\n\n-- \n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n-< MINI >-           mini@point.cs.uwm.edu | mini@csd4.csd.uwm.edu \n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n\n',
 'Subject: Snooper..any opinions\nFrom: Keith Whitehead <sir@office.acme.gen.nz>\nDistribution: world\nOrganization: Apple Source BBS\nX-Mailer: rnMac Buggy, I mean Beta, Test Version\nLines: 16\n\n\nHas anyone use Snooper or MacEKG or any other similar diagnostic \nsoftware.Any comparisons/reviews on these products would be very much \nappreciated.\n\nThanks in advance for your help\n\nCheers\n--\n\n\n==========================================================================\n:  Sir@office.acme.gen.nz                                                :\n:                                                                        :\n: Be thankfull that we dont get all the government we pay for!           :\n==========================================================================\n',
 'Organization: Penn State University\nFrom: <DXB132@psuvm.psu.edu>\nSubject: Re: IDE vs SCSI\nDistribution: world\nLines: 55\n\nIn article <1qmgtrINNf2a@dns1.NMSU.Edu>, bgrubb@dante.nmsu.edu (GRUBB) says:\n\n>DXB132@psuvm.psu.edu writes:\n>>In article <1qlbrlINN7rk@dns1.NMSU.Edu>, bgrubb@dante.nmsu.edu (GRUBB) says:\n>>>In PC Magazine April 27, 1993:29 "Although SCSI is twice as fasst as ESDI,\n>>>20% faster than IDE, and support up to 7 devices its acceptance ...has\n>>>long been stalled by incompatability problems and installation headaches."\n\n>>I love it when magazine writers make stupid statements like that re:\n>>performance. Where do they get those numbers? I\'ll list the actual\n>>performance ranges, which should convince anyone that such a\n>>statement is absurd:\n>>SCSI-I ranges from 0-5MB/s.\n>>SCSI-II ranges from 0-40MB/s.\n>>IDE ranges from 0-8.3MB/s.\n>>ESDI is always 1.25MB/s (although there are some non-standard versions)\n\n>By your OWN data the "Although SCSI is twice as fast as ESDI" is correct\n\n(How is 0-40 twice 1.25? Do you just pick whatever SCSI setup that makes\nthe statment "correct"?)\nEven if you could make such a statement it would be meaningless unless\nyou understood that ESDI and IDE (I include SCSI and ATA) are\ncompletely different (ESDI is device-level, like MFM/RLL).\n\n\n>With a SCSI-2 controller chip SCSI-1 can reach 10MB/s which is indeed\n>"20% faster than IDE" {120% of 8.3 is 9.96}. ALL these SCSI facts have been\n\nGreat, you can compare two numbers (ATA has several speed modes, by the\nway) but what the article said was misleading/wrong.\n\n>posted to this newsgroup in my Mac & IBM info sheet {available by FTP on\n>sumex-aim.stanford.edu (36.44.0.6) in the info-mac/report as\n>mac-ibm-compare[version #].txt (It should be 173 but 161 may still be there)}\n\nI would recommend people call the NCR board and download the ANSI specs\nif they are really interested in this stuff.\n\n\n>Part of this problem is both Mac and IBM PC are inconsiant about what SCSI\n>is which.  Though it is WELL documented that the Quadra has a SCSI-2 chip\n>an Apple salesperson said "it uses a fast SCSI-1 chip" {Not at a 6MB/s,\n>10MB/s burst it does not. SCSI-1 is 5MB/s maximum synchronous and Quadra\n>uses ANsynchronous SCSI which is SLOWER}  It seems that Mac and IBM see\n\nSomething is missing there. :) Anyway, I agree. There\'s a lot of\nopportunity for marketing jingo like "SCSI-2 compliant" which tells\nyou nothing about the performance, whether it has "WIDE" support, etc.\n\n>One reference for the Quadra\'s SCSI-2 controller chip is\n>(Digital Review, Oct 21, 1991 v8 n33 p8(1)).\n\nWhat does it use? Hopefully a good NCR chip (e.g. 53c710)\n\n',
 'From: dpage@ra.csc.ti.com (Doug Page)\nSubject: Re: Sr-71 in propoganda films?\nNntp-Posting-Host: ra\nOrganization: Texas Instruments\nDistribution: sci\nLines: 28\n\nIn article <1993Apr5.220610.1532@sequent.com>, bigfoot@sequent.com (Gregory Smith) writes:\n|> mccall@mksol.dseg.ti.com (fred j mccall 575-3539) writes:\n|> \n|> >In <1phv98$jbk@access.digex.net> prb@access.digex.com (Pat) writes:\n|> \n|> \n|> >>THe SR-71 stopped being a real secret by the mid 70\'s.\n|> >>I had a friend in high school who had a poster with it\'s picture.\n|> \n|> >It was known well before that.  I built a model of it sometime in the\n|> >mid 60\'s, billed as YF-12A/SR-71.  The model was based on YF-12A specs\n|> >and had a big radar in the nose and 8 AAMs in closed bays on the\n|> >underside of the fuselage.  The description, even then, read "speeds\n|> >in excess of Mach 3 at altitudes exceeding 80,000 feet."\n|> \n|> L.B.J. publically announced the existance of the Blackbird program\n|> in 1964.\n\n\nHe\'s also the one who dubbed it the SR-71 - it was the RS-71 until LBJ\nmippselled (sic) it.\n\nFWIW,\n\nDoug Page\n\n***  The opinions are mine (maybe), and don\'t necessarily represent those  ***\n***  of my employer.                                                       ***\n',
 'From: ab4z@Virginia.EDU ("Andi Beyer")\nSubject: Re: Israeli Terrorism\nOrganization: University of Virginia\nLines: 15\n\nWell i\'m not sure about the story nad it did seem biased. What\nI disagree with is your statement that the U.S. Media is out to\nruin Israels reputation. That is rediculous. The U.S. media is\nthe most pro-israeli media in the world. Having lived in Europe\nI realize that incidences such as the one described in the\nletter have occured. The U.S. media as a whole seem to try to\nignore them. The U.S. is subsidizing Israels existance and the\nEuropeans are not (at least not to the same degree). So I think\nthat might be a reason they report more clearly on the\natrocities.\n\tWhat is a shame is that in Austria, daily reports of\nthe inhuman acts commited by Israeli soldiers and the blessing\nreceived from the Government makes some of the Holocaust guilt\ngo away. After all, look how the Jews are treating other races\nwhen they got power. It is unfortunate.\n',
 'From: "Daniel U. Holbrook" <dh3q+@andrew.cmu.edu>\nSubject: Re: Did US drive on the left?\nOrganization: Carnegie Mellon, Pittsburgh, PA\nLines: 28\nDistribution: world\n\t<reilly-140493131545@rreilly.fnal.gov>\nNNTP-Posting-Host: po4.andrew.cmu.edu\nIn-Reply-To: <reilly-140493131545@rreilly.fnal.gov>\n\nRob Reilly:\n\n>whips and their tempers. Initially, all cars were built with the driver\'s\n>controls on the right because that\'s the way people drove buggies, so the\n\nThis is just not so - many of the earliest cars had their steering\ncontrols in the center of the vehicle, and there is no discernible\npattern of left- or right-hand steering controls until a few years into\nthe 20th century, when, in America at least, left-hand wheels became the\npattern. The mule team (or horses, I imagine) explanation, however,\nseems to have some merit.\n\nDan\ndh3q@andrew.cmu.edu\nCarnegie Mellon University\nApplied History\n\n"This coffee plunges into the stomach...the mind is aroused, and\nideas pour forth like the battalions of the Grand Army on the field\nof battle....  Memories charge at full gallop...the light cavalry\nof comparisons deploys itself magnificently; the artillery of logic\nhurry in with their train of ammunition; flashes of wit pop up like\nsharp-shooters." \n               Honore de Balzac, 30 cups/day.\n\n\n\n\n',
 "From: gak@wrs.com (Richard Stueven)\nSubject: Re: Octopus in Detroit?\nReply-To: gak@wrs.com\nOrganization: Wind River Systems, Inc.\nLines: 10\nNntp-Posting-Host: gakbox\n\nIt's in the FAQ.\n\nhave fun\ngak\n\n---\nRichard Stueven       AHA# 22584 |----------| He has erected a multitude of new\nInternet:            gak@wrs.com |----GO----| offices, and sent hither swarms\nATTMAIL: ...!attmail!gakhaus!gak |---SHARX--| of officers to harass our people,\nCow Palace:            107/H/3-4 |----------| and eat out their substance.\n",
 'From: starr@genie.slhs.udel.edu (Tim Starr)\nSubject: Re: Ban All Firearms !\nOrganization: UDel: School of Life & Health Sciences\nLines: 29\n\nIn article <16BAECE99.PA146008@utkvm1.utk.edu> PA146008@utkvm1.utk.edu (David Veal) writes:\n}In article <C5D4Hv.8Dp@undergrad.math.uwaterloo.ca>\n}papresco@undergrad.math.uwaterloo.ca (Paul Prescod) writes:\n}\n}>In article <92468@hydra.gatech.EDU> gt6511a@prism.gatech.EDU (COCHRANE,JAMES SHPLEIGH) writes:\n}>>\n}>2.If Guns were banned, and a bunch showed up in south florida, it\n}>would be 100x easier to trace and notice then a small ripple in the\n}>huge wave of the American gun-craze.\n}                  ^^^^^^^^^^^^^^^^^^\n}\n}       Do they teach courses in rude in Canada?\n\nThey don\'t have too.  Canadian culture is handed down largely from the United\nEmpire Loyalists who fled from the American Revolution.  Canuckleheads tend\nto have a "cratophilic," or government-loving attitude towards authority.\n\nPaul Prescod is right in line with this elitist bigotry and prejudice that\nall my Canadian friends hate in their fellow citizens.  His sort of snobbish\nCanuck have an irrational horror of American democratic "armed mobs."\n\nTim Starr - Renaissance Now!\n\nAssistant Editor: Freedom Network News, the newsletter of ISIL,\nThe International Society for Individual Liberty,\n1800 Market St., San Francisco, CA 94102\n(415) 864-0952; FAX: (415) 864-7506; 71034.2711@compuserve.com\n\nThink Universally, Act Selfishly - starr@genie.slhs.udel.edu\n',
 'From: al@qiclab.scn.rain.com (Alan Peterman)\nSubject: Photo "Stuff" Forsale\nArticle-I.D.: qiclab.1993Apr21.023937.8223\nDistribution: usa\nOrganization: SCN Research/Qic Laboratories of Tigard, Oregon.\nLines: 62\n\n\n \nTime to clear out some miscellaneous lenses, cameras and photo stuff\nthat\'s not being used.  Some are gems, some are mundane.\n \n \nMinolta AF 50/1.7 lens for Maxxum cameras.  New lens, but I guess it\'d\nbe best to call it a "demo" since I did not get the literature, box or\nwarranty cards.  $30.\n \nVivitar 2X converter for Nikon F or AI lenses.  Pretty cute "flip back"\ntang so it will work with all manual focus Nikon lenses - and bodies.\nIt will even couple (and double) a non-AI lens to an AI body.  $15.\n \nPentax 50/1.4 screwmount lens.  Well actually it\'s a Super-Takumar which\nis what they all were back then.  Very mint condition.  $25. Nice hard\ncase for this lens $5 more..\n \nAlpex 135/2.8 lens.  Beautifully made, all metal construction with fine\noptics.  Minolta mount.  $25.  Another hard case that fits this with\nstrap can be added..call it $7 more.\n \nVivitar 283 flash.  The one that made Vivitar famous (until the 285\neclipsed it).  Tilt head, removable sensor, variable auto exposure.\n$30.\n \nUniversal "Roamer 63" folding old "bellows" camera with leather case.\nUses 120 or 620 film, 100mm F6.3 lens.  Kinda cool articulated shutter\nrelease.  Decent shape.  $20.\n \nWeston 540 lightmeter.  Nothin super fancy, but it works well, and is a\ngood cross check to built in meters.  $7 with case and strap.\n \nAnd finally..the "gems"\n \nPentax Auto 110 camera with 24mm F2.8 lens.  This is the little\n(and I do mean TINY) SLR that Pentax made.  Has interchangeable lenses,\nbut try and find the 20-40 zoom, true through the lens viewing with\nsplit image focus, and completely auto exposure.  $70.\n \nOlympus 35RC rangefinder camera.  A really cute little camera with 42mm\nlens (F2.8) with built in manual or auto exposure, self timer etc.  I\nthink this was the predecessor to the XA - and it\'s nearly all metal.\nI won\'t mind holding onto this one if it doesn\'t sell.  $60.\n \nOlympus OM-1 with flash shoe, leatherette case, 50/1.4 Zuiko lens, and\nTokina SD (Super Dispersion) 70-210 lens.  These are all in very nice to\nmint condition, except for one little ding on the OM body near the film\nadvance lever.  Lenses are perfect, and the Tokina is a very compact,\nand sharp lens.  $225 for the set.\n \n \nThat\'ll do to clean out some of the stuff.  Feel free to offer on this\nstuff, although the cheaper stuff is priced to cover my hassle in\nshipping it..\n \nFor more details call or email.\n \n-- \nAlan L. Peterman                                 (503)-684-1984 hm & work\n                       al@qiclab.scn.rain.com\nIt\'s odd how as I get older, the days are longer, but the years are shorter!\n',
 'From: marc@math.uni-sb.de (Marc Conrad)\nSubject: Re: List of large integer arithmetic packages\nOrganization: Computational Linguistics Dept., U Saarbruecken\nLines: 530\nNNTP-Posting-Host: vieta.math.uni-sb.de\n\nmrr@scss3.cl.msu.edu (Mark Riordan) writes:\n\n[not very comprehensive list deleted]\n\nThere is a very comprehensive list in sci.math.symbolic, \nwhich detailed descriptions of many packages. \n(Especially you, Mark, should update your list :-) )\nHere it is: \n\n\n\t\t\tAvailable    Systems\n\nThis is the  list of  currently  developed  and   distributed  software  for \nsymbolic math applications. No informations is supplied on systems no longer \nbeing supported like: SAINT, FORMAC, ALPAK, ALTRAN, MATHLAB, SIN, SAC, CAMAL, \nScratchPad, MuMath, SHEEP, TRIGMAN, ANALITIK, SMP or CCALC.\n\nFor more detailed info on any of the systems below,  look into the directory\npub/Symbolic_Math in the anonymous FTP of "math.berkeley.edu". No particular \nrecommendation is made for any of these.      If you want prices contact the \ncompany. Programs are listed by (aprox.) the reverse order of the number  of \nmachines they run on, in each class, general purpose systems first.\n\nIf you have any information to add to this list (we know we are missing\nMuPAD & FELIX) please send it to :\n\n\t\t\tca@math.berkeley.edu\nPaulo Ney de Souza\nDepartment of Mathematics\nUniversity of California\nBerkeley CA 94720 \t\t\t\tdesouza@math.berkeley.edu\n\nGENERAL PURPOSE\n===============\n \nMaple:: \n\tType:      commercial\n\tMachines:  Most impressive list of machines I seen for a program:\n                   workstations (DEC, HP, IBM, MIPS, Sun, SGI, Apollo), \n                   386 PC\'s, Mac, Amiga, Atari, AT&T 3B2, Gould, Convex,\n                   NCR, Pyramid, Sequent, Unisys and Cray\'s.\n\tContact:   maple@daisy.waterloo.edu\n\t\t   Waterloo Maple Software, 160 Columbia Street West,\n        \t   Waterloo, Ontario, Canada     N2L 3L3\n        \t   Phone: (519) 747-2373\n\tVersion:   5 Release 1\n\tComments:  General purpose , source available for most routines ,\n\t\t   graphics support in 5.0. A demo of the program for PC-DOS\n\t\t   can be obtained from anonymous FTP at\n\t\t   wuarchive.wustl.edu:/edu/math/msdos/modern.algebra/maplev.zip\n\nMathematica::\n\tType: \t   commercial\n\tMachines:  Cray YMP down to Mac\'s and PC\'s\n\tContact:   info@wri.com, Phone: 1-800-441-MATH\n\t\t   Wolfram Research, Inc.\n \t           100 Trade Center Drive, Champaign IL 61820-7237\n\tVersion:   2.1\n\tComments:  General purpose, Notebook interface on Next, Mac, \n\t           nice graphics. \n\nMacsyma:: \n   \tType:      commercial\n    \tMachines:  Sun-3, Sun-4 (SPARC), VAX (UNIX and VMS), Apollo, \n\t\t   HP 9000, DEC RISC, PC386/DOS, Symbolics computers, \n\t\t   368/387 and 486 (no SX\'s) PC\'s.\n    \tContact:   macsyma-service@macsyma.com, Phone: 800-MACSYMA\n\t\t   Macsyma Inc,  20 Academy St., Arlington MA 02174-6436\n    \tVersion:   depends on machine: 417.100 is the latest (for Sun-4, HP, \n\t\t   and DEC RISC), 417.125 for PC\'s\n   \tComments:  General purpose, many diverse capabilities, one of the \n\t\t   oldest around. Includes propietary improvements from \n\t\t   Symbolics and Macsyma Inc. Descendant of MIT\'s Macsyma.\n\nDOE-Macsyma:\n\tType:      distribution fee only\n\tMachines:  GigaMos, Symbolics, and TI Explorer Lisp machines.  The NIL \n                   version runs on Vaxes using the VMS system.  The public \n                   domain Franz Lisp version, runs on Unix machines, including \n                   Suns and Vaxes using Unix.\n\tContact:   ESTSC - Energy Science & Technology Software Center \n\t\t   P. O. Box 1020 Oak Ridge TN 37831-1020\n\t\t   Phone: (615) 576-2606\n\tComments:  Help with DOE-Macsyma, general and help with issues such as\n\t           obtaining support, new versions, etc: lph@paradigm.com\n                   Leon Harten from Paradigm Assoc. Paradigm Associates, Inc. \n                   29 Putnam Avenue, Suite 6 Cambridge, MA 02139 (617) 492-6079.\n\nMaxima::\n\tType:\t   Licence for a fee. Get licence from ESTC before download.\n\tMachines:  Unix workstations (Sun, MIPS, HP, PC\'s) and PC-DOS (beta).\n        Contact:   wfs@rascal.utexas.edu (Bill Schelter)\n\tVersion:   4.155\n\tComments:  General purpose -  MIT Macsyma family. Common Lisp \n                   implementation by William F. Schelter, based on Kyoto\n\t\t   Common Lisp. Modified version of DOE-Macsyma available\n\t\t   to ESTSC (DOE) sites. Get the licence from ESTSC (phone:\n\t\t   615-576-2606) and then dowload the software from \n\t\t   DOS: math.utexas.edu:pub/beta-max.zip   or\n\t\t   UNIX: rascal.ics.utexas.edu:pub/maxima-4-155.tar.Z\n\t\t   Currently their charge for 1 machine license is $165 to\n\t\t   universities. Site licenses are also available.\n\nAljabr::\n\tType:      commercial\n\tMachines:  Mac\'s with 4Meg of RAM. \n\tContact:   aljabr@fpr.com,  Phone: (508) 263-9692, Fort Pond Research.\n                   15 Fort Pond Road, Acton MA  01720 US\n\tVersion:   1.0\n\tComments:  MIT Macsyma family descendant, uses Franz LISP.\n\nParamacs::\n\tType:      commercial \n\tMachines:  VAX-VMS, Sun-3, Sun-4, (SGI and Mac\'s on the works)\n\tContact:   lph@paradigm.com\n\tVersion:   ???\n\tComments:  ???\n\nVaxima::\n\tType:\t   distribution fee only\n\tMachines:  VAX-Unix\n        Contact:   ESTSC (see DOE-Macsyma above)\n\tVersion:   ???\n\tComments:  General purpose -  MIT Macsyma family descendant.\n\t\t   Includes source and binaries with assembler for Macsyma \n\t\t   and Franz Lisp Opus 38\n\nReduce::\n\tType:      commercial\n\tMachines:  All Unix workstations, a variety of mainframes, \n \t           MS-DOS/386/4Mbyte and Atari ST. \n\tContact:   reduce-netlib@rand.org\n\tVersion:   3.34 \n\tComments:  General purpose \n\nFORM::\n\tType:      Public domain verison 1 , Version 2 commercial\n\tMachines:  Msdos, AtariSt , Mac, Sun3, Sun4/sparc, Apollo, NeXT,\n \t\t   VAX/VMS, VAX/Ultrix , DECStation , and others\n\tContact:   t68@nikhef.nl (Jos Vermaseren)\n\t\t   Binary versions of version 1 are available\n \t\t   by anonymous ftp from nikhef.nikhef.nl (192.16.199.1)\n\tVersion:   1 and 2.\n\tComments:  General purpose , designed for BIG problems , batch-like\n \t\t   interface \n\nAxiom::\n\tType:      commercial\n\tMachines:  IBM RS 6000\'s and other IBM plataforms\n\tContact:   ryan@nag.com,  Phone: (708) 971-2337 FAX: (708) 971-2706\n                   NAG - Numerical Algorithms Group, Inc\n\t\t   1400 Opus Place, Suite 200, Downers Grove, Il 60515-5702\n\tVersion:   ???\n\tComments:  General purpose.\n\nSIMATH::\n\tType:      anonymous ftp \n\tMachines:  Suns, Apollo DN and Siemens workstations.\n\tContact:   simath@math.uni-sb.de\n\tVersion:   3.5\n\tComments:  General purpose\n\nDerive::\n\tType:      commercial \n\tMachines:  Runs on PC\'s and HP 95\'s.\n\tContact:   808-734-5801 \n \t\t   Soft Warehouse Inc. 3615 Harding Ave, Suite 505\n                   Honolulu, Hawaii 96816-3735\n        Version:   2.01\n\tComments:  Said to be very robust, gets problems that other larger\n \t\t   programs fail on. Low cost. \n\nTheorist::\n\tType:      commercial\n\tMachines:  Mac\'s\n        Contact:   prescien@well.sf.ca.us, phone:(415)543-2252 fax:(415)882-0530\n\t\t   Prescience Corp, 939 Howard St #333, San Francisco, CA 94103\n\tVersion:   1.11\n\tComments:  General purpose , Graphics , If you like the mac interface\n \t\t   you\'ll love this , fixed precision ( 19 digits ), runs on\n \t\t   smaller mac\'s than MMA.\n\nMAS::\n\tType:      Anonymous FTP\n\tMachines:  Atari ST (TDI and SPC Modula-2 compilers), IBM PC/AT \n\t\t   (M2SDS and Topspeed Modula-2 compilers) and Commodore \n\t\t   Amiga (M2AMIGA compiler).  \n\tContact:   H. Kredel. Computer Algebra Group\n\t\t   University of Passau, Germany\n        Version:   0.60\n\tComments:  MAS is an experimental computer algebra system combining \n\t\t   imperative programming facilities with algebraic \n\t\t   specification capabilities for design and study of algebraic\n\t\t   algorithms. MAS is available via anonymous ftp from: \n    \t\t   alice.fmi.uni-passau.de = 123.231.10.1 \n\nMockMma::\n\tType:      anonymous FTP from peoplesparc.berkeley.edu\n\tMachines:  Anywhere running Common LISP.\n\tContact:   fateman@cs.berkeley.edu\n        Version:   ???????\n\tComments:  It does Matematica (or I mispelled that!).\n\nWeyl::\n\tType:      anonymous FTP from ftp.cs.cornell.edu /pub/Weyl\n\tContact:   rz@cs.cornell.edu\n        Version:   4.240\n\tComments:  Intended to be incorporated in larger, more specialized\n\t\t   systems.\n\nFLAC::\n\tType:      ???\n\tMachines:  IBM PC\'s (DOS)\n\tContact:   Victor L. Kistlerov, Institute for Control Sciences, \n\t\t   Profsoyuznaya 65, Moscow, USSR\n\tVersion:   ???\n\tComments:  Functional language\n\n\nGROUP THEORY\n============\n\nCayley::\n\tType:      Cost recovery\n\tMachines:  SUN 3, SUN 4, IBM AIX and VM machines, Apollo, DEC\n\t           VAX/VMS, Mac running A/UX 2.01 or higher and Convex.\n\tContact:   cayley@maths.su.oz.au \n\t\t   Phone: (61) (02) 692 3338, Fax: (61) (02) 692 4534\n\t\t   Computational Algebra Group\n                   University of Sydney\n                   NSW 2006 Australia\n\tVersion:   3.8.3\n\tComments:  Designed for fast computation with algebraic and\n \t\t   combinatorial structures such as groups, rings,\n \t\t   fields, modules and graphs. Although it began as a\n \t\t   group theory system it has recently evolved into a\n \t\t   general (abstract) algebra system.\n\nGAP::\n\tType:      anonymous ftp (free, but not PD; basically GNU copyleft)\n\tMachines:  All Unix workstations, ATARI ST, IBM PC and MAC \n        Contact:   gap@samson.math.rwth-aachen.de\n\tFTP site:  samson.math.rwth-aachen.de (137.226.152.6) & math.ucla.edu\n\tVersion:   3.1 (3.2 to be released Dec 92)\n\tComments:  group theory calculations.\n\n\nALGEBRA & NUMBER THEORY\n=======================\n\nPARI::\n\tType:      anonymous ftp  \n\tMachines:  Most workstations, Mac and NeXT\n\tContact:   pari@mizar.greco-prog.fr\n                   anonymous ftp to math.ucla.edu (128.97.64.16)\n\t           in the directory /pub/pari\n\tVersion:   1.35\n\tComments:  Number theoretical computations, source available, key \n\t\t   routines are in assembler, ascii and Xwindows graphics. \n\t\t   PC-DOS version available from anonymous FTP at \n\t\t   wuarchive.wustl.edu:/edu/math/msdos/modern.algebra/pari386\n\nMacaulay::\n\tType:      anonymous ftp\n\tMachines:  Complete source available, Binary Mac versions available\n\tContact:   anonymous ftp to zariski.harvard.edu (128.103.1.107)\n\tVersion:   ???\n\tComments:  focused on Algebra type computations ( polynomial rings\n \t\t   over finite fields ), things like that.\n\nKant::\n\tType:      ???\n\tMachines:  ???\n\tContact:   KANT Group\n\t\t   Prof. Dr. M. E. Pohst / Dr. Johannes Graf v. Schmettow \n\t\t   Mathematisches Institut, Heinrich-Heine-Universit\\\\"at \n\t\t   Universit\\\\"atsstr. 1, D-4000 D\\\\"usseldorf 1 \n\t\t   pohst@dd0rud81.bitnet or schmetto@dd0rud81.bitnet\n        Version:   1 & 2\n\tComments:  Kant (Computational  Algebraic  Number  Theory) is \n\t\t   subroutine  package for algorithms  from geometry of \n\t\t   numbers and  algebraic number theory. There are  two \n\t\t   versions of  Kant:  Kant  V1 is written  in Ansi-Fortran 77,\n\t\t   while Kant V2 is built on the Cayley Platform and written in \n\t\t   Ansi-C.\n\nLiE::\n\tType:      commercial \n\tMachines:  Unix workstations (SUN, DEC, SGI, IBM), NeXT, PC\'s,\n                   Atari and Mac\'s.\n\tContact:   lie@can.nl, Phone: +31 20 592-6050,  FAX: +31 20 592-4199\n                   CAN Expertise Centre, Kruislaan 413, \n                   1098 SJ Amsterdam, The Netherlands\n\tVersion:   2\n\tComments:  Lie group computations\n\nUBASIC::\n\tType:\t   anonymous FTP (ubas830.zip)\n\tMachines:  Mac and IBM PC\'s\n\tContact:   malm@argo.acs.oakland.edu, Phone: (313) 370-3425\n\t \t   Donald E. G. Malm, Department of Mathematical Sciences\n                   Oakland University, Rochester, MI 48309-4401\n\tVersion:   8.30\n\tComments:  BASIC-like environment for number theory. In the collection\n\t\t   of programs written for it one can find: \n\t\t   MALM (Collection of UBASIC Number Theory Programs (malm.zip)\n\t\t   by Donald E. G. Malm (and copyrighted by him), including: \n\t\t   Baillie-Wagstaff Lucas pseudoprime test, Algorithm for \n  \t\t   Chinese remaindering, Elliptic curve method to factorize n, \n\t\t   Fermat\'s method of factoring, General periodic continued \n\t\t   fraction to quadratic routine, Evaluates Carmichael\'s \n\t\t   function & D. H. Lehmer\'s method of solving x^2 = q (mod p).\n\t\t   UBMPQS (Prime factorization program for numbers over 80 \n\t\t   digits (ubmpqs32.zip)), that can be found in the WURST \n\t\t   Archives (wuarchive.wustl.edu).\n\nNumbers::\n\tType:      Free but not Public Domain, registration required.\n\tMachines:  PC-DOS\n\tContact:   Ivo Dntsch                   Phone:    (++49) 541-969 2346\n\t           Rechenzentrum                 Fax:     (++49) 541-969 2470\n          \t   Universitt Osnabrck         Bitnet:   duentsch@dosuni1\n          \t   Postfach 4469\n          \t   W 4500 Osnabrck GERMANY\n        Version:   202c\n\tComments:  Numbers is a calculator for number theory. It performs \n\t   \t   various routines in elementary number theory, some of  \n\t\t   which are also usable in algebra or combinatorics.\n\t  \t   Available in the anonymous FTP in ftp.rz.Uni-Osnabrueck.de  \n\t\t   in the directory /pub/msdos/math\n\nCoCoA::\n\tType:      ???\n\tMachines:  Mac\'s\n\tContact:   cocoa@igecuniv.bitnet\n\tVersion:   ???\n\tComments:  Computations in commutative algebra\n\nGalois::\n\tType:      Commercial\n\tMachines:  IBM-PC DOS\n\tContact:   CIFEG Inc., Kalkgruberweg 26, A-4040 Linz, Austria\n        Version:   ???\n\tComments:  Algebra and number theory microcomputer  written by\n   \t\t   R. Lidl, R. W. Matthews, and R. Wells from the U. Tasmania \n\t\t   in Turbo Pascal v3.0.\n\nGANITH::\n\tType:      Anonymous FTP\n\tMachines:  Any system with vanilla Common Lisp, X 11, and has at least \n\t\t   a rudimentary Lisp/C interface.\n\tContact:   Chanderjit Bajaj & Andrew Royappa \n                   Department of Computer Science, Purdue University\n                   West Lafayette, IN 47907\n\t\t   (bajaj and royappa@cs.purdue.edu)\n        Version:   \n\tComments:  GANITH is an algebraic geometry toolkit, for computing \n\t\t   and visualising solutions to systems of algebraic equations.\n                   It is written in Common Lisp and C, and runs under version\n  \t\t   11 of the X window system.\n  \t\t   GANITH is available from the anonymous FTP at \n\t\t   cs.purdue.edu in the file /pub/avr/ganith-src.tar.Z\n\n\nTENSOR ANALYSIS\n===============\n\nSchoonShip::\n\tType:      ???\n\tMachines:  ???\n\tContact:   mentioned in  Comp.Phys. Comm. 8, 1 (1974).\n\tVersion:   ???\n\tComments:  I have heard this program mentioned , supposely it\'s designed\n \t\t   for large problems (i.e. thousands of terms in series \n \t\t   expansions ). Developed at CERN for CDC7600 ? \n\nSTENSOR::\n\tType:\t   ????\n\tMachines:  VAX, SUN, Apollos, Orion, Atari & Amiga\n\tContact:   lh@vand.physto.se, \n\t\t   Lars Hornfeldt, Physics Department, University of Stockholm\n                   Vanadisv.9, S-113 46, Stockholm, Sweden\n        Version:   ????\n\tComments:  System for tensor calculus and noncommutative algebra\n\n\nLISP CALCULATORS\n================\n\nJACAL:: \n\tType:      Gnu CopyLeft\n\tMachines:  Needs a Lisp (either Common or Scheme) \n\tContact:   Available by anon ftp to altdorf.ai.mit.edu [18.43.0.246]\n\tVersion:   ???\n\tComments:  An IBM PC version on floppy for $50 is available from \n \t\t   Aubrey Jaffer, 84 Pleasant St. Wakefield MA 01880, USA.\n\nGNU-calc::\n\tType:      GNU copyleft\n\tMachines:  Where Emacs runs.\n\tContact:   Free Software Foundation\n        Version:   ???\n\tComments:  It runs inside GNU Emacs and is written entirely in Emacs\n\t\t   Lisp. It does the usual things: arbitrary precision integer,\n\t\t   real, and complex arithmetic (all written in Lisp), \n\t\t   scientific functions, symbolic algebra and calculus, \n\t\t   matrices, graphics, etc. and can display expressions with \n\t\t   square root signs and integrals by drawing them on the \n\t\t   screen with ascii characters. It comes with well written \n\t\t   600 page online manual. You can FTP it from any GNU site.\n\n\nDIFFERENTIAL EQUATIONS\n======================\n\nDELiA::\n\tType:      Informal distribution\n\tMachines:  IBM PC\'s (DOS)\n\tContact:   A. V. Bocharov, Program Systems Institute, \n\t\t   USSR Academy of Science, Pereslavl, \n                   P.O. Box 11, 152140 USSR, Tlx: 412531 BOAT\n\tVersion:   ????\n\tComments:  Differetial equation computations\n\n\nPC SHAREWARE\n============\n\nSymbMath::\n\tType:      shareware, student and advanced versions.\n\tMachines:  IBM PC\n\tContact:   chen@deakin.OZ.AU\n\tVersion:   2.1.1\n\tComments:  Runs on plain (640k) DOS machines. The shareware version\n\t\t   is available in the file sm211a.zip on the Wurst Archives.\n\t\t   More capable versions are available by mail-order from the \n\t           author.  \n\nCLA::\n\tType:      anonymous FTP\n\tMachines:  PC-DOS\n\tContact:   ????\n        Version:   2.0\n\tComments:  A linear or matrix algebra package which computes\n\t\t   rank, determinant, rwo-reduced echelon form, Jordan \n\t\t   canonical form, characteristic equation, eigenvalues, \n\t \t   etc. of a matrix. File cla20.zip on the Wurst Archives.\n\nXPL::\n\tType:      anonymous FTP\n\tMachines:  PC-DOS\n\tContact:   David Meredith, Department of Mathematics\n                   San Francisco State University\n                   San Francisco, CA 94132\n                   meredith@sfsuvax1.sfsu.edu\n        Version:   4.0\n\tComments:  Formerly called CCALC. Well-integrated graphics and some\n\t\t   (numerical) matrix manipulation routines. Intended for \n\t\t   calculus students. Prentice Hall sells this with a book \n\t\t   (ISBN 0-13-117441-X--or by calling 201-767-5937), but it \n\t\t   is also available (without the manual but with a \n\t\t   comprehensive help system) by anonymous FTP from \n\t\t   wuarchive.wustl.edu: /edu/math/msdos/calculus/cc4-9206.zip.\n\nAMP::\n\tType:      Commercial, evaluation copy available by anonymous FTP\n\tMachines:  PC-DOS\n\tContact:   Mark Garber (71571,2006@compuserve.com) Ph: (404) 452-1129\n     \t\t   Cerebral Software, PO Box 80332, Chamblee, GA 30366\n        Version:   3.0\n\tComments:  The Algebraic Manipulation Program (AMP) is written in \n\t\t   Modula-2 and is a symbolic calculation tool. AMP functions \n\t\t   in an interpreter mode and program mode. It  has tensor \n\t\t   manipulation using index notation.  The evaluation copy is\n\t\t   available in the anonymous FTP at:\n\t\t   ftp.rz.Uni-Osnabrueck.de:pub/msdos/math/amp30.zip\n\nMercury::\n\tType:      Shareware\n\tMachines:  PC-DOS\n\tContact:   ???\n        Version:   2.06\n\tComments:  Limited in symbolic capabilities, but is extremely adept \n\t\t   at numerically solving equations and produces publication\n\t\t   quality graphical output. This used to be Borland\'s Eureka!, \n\t\t   but when Borland abandoned it, its original author started \n\t\t   selling it as shareware under the name Mercury. Available\n\t\t   from anonymous FTP at \n\t\t   wuarchive.wustl.edu:/edu/math/msdos/calculus/mrcry206.zip\n\nPFSA::\n\tType:      Public Domain\n\tMachines:  PC-DOS\n\tContact:   ???\n        Version:   5.46\n\tComments:  Available from the anonymous FTP at \n\t\t   wuarchive.wustl.edu:/edu/math/msdos/modern.algebra/vol546.zip\n\nLIE::\n\tType:      Public Domain\n\tMachines:  PC-DOS\n\tContact:   HEAD@RIVETT.MST.CSIRO.AU (A. K. Head)\n\t\t   CSIRO Division of Materials Science and Technology\n\t\t   Melbourne Australia   or\n\t\t   Locked Bag 33, Clayton, Vic 3168, Australia\n\t\t   Phone: (03) 542 2861 Telex: AA 32945 Fax: (03) 544 1128\n        Version:   3.3\n\tComments:  LIE is a program written in the MuMath language (not a \n\t\t   package) for Lie analysis of differential equations. \n\t\t   Available from anonymous FTP at \n\t\t   wuarchive.wustl.edu: /edu/math/msdos/adv.diff.equations/lie33\n\nCalculus::\n\tType:      Shareware\n\tMachines:  PC-DOS with EGA\n\tContact:   Byoung Keum, Dept. of Mathematics\n\t\t   University of IL.  Urbana, IL 61801.\n        Version:   9.0\n\tComments:  Program for Calculus and Differential Equations. It has\n     \t\t   symbolic diff. & integration (simple functions), graphs.\n\t\t   Very unstable program - no reason to use it, except for\n\t\t   price (suggested registration fee is $ 30.00).\n\t\t   Available from anonymous FTP at \n\t\t   wuarchive.wustl.edu: /edu/math/msdos/calculus/calc.arc \n\n--\n     \\\\   /                     | Marc Conrad, Universitaet des Saarlandes \n      \\\\ Luxemburg              | marc@math.uni-sb.de   \nFrance \\\\|   Germany            | these opinions are not necessarily these   \n        \\\\x <---- you are here! | of the SIMATH-group (and maybe even not mine).\n',
 'From: davide@dcs.qmw.ac.uk (Dave Edmondson)\nSubject: Re: Why are there no turbocharged motorbikes in North America?\nOrganization: Computer Science Dept, QMW, University of London\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 17\n\n\n: In article <7APR93.20040687@skyfox> howp@skyfox writes:\n\n: >I just got to thinking:  why don\'t manufacturers still make bikes with \nturbos?\n: > etc ....\n\nBecause they add a lot of expense and complexity and make for a less reliable \nand less controllable bike. \n\nAs an extreme example the CX500 Turbo cost as much as a Mike Hailwood Replica \nDucati.\n\n--\nDavid Edmondson                 davide@dcs.qmw.ac.uk\nQueen Mary & Westfield College  DoD#0777 Guzzi Le Mans 1000\n"This means the end of the horse-drawn Zeppelin."\n',
 'From: aj008@cleveland.Freenet.Edu (Aaron M. Barnes)\nSubject: Keyboards, Drives, Radios for sale!\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 24\nNNTP-Posting-Host: slc4.ins.cwru.edu\n\n\nHello.\n\nI have these items for sale.\n\nTerms are UPS COD or prepayment by money order.\n\n2 101 keyboards for IBM compatibles\n\n1 Mitsumi 1.2 MB 5 1/4 floppy disk drive\n\n1 Sony SRF-M30 digital AM/FM Stereo Walkman\n\nThe drive cost me $65, the keyboards were $40 each, and the Sony \nradio cost $45.\n\nI will sell for the best offers.\n\nThank You.\n-- \n       / /     Buchanan in `96!\n      / /      Fear the goverment that fears your guns.\n  \\\\ \\\\/ /       Without the 2nd amendment, we cannot guarantee ou\n   \\\\/ /        r freedoms.           aj008@cleveland.freenet.edu\n',
 "From: purinton@toyon-next.Stanford.EDU (Joshua Jordan Purinton)\nSubject: Re: The [secret] source of that announcement\nOrganization: Stanford University\nLines: 22\n\nIn article <1r3hgqINNdaa@uwm.edu> Rick Miller <rick@ee.uwm.edu> writes:\n>jbotz@mtholyoke.edu (Jurgen Botz) writes:\n>>marc@mit.edu (Marc Horowitz N1NZU) writes:\n\n\n>>Seems like sombody didn't like your snooping around, Marc.\n>\n>Or, the more *likely* explanation is that Marc is spoofing.\n>                                          ^^^^^^^^^^^^^^^^\n>I sincerely doubt that Denning and crew are keen enough to react that\n>quickly, and I doubt they'd want to cripple their SMTP server t'boot.\n>\n\nMarc is not spoofing.  Try it yourself.  At least, the commands work\nexactly as he described (i.e. they do not work.)\n\n- Josh.\n\n\n-- \nNo pattern, content or thing is the being who looks out from each pair of eyes.\nAnd only that is important.  - E. T. Gendlin\n",
 'From: irwin@cmptrc.lonestar.org (Irwin Arnstein)\nSubject: Re: BMWMOA Controversy\nDistribution: usa\nOrganization: CompuTrac Inc., Richardson TX\nKeywords: BMWMOA Board, history of contretemps\nLines: 24\n\nIn article <1993Apr15.163043.12770@pb2esac.uucp> prahren@pb2esac.uucp (Peter Ahrens) writes:\n>In article <1095@rider.UUCP> joe@rider.cactus.org writes:\n>>>vech@Ra.MsState.Edu (Craig A. Vechorik) writes:\n>>>...good ol boys that have been there too long. \n>>\n>> [...] while I agree with you that the current\n>>board is garbage, voting you in would simply be trading one form of trash \n>>for another...do the opponents of your selections get equal time...? \n>\n>Yo\' Joe, why don\'t you post what you really think?\n>\n>If there are any rational BMWMOA folks left out there, may the rest of\n>us please have a brief summary of the current state of affairs in your\n>esteemed organization, together with an historical outline of how you\n>got to the above contretemps?\n>\n\nNow you know why I am just a DOD member.  I like bikes and clubs but\nthe politics and other b*llsh*t is a real turn-off.\n-- \n-----------------------------------------------------------------------\n"Tuba" (Irwin)      "I honk therefore I am"     CompuTrac-Richardson,Tx\nirwin@cmptrc.lonestar.org    DoD #0826          (R75/6)\n-----------------------------------------------------------------------\n',
 'From: ibh@dde.dk (Ib Hojme)\nSubject: SCSI on dos\nKeywords: SCSI, DOS, streamer\nOrganization: Dansk Data Elektronik A/S\nLines: 23\n\nHello netters,\n\n\tI have a question concerning SCSI on DOS.\n\n\tI have a ST01 SCSI controller and two hard-disks conected\n\t(id\'s 0 and 1). I\'d like to connect a SCSI streamer, but I\n\tdon\'t have software to access it. Does such a beast exist\n\tas shareware or PD ?\n\t\n\tAlso what if I want a third disk ? I know that DOs only can\n\t"see" two two physical and four logical disks. Will it be\n\tpossible to use extra disks ?\n\n\tThanks in advance.\n\n\tIb\n\n|               | Ib Hojme\n|    |   |      | Euromax\n|  __| __| __   | Dansk Data Elektronik A/S, Vejle branch, Denmark\n| /  |/  |/__>  | Telephone: Int +45 75 72 26 00\n| \\\\__/\\\\__/\\\\__   | Fax:       Int +45 75 72 27 76\n|               | E-mail:    ibh@dde.dk\n',
 "From: hagberg@violet.ccit.arizona.edu (HAGBERG JR, D. J.)\nSubject: Clipper and Ranting Libertarians\nKeywords: clipper clinton rant rave libertarians\nDistribution: usa,local\nOrganization: University of Arizona\nLines: 26\nNntp-Posting-Host: violet.ccit.arizona.edu\nNews-Software: VAX/VMS VNEWS 1.41\n\nI would think that you could reduce the defense of using non-clipper\nbased encryption technologies to defending freedom of expression \n(IE, free speech).  That you have to right to express whatever you\nwant in whatever form your little heart desires so long as you do\nnot impinge on the rights of others.\n\nEncrypted text/sound/video is just another form of expression of that\nparticular text/sound/video.  Just like digitized sound is another \nmeans of expression of sound -- streams of 100100101111 instead of\ncontinuous waveforms.\n\nAlso, it shouldn't be up to the government at all.  Encryption \n_Standards_ can be decided upon by Independent Standards Orgainizations\n(apologies for the acronym).  One can note how well this has worked\nwith ISO and the Metric System, SAE, etc.  Independent entities \nor consortia of people/industries in that particular area are far\nmore qualified to set standards than any One government agency.\nConsider for example what the Ascii character set would have looked\nlike if it was decided by the government.\n\nI hope this helps folks to formulate their defenses.  I'm still working\non mine and hope to be faxing my congressmen soon...\n\n\t\t\t-=- D. J. Hagberg\n\t\t\t-=- hagberg@ccit.arizona.edu\n\t\t\t-=- finger ^ for Info and PGP Public Key\n",
 "From: Wilson Swee <ws8n+@andrew.cmu.edu>\nSubject: compiling on sun4_411\nOrganization: Junior, Math/Computer Science, Carnegie Mellon, Pittsburgh, PA\nLines: 22\nNNTP-Posting-Host: po5.andrew.cmu.edu\n\nHi,\n    I have a piece of X code that compiles fine on pmax-ul4, pmax_mach, as\nwell as sun4_mach, but whenever it compiles on sun4_411, it gives me \nundefined ld errors:\n_sin\n_cos\n_pow\n_floor\n_get_wmShellWidgetClass\n_get_applicationShellWidgetClass\n\nThe following libraries that I linked it to are:\n-lXaw -lXmu -lXt -lXext -lX11\n\nThe makefile is generated off an imake template.\nCan anyone give me pointers as to what I'm missing out to compile on\na sun4_411?\n\nThanx\nWilson\n\n\n",
 "From: golchowy@alchemy.chem.utoronto.ca (Gerald Olchowy)\nSubject: Re: Wings take game one\nKeywords: The Detroit Red Wings - 6 ; The Toronto Maple Leafs - 3\nOrganization: University of Toronto Chemistry Department\nLines: 28\n\nIn article <1993Apr20.032350.18885@ramsey.cs.laurentian.ca> maynard@ramsey.cs.laurentian.ca (Roger Maynard) writes:\n>In <1qvos8$r78@msuinfo.cl.msu.edu> vergolin@euler.lbs.msu.edu (David Vergolini) writes:\n>\n>>  The Detroit Red Wings put a lot of doubter on ice tonight with a 6 - 3\n>>washing of the Toronto Maple Leafs.  All you Toronto fans have now seen the\n>>power of the mighty Red Wing offense.  Toronto's defense in no match for the\n>>Wing offense.  As for the defense, Probert, Kennedey and Primeau came out\n>\n>Did they move Probert back to defense?  Why did I see him parking his ass\n>in front of Potvin all night?  Somebody is going to have to discipline\n>Probert if the Leafs want to win the series.  Perhaps a fresh Clark should\n>hit the ice at the end of a long Probert shift and straigten him out for\n>a while...\n>\n\nDuring the regular season, when the intensity is down, not many teams\nhave forwards who will continually go and park themselves in front of\nthe opposing teams net...and the inadequacy of the Leafs defense in\nthis regard thus didn't matter...however, the playoffs are a different\nstory...every good team is going to have players who are going to\nbecome potted plants in front of Potvin...and the Leafs relatively\nunphysical defensive core will finally be exposed as weak an inept.\n\nHard work will go a long way during the regular season...almost\nto 100 points...and the Leafs deserve credit for that...but in the \nplayoffs talent matters, because everyone begins working hard.\n\nGerald\n",
 "From: jk@tools.de (Juergen Keil)\nSubject: Re: Sun CD-ROM on PCs???\nOrganization: TooLs GmbH, Bonn, Germany\nLines: 15\n\t<JK.93Apr14173040@leo.tools.de>\n\t<1993Apr14.195220.21701@nb.rockwell.com>\n\t<1993Apr15.040231.17561@c3p0.novell.de>\nNNTP-Posting-Host: leo.tools.de\nIn-reply-to: pbartok@c3p0.novell.de's message of Thu, 15 Apr 1993 04:02:31 GMT\n\nIn article <1993Apr15.040231.17561@c3p0.novell.de> pbartok@c3p0.novell.de (Peter D. Bartok) writes:\n\n>>  Great! But don't let your effort and talent be un-noticed.\n>>  Put the program on the net, upload it to some anonymous ftp\n>>  sites. So people (at least me) can have it and appreciate it.\n>\n>   Please put it into ftp.novell.de (193.97.1.1) pub/incoming/pc\n\nOK, the small programme that can be used to switch a SunCD drive into\n2048 bytes/block mode for use with MSDOS/Adaptec/APSI it now available\nby 'ftp' from\n\n\tftp.novell.de (193.97.1.1) pub/pc/adaptec/cdblksize.zip\n--\nJuergen Keil          jk@tools.de ...!{uunet,mcsun}!unido!tools!jk\n",
 'From: gmw0622@venus.tamu.edu (Mr. Grinch)\nSubject: Re: Limiting Govt (was Re: Employment (was Re: Why not concentrate...)\nOrganization: GrinchCo\nLines: 29\nDistribution: world\nNNTP-Posting-Host: venus.tamu.edu\nSummary: More on failed governments\nNews-Software: VAX/VMS VNEWS 1.41    \n\nIn article <1993Apr18.200255.13012@isc-br.isc-br.com>, steveh@thor.isc-br.com (Steve Hendricks) writes...\n>In article <18APR199314034390@venus.tamu.edu> gmw0622@venus.tamu.edu (Mr. Grinch) writes:\n>>In article <1993Apr18.172531.10946@isc-br.isc-br.com>, steveh@thor.isc-br.com (Steve Hendricks) writes...\n>>> \n:>:It would seem that a society with a "failed" government would be an ideal\n:>:setting for libertarian ideals to be implemented.  Now why do you suppose\n:>:that never seems to occur?...\n:>\n:>\n:>I fail to see why you should feel this way in the first place.  Constant\n:>combat isn\'t particularly conducive to intellectual theorizing.  Also,\n:>they tend to get invaded before they can come to anything like a stable\n:>society anyway. \n: \n:And the reason that the Soviet Union couldn\'t achieve the ideal of pure\n:communism was the hostility of surrounding capitalist nations...Uh huh.\n:Somehow, this all sounds familiar.  Once again, utopian dreams are \n:confronted by the real world...\n>Steve Hendricks                        |  DOMAIN:  steveh@thor.ISC-BR.COM   \n\n\n\nSteve,  you\'re the one who suggested that a failed government should be an \nideal proving ground,  I never felt that way in the first place.  Quite the \ncontrary,  I think a better proving ground would be someplace that already\nhad a governemnt that would prevent outright acts of agression,  yet had a\nstrong spirit of individualism and initiative.  Someplace like... Texas :-)\n\nMr. Grinch  \n',
 'From: trajan@cwis.unomaha.edu (Stephen McIntyre)\nSubject: Theists And Objectivity\nOrganization: University of Nebraska at Omaha\nLines: 90\n\nCan a theist be truly objective?  Can he be impartial\n     when questioning the truth of his scriptures, or\n     will he assume the superstition of his parents\n     when questioning? \n\nI\'ve often found it to be the case that the theist\n     will stick to some kind of superstition when\n     wondering about God and his scriptures.  I\'ve\n     seen it in the Christian, the Jew, the Muslim,\n     and the other theists alike.  All assume that\n     their mothers and fathers were right in the\n     aspect that a god exists, and with that belief\n     search for their god.\n     \nOccasionally, the theist may switch religions or\n     aspects of the same religion, but overall the\n     majority keep to the belief that some "Creator"\n     was behind the universe\'s existence.  I\'ve\n     known Muslims who were once Christians and vice\n     versa, I\'ve known Christians who were once\n     Jewish and vice versa, and I\'ve even known\n     Christians who become Hindu.  Yet, throughout\n     their transition from one faith to another,\n     they\'ve kept this belief in some form of higher\n     "being."  Why?\n     \nIt usually all has to do with how the child is\n     brought up.  From the time he is born, the\n     theist is brought up with the notion of the\n     "truth" of some kind of scripture-- the Bible,\n     the Torah, the Qur\'an, & etc.  He is told\n     of this wondrous God who wrote (or inspired)\n     the scripture, of the prophets talked about in\n     the scripture, of the miracles performed, & etc.\n     He is also told that to question this (as\n     children are apt to do) is a sin, a crime\n     against God, and to lose belief in the scrip-\n     ture\'s truth is to damn one\'s soul to Hell.\n     Thus, by the time he is able to read the\n     scripture for himself, the belief in its "truth"\n     is so ingrained in his mind it all seems a\n     matter of course.\n     \nBut it doesn\'t stop there.  Once the child is able\n     to read for himself, there is an endeavor to\n     inculcate the child the "right" readings of\n     scripture, to concentrate more on the pleasant\n     readings, to gloss over the worse ones, and to\n     explain away the unexplainable with "mystery."\n     Circular arguments, "self-evdent" facts and\n     "truths," unreasoning belief, and fear of\n     hell is the meat of religion the child must eat\n     of every day.  To doubt, of course, means wrath\n     of some sort, and the child must learn to put\n     away his brain when the matter concerns God.\n     All of this has some considerable effect on the\n     child, so that when he becomes an adult, the \n     superstitions he\'s been taught are nearly\n     impossible to remove.\n     \nAll of this leads me to ask whether the theist can\n     truly be objective when questioning God, Hell,\n     Heaven, the angels, souls, and all of the rest.\n     Can he, for a moment, put aside this notion that\n     God *does* exist and look at everything from\n     a unbiased point of view?  Obviously, most\n     theists can somewhat, especially when presented\n     with "mythical gods" (Homeric, Roman, Egyptian,\n     & etc.).  But can they put aside the assumption\n     of God\'s existence and question it impartially?\n     \nStephen\n\n    _/_/_/_/  _/_/_/_/   _/       _/    * Atheist\n   _/        _/    _/   _/ _/ _/ _/     * Libertarian\n  _/_/_/_/  _/_/_/_/   _/   _/  _/      * Pro-individuality\n       _/  _/     _/  _/       _/       * Pro-responsibility\n_/_/_/_/  _/      _/ _/       _/ Jr.    * and all that jazz...\n\n-- \n\n[This is ad hominem attack of the most basic kind.  None of their\nstatements matter -- they believe the way they do because they were\nbrought up that way.  Of course there are atheists who have become\ntheists and theists who have become atheists.  Rather more of the\nlatter, which is not surprising given the statistics.  It\'s hard to\nsee how one could possibly answer a posting of this sort, since any\nanswer could immediately be assumed to be just part of the\nbrainwashing.  That is, how can anyone possibly show that they aren\'t\nbiased?  --clh]\n',
 "From: kthompso@donald.WichitaKS.NCR.COM (Ken Thompson)\nSubject: Re: 68HC11 problem\nOrganization: NCR Corporation Wichita, KS\nLines: 21\n\nmdanjou@gel.ulaval.ca (Martin D'Anjou) writes:\nB\n)>>>>>>>>> Votre host est mal configure... <<<<<<<<<<<<\n\n\n)Bonjour Sylvain,\n)\tJ'ai travaille avec le hc11 il y a 3 ans et je ne me souviens pas de toutes les possibilites mais je vais quand meme essayer de t'aider.\n\n)\tJe ne crois pas que downloader une programme directement dans le eeprom soit une bonne idee (le eeprom a une duree de vie limitee a 10 000 cycles il me semble). Le communication break down vient peut-etre du fait que le eeprom est long a programmer (1ms par 8 bytes mais c'est a verifier) et que les delais de transfer de programme s19 vers la memoire sont excedes. Normalement, les transferts en RAM du code s19 est plus rapide car le RAM est plus rapide que le eeprom en ecriture.\n\n)\tC'est tout ce que ma memoire me permet de me souvenir!\n\n)Bonne chance,\n\nOh yeah easy for him to say!...\n\n-- \nKen Thompson    N0ITL  \nNCR Corp.  Peripheral Products Division   Disk Array Development\n3718 N. Rock Road  Wichita KS 67226   (316)636-8783\nKen.Thompson@wichitaks.ncr.com \n",
 'From: smortaz@handel.sun.com (shahrokh mortazavi)\nSubject: Re: News briefs from KH # 1025\nOrganization: Central\nLines: 18\n\nIn article <1qg1gdINNge7@anaconda.cis.ohio-state.edu> karbasi@cis.ohio-state.edu writes:\n\n>\n>\t1- "nehzat-e aazaadee"\'s member have many times been arrested\n>\tand tortured and as we speak some of them are still in prison.\n>\n>\t2- The above item confirms the long standing suspicion that \n>\tthe only reason this regime has not destroyed "nehzat-e\n>\taazaadee" completely is just to show off and brag about the\n>\t"freedom of expression in Iran" in its propaganda paper.\n>\n>\tGet serious!  If this regime had its way, there would be \n>\tabsolutely no freedom of expression anywhere, not even in SCI.  \n\t\t\t\t\t\t      ^^^^^^^^^^^^^^^\n\nthere really isnt, as seen by the heavy usage of anonymous posting.  \nif iri sympathizers didnt roam around in sci, anon-poster would \nget used only occasionally (as in the good old days).\n',
 'From: hayesstw@risc1.unisa.ac.za (Steve Hayes)\nSubject: Re: The arrogance of Christians\nOrganization: University of South Africa\nLines: 51\n\nIn article <Apr.11.01.02.46.1993.17799@athos.rutgers.edu> mhsu@lonestar.utsa.edu (Melinda . Hsu   ) writes:\n\n>belief that their faith is total truth.  According to them,\n>their beliefs come from the Bible and the bible is the word of\n>God and God is truth - thus they know the truth.  This stance\n>makes it difficult to discuss other faiths with them and my own\n>hesitations about Christianity because they see no other way.\n>Their way is the \'truth.\'\n>\n>But I see their faith arising from a willful choice to believe\n>a particular way.  That choice is part faith and part reason,\n>but it seems to me a choice.\n>\n>My discussions with some Christians remind me of schoolyard\n>discussions when I was in grade school:\n>\n>A kid would say, "All policemen are jerks!"  I\'d ask, "How do\n>you know?"  "Because my daddy told me so!"  "How do you know\n>you\'re daddy is right?"  "He says he\'s always right!"\n>\n>Well the argument usually stops right there.  In the end,\n>aren\'t we all just kids, groping for the truth?  If so, do we have\n>the authority to declare all other beliefs besides our own as\n>false?\n\nI find this argument very strange, though not unfamiliar.\n\nAn analogy someone used a while back can perhaps illustrate it.\n\nSay, for example, there are people living on a volcanic island, and a group \nof geologists determine that a volcano is imminent. They warn the people on \nthe island that they are in danger, and should leave. A group of people on \nthe island is given the task of warning others of the danger.\n\nThey believe the danger is real, but others may not. \n\nDoes that mean that the first group are NECESSARILY arrogant in warning \nothers of the danger? Does it mean that they are saying that their beliefs \nare correct, and all others are false?\n\nSome might indeed react to opposition with arrogance, and behave in an \narrogant manner, but that is a personal idiocyncracy. It does not \nnecessarily mean that they are all arrogant.\n\n\n============================================================\nSteve Hayes, Department of Missiology & Editorial Department\nUniv. of South Africa, P.O. Box 392, Pretoria, 0001 South Africa\nInternet: hayesstw@risc1.unisa.ac.za\n          steve.hayes@p5.f22.n7101.z5.fidonet.org\n          stephen.hayes@f20.n7101.z5.fidonet.org\n',
 'From: banschbach@vms.ocom.okstate.edu\nSubject: Candida(yeast) Bloom, Fact or Fiction\nLines: 187\nNntp-Posting-Host: vms.ocom.okstate.edu\nOrganization: OSU College of Osteopathic Medicine\n\nI can not believe the way this thread on candida(yeast) has progressed.\nSteve Dyer and I have been exchanging words over the same topic in Sci. \nMed. Nutrition when he displayed his typical reserve and attacked a women \nposter for being treated by a liscenced physician for a disease that did \nnot exist.  Calling this physician a quack was reprehensible Steve and I \nsee that you and some of the others are doing it here as well.  \n\nLet me tell you who the quacks really are, these are the physicans who have \nno idea how the human body interacts with it\'s environment and how that \nbalance can be altered by diet and antibiotics.  These are the physicians \nwho dismiss their patients with difficult symptomatology and make them go \nfrom doctor to doctor to find relief(like Elaine in Sci. Med. Nutrition) and \nthen when they find one that solves their problem, the rest start yelling \nquack.  Could it just be professional jealousy?  I couldn\'t help Elaine or Jon\nbut somebody else did.  Could they know more than Me?  No way, they must be a \nquack.  \n\nI\'ve been teaching a human nutrition course for Medical students for over ten \nyears now and guess who the most receptive students are?  Those that were \nraised on farms and saw first-hand the effect of diet on the health of their \nfarm animals and those students who had made a dramatic diet change prior to \nentering medical school(switched to the vegan diet).  Typically, this is \nabout 1/3 of my class of 90 students.  Those not interested in nutrition \neither tune me out or just stop coming to class.  That\'s okay because I \nknow that some of what I\'m teaching is going to stick and there will be at \nleast a few "enlightened" physicians practicing in the U.S.  It\'s really \ntoo bad that most U.S. medical schools don\'t cover nutrition because if \nthey did, candida would not be viewed as a non-disease by so many in the \nmedical profession.\n\nIn animal husbandry, an animal is reinnoculated with "good" bacteria after \nantibiotics are stopped.  Medicine has decided that since humans do not \nhave a ruminant stomach, no such reinnoculation with "good" bacteria is \nneeded after coming off a braod spectrum antibiotic.  Humans have all \nkinds of different organisms living in the GI system(mouth, stomach, small \nand large intestine), sinuses, vagina and on the skin.  These are \nnonpathogenic because they do not cause disease in people unless the immune \nsystem is compromised.  They are also called nonpathogens because unlike \nthe pathogenic organisms that cause human disease, they do not produce \ntoxins as they live out their merry existence in and on our body.  But any of \nthese organisms will be considered pathogenic if it manages to take up \nresidence within the body.  A poor mucus membrane barrier can let this \nhappen and vitamin A is mainly responsible for setting up this barrier.\nSteve got real upset with Elaine\'s doctor because he was using anti-fungals \nand vitamin A for her GI problems.  If Steve really understoood what \nvitamin A does in the body, he would not(or at least should not) be calling \nElaine\'s doctor a quack.\n\nHere is a brief primer on yeast.  Yeast infections, as they are commonly \ncalled, are not truely caused by yeasts.  The most common organism responsible\nfor this type of infection is Candida albicans or Monilia which is actually a \nyeast-like fungus.  An infection caused by this organism is called candidiasis.\nCandidiasis is a very rare occurance because, like an E. Coli infection, it \nrequires that the host immune system be severly depressed.  \n\nCandida is frequently found on the skin and all of the mucous membranes of \nnormal healthy people and it rarely becomes a problem unless some predisposing\nfactor is present such as a high blood glucose level(diabetes) or an oral \ncourse of antibiotics has been used.  In diabetics, their secretions contain \nmuch higher amounts of glucose.  Candida, unlike bacteria, is very limited in \nit\'s food(fuel) selection.  Without glucose, it can not grow, it just barely \nsurvives.  If it gets access to a lot of glucose, it blooms and over rides \nthe other organisms living with it in the sinuses, GI tract or vagina.  In \ndiabetics, skin lesions can also foster a good bloom site for these little \nbuggers.  The bloom is usually just a minor irritant in most people but \nsome people do really develop a bad inflammatory process at the mucus \nmembrane or skin bloom site.  Whether this is an allergic like reaction to \nthe candida or not isn\'t certain.  When the bloom is in the vagina or on \nthe skin, it can be easliy seen and some doctors do then try to "treat" it.\nIf it\'s internal, only symptoms can be used and these symptoms are pretty \nnondiscript.  \n\n\nCandida is kept in check in most people by the normal bacterial flora in \nthe sinuses, the GI tract(mouth, stomach and intestines) and in the \nvaginal tract which compete with it for food.  The human immune system \nususally does not bother itself with these(nonpathogenic organisms) unless \nthey broach the mucus membrane "barrier".  If they do, an inflammatory \nresponse will be set up.  Most Americans are not getting enough vitamin A \nfrom their diets.  About 30% of all American\'s die with less Vitamin A than \nthey were born with(U.S. autopsy studies).  While this low level of vitamin \nA does not cause pathology(blindness) it does impair the mucus membrane \nbarrier system.  This would then be a predisposing factor for a strong \ninflammatory response after a candida bloom.  \n\nWhile diabetics can suffer from a candida "bloom" the  most common cause of \nthis type of bloom is the use of broad spectrum antibiotics which \nknock down many different kinds of bacteria in the body and remove the main \ncompetition for candida as far as food is concerned.  While drugs are \navailable to handle candida, many patients find that their doctor will not \nuse them unless there is evidence of a systemic infection.  The toxicity of \nthe anti-fungal drugs does warrant some caution.  But if the GI or sinus \ninflammation is suspected to be candida(and recent use of a broad spectrum \nantibiotic is the smoking gun), then anti-fungal use should be approrpriate \njust as the anti-fungal creams are an appropriate treatment for recurring \nvaginal yeast infections, in spite of what Mr. Steve Dyer says.\n\nBut even in patients being given the anti-fungals, the irritation caused by \nthe excessive candida bloom in the sinus, GI tract or the vagina tends to \nreturn after drug treatment is discontinued unless the underlying cause of \nthe problem is addressed(lack of a "good" bacterial flora in the body and/or \npoor mucus membrane barrier).  Lactobacillus acidophilus is the most effective \ntherapy for candida overgrowth.  From it\'s name, it is an acid loving \norganism and it sets up an acidic condition were it grows.  Candida can not \ngrow very well in an acidic environment.  In the vagina, L. acidophilius is \nthe predominate bacteria(unless you are hit with broad spectrum \nantibiotics).  \n\nIn the GI system, the ano-rectal region seems to be a particularly good \nreservoir for candida and the use of pantyhose by many women creates a very \nfavorable environment around the rectum for transfer(through moisture and \nhumidity) of candida to the vaginal tract.  One of the most effctive ways to \nminimmize this transfer is to wear undyed cotton underwear.  \n\nIf the bloom occurs in the anal area, the burning, swelling, pain and even \nblood discharge make many patients think that they have hemorroids.  If the \nbloom manages to move further up the GI tract, very diffuse symptomatology \noccurs(abdominal discomfort and blood in the stool).  This positive stool \nfor occult blood is what sent Elaine to her family doctor in the first \nplace.  After extensive testing, he told her that there was nothing wrong \nbut her gut still hurt.  On to another doctor, and so on.  Richard Kaplan \nhas told me throiugh e-mail that he considers occult blood tests in stool \nspecimens to be a waste of time and money because of the very large number of \nfalse positives(candida blooms guys?).  If my gut hurt me on a constant \nbasis, I would want it fixed.  Yes it\'s nice to know that I don\'t have \ncolon cancer but what then is causing my distress?  When I finally find a \ndoctor who treats me and gets me 90% better, Steve Dyer calls him a quack.\n\nCandida prefers a slightly alkaline environment while bacteria \ntend to prefer a slightly acidic environment.  The vagina becomes alkaline \nduring a woman\'s period and this is often when candida blooms in the vagina. \nVinegar and water douches are the best way of dealing with vaginal \nproblems.  Many women have also gotten relief from the introduction of \nLactobacillus directly into the vaginal tract(I would want to be sure of \nthe purity of the product before trying this).  My wife had this vagina \nproblem after going on birth control pills and searched for over a year \nuntil she found a gynocologist who solved the problem rather than just writting \nscripts for anti-fungal creams.  This was a woman gynocologist who had had \nthe same problem(recurring vaginal yeast infections).  This M.D. did some \ndigging and came up with an acetic acid and L. Acidophilis douche which she \nused in your office to keep it sterile.  After three treatments, sex \nreturned to our marraige.  I have often wondered what an M.D. with chronic \nGI distress or sinus problems would do about the problem that he tells his \npatients is a non-existent syndrome.\n\nThe nonpathogenic bacteria L. acidophilus is an acid producing bacteria \nwhich is the most common bacteria found in the vaginal tract of healthy women.  \nIf taken orally, it can also become a major bacteria in the gut.  Through \naresol sprays, it has also been used to innoculate the sinus membranes.\nBut before this innoculation occurs, the mucus membrane barrier system \nneeds to be strengthened.  This is accomplished by vitamin A, vitamin C and \nsome of the B-complex vitamins.  Diet surveys repeatedly show that Americans \nare not getting enough B6 and folate.  These are probably the segement of \nthe population that will have the greatest problem with this non-existent \ndisorder(candida blooms after antibiotic therapy).\n \nSome of the above material was obtained from "Natural Healing" by Mark \nBricklin, Published by Rodale press, as well as notes from my human \nnutrition course.  I will be posting a discussion of vitamin A  sometime in \nthe future, along with reference citings to point out the extremely \nimportant role that vitamin A plays in the mucus membrane defense system in \nthe body and why vitamin A should be effective in dealing with candida \nblooms.  Another effective dietary treatment is to restrict carbohydrate \nintake during the treatment phase, this is especially important if the GI \nsystem is involved.  If candida can not get glucose, it\'s not going to out \ngrow the bacteria and you then give bacteria, which can use amino acids and \nfatty acids for energy, a chance to take over and keep the candida in check \nonce carbohydrate is returned to the gut.\n\nIf Steve and some of the other nay-sayers want to jump all over this post, \nfine.  I jumped all over Steve in Sci. Med. Nutrition because he verbably \naccosted a poster who was seeking advice about her doctor\'s use of vitamin \nA and anti-fungals for a candida bloom in her gut.  People seeking advice \nfrom newsnet should not be treated this way.  Those of us giving of our \ntime and knowledge can slug it out to our heart\'s content.  If you saved \nyour venom for me Steve and left the helpless posters who are timidly \nseeking help alone, I wouldn\'t have a problem with your behavior. \n \nMartin Banschbach, Ph.D.\nProfessor of Biochemistry and Chairman\nDepartment of Biochemistry and Microbiology\nOSU College of Osteopathic Medicine\n1111 West 17th St.\nTulsa, Ok. 74107\n\n"Without discourse, there is no remembering, without remembering, there is \nno learning, without learning, there is only ignorance".\n',
 'From: gld@cunixb.cc.columbia.edu (Gary L Dare)\nSubject: Stan Fischler, 4/4\nSummary: From the Devils pregame show, prior to hosting the Penguins\nNntp-Posting-Host: cunixb.cc.columbia.edu\nReply-To: gld@cunixb.cc.columbia.edu (Gary L Dare)\nOrganization: PhDs In The Hall\nLines: 32\n\n\nAt the Lester Patrick Awards lunch, Bill Torrey mentioned that one of his\noptions next season is to be president of the Miami team, with Bob Clarke\nworking for him.  At the same dinner, Clarke said that his worst mistake\nin Philadelphia was letting Mike Keenan go -- in retrospect, almost all\nplayers came realize that Keenan knew what it took to win.  Rumours are\nnow circulating that Keenan will be back with the Flyers.\n\nNick Polano is sick of being a scapegoat for the schedule made for the\nRed Wings; After all, Bryan Murray approved it.\n\nGerry Meehan and John Muckler are worried over the Sabres\' prospects;\nAssistant Don Lever says that the Sabres have to get their share now,\nbecause a Quebec dynasty is emerging ...\n\nThe Mighty Ducks have declared that they will not throw money around\nloosely to buy a team.\n\nOilers coach Ted Green remarked that "There some guys around who can\nfill Tie Domi\'s skates, but none who can fill his helmet."\n\nSenators\' Andrew McBain told off a security guard at Chicago Stadium\nwho warned him of the stairs leading down to the locker room; McBain\nmouthed off at him, after all being a seasoned professional ... and\ntumbled down the entire steep flight.\n\ngld\n--\n~~~~~~~~~~~~~~~~~~~~~~~~ Je me souviens ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\nGary L. Dare\n> gld@columbia.EDU \t\t\tGO  Winnipeg Jets  GO!!!\n> gld@cunixc.BITNET\t\t\tSelanne + Domi ==> Stanley\n',
 "From: ksl@engin1.NoSubdomain.NoDomain (Kiseok Lee  )\nSubject: Re: does dos6 defragment??\nArticle-I.D.: cs.1993Apr6.040254.8443\nOrganization: Brown University Center for Fluid Mechanics\nLines: 17\n\nIn article <C51H9M.46p@news.cso.uiuc.edu>, rhc52134@uxa.cso.uiuc.edu (Richard) writes:\n|> Geoffrey S. Elbo writes:\n|> \n|> >Yes, and it is the fastest defrag I've ever watched.  It did a 170MB \n|> >hard disk in 20 minutes.\n|> \n|> \tI found the MS defrag looks very much like Norton Speedisk.\n|> Is it just a strip-down version of the later?\n|> \n|> \tI have both Norton Speedisk and Backup, so I was wondering \n|> if I need to install MS Backup?\n|> \n|> Richard\n|> \n\nYes, defragger IS come from Norton.\nIf you have Norton Utility, don't bother.\n",
 'From: wcl@risc.sps.mot.com (Wayne Long)\nSubject: PROBLEM:  Running AIX info from a Sun rlogin shell.\nOrganization: Motorola (Austin,TX)\nLines: 22\nNNTP-Posting-Host: ome.sps.mot.com\n\n\n  When I run our RS6000\'s "info" utility through a remote login\n  shell (rlogin) from my Sun Sparc 1+, I can no longer type\n  lower case in any of info\'s window prompt\'s.\n\n  I thought the prob. may have been due to my Sun window mgr. \n  (Openlook) being incompatible with the AIX Motif application\n  but I tried it under TVTWM also.  Same result.\n  \n  So this is presumably an X11 key definition problem between \n  workstations - but my system admins. feign ignorance.\n  \n  What do I need to do the be able to type lower case into \n  this remote AIX motif app. from within my local Openlook\n  window manager?\n  \n  \n-- \n-------------------------------------------------------------------\nWayne Long - OE215              Internet: wcl@risc.sps.mot.com\n6501 William Cannon Drive West  UUCP: cs.texas.edu!oakhill!risc!wcl\nAustin, Texas 78735-8598        Phone (512) 891-4649  FAX: 891-3818\n',
 "Nntp-Posting-Host: fac-csr.byu.edu\nLines: 24\nFrom: ecktons@ucs.byu.edu (Sean Eckton)\nSubject: Why is my mouse so JUMPY?  (MS MOUSE)\nOrganization: Fine Arts and Communications -- Brigham Young University\n\nI have a Microsoft Serial Mouse and am using mouse.com 8.00 (was using 8.20 \nI think, but switched to 8.00 to see if it was any better).  Vertical motion \nis nice and smooth, but horizontal motion is so bad I sometimes can't click \non something because my mouse jumps around.  I can be moving the mouse to \nthe right with relatively uniform motion and the mouse will move smoothly \nfor a bit, then jump to the right, then move smoothly for a bit then jump \nagain (maybe this time to the left about .5 inch!).  This is crazy!  I have \nnever had so much trouble with a mouse before.  Anyone have any solutions?  \n\nDoes Microsoft think they are what everyone should be? <- just venting steam!\n\n\n---\nSean Eckton\nComputer Support Representative\nCollege of Fine Arts and Communications\n\nD-406 HFAC\nBrigham Young University\nProvo, UT  84602\n(801)378-3292\n\nhfac_csr@byu.edu\necktons@ucs.byu.edu\n",
 'From: cy779@cleveland.Freenet.Edu (Anas Omran)\nSubject: Re: Israeli Terrorism\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 27\nReply-To: cy779@cleveland.Freenet.Edu (Anas Omran)\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, tclock@orion.oac.uci.edu (Tim Clock) says:\n\n>In article <1993Apr24.203620.6531@Virginia.EDU> ab4z@Virginia.EDU ("Andi Beyer") writes:\n>>I think the Israeli press might be a tad bit biased in\n>>reporting the events. I doubt the Propaganda machine of Goering\n>>reported accurately on what was happening in Germany. It is\n>>interesting that you are basing the truth on Israeli propaganda.\n>\n>Since one is also unlikely to get "the truth" from either Arab or \n>Palestinian news outlets, where do we go to "understand", to learn? \n>Is one form of propoganda more reliable than another?\n\nThere are many neutral human rights organizations which always report\non the situation in the O.T.  But, as most people used to see on TV, the\nIsraelis do not allow them to go deep there in the O.T.  The Israelis \nused to arrest and sometimes to kill some of these neutral reporters.  \nSo, this is another kind of terrorism committed by the Jews in Palestine.\nThey do not allow fair and neutral coverage of the situation in Palestine.\n\n>to determine that is to try and get beyond the writer\'s "political\n>agenda", whether it is "on" or "against" our *side*.\n>\n>Tim \n\nAnas Omran\n\n',
 "From: hooper@ccs.QueensU.CA (Andy Hooper)\nSubject: Re: text of White House announcement and Q&As on clipper chip encryption\nOrganization: Queen's University, Kingston\nDistribution: na\nLines: 3\n\nIsn't Clipper a trademark of Fairchild Semiconductor?\n\nAndy Hooper\n",
 'From: cchung@sneezy.phy.duke.edu (Charles Chung)\nSubject: Re: What if the USSR had reached the Moon first?\nLines: 24\nNntp-Posting-Host: bashful.phy.duke.edu\n\nIn article <1993Apr20.152819.28186@ke4zv.uucp> gary@ke4zv.uucp (Gary  \nCoffman) writes:\n> >Why do you think at least a couple centuries before there will\n> >be significant commerical activity on the Moon?\n> \n> Wishful thinking mostly.\n[Lots of stuff about how the commerical moonbase=fantasyland]\n\nThen what do you believe will finally motivate people to leave the  \nearth?  I\'m not trying to flame you.  I just want to know where you  \nstand.\n\n-Chuck\n---\n*******************************************************************\n\n\tChuck Chung\t\t\t\t(919) 660-2539 (O)\n\tDuke University Dept. of Physics\t(919) 684-1517 (H)\n\tDurham, N.C.      27706\t\t\tcchung@phy.duke.edu\n\t\n\t"If pro is the opposite of con, \n\t\tthen what is the opposite of progress?"\n\n*******************************************************************\n',
 "From: welty@cabot.balltown.cma.COM (richard welty)\nSubject: rec.autos: Frequently Asked Questions\nKeywords: Monthly Posting\nReply-To: welty@balltown.cma.com\nOrganization: New York State Institute for Sebastian Cabot Studies\nExpires: Thu, 20 May 1993 04:03:03 GMT\nLines: 251\n\nArchive-name: rec-autos/part4\n\n[this article is one of a pair of articles containing commonly\nasked automotive questions; the other article contains questions\nof general consumer interest, and is broken out to facilitate\ncrossposting to misc.consumers -- rpw]\n\n[last change: 8 February 1993; CT now permits radar detector usage,\n    new tire-traction q&a -- rpw]\n\n                Commonly Asked Questions\n\nRadar Questions:\n\nQ:  Where are radar detectors illegal?\n\nA:  In the US, currently Virgina and the District of Columbia prohibit\n    all usage of radar detectors.  New York prohibits their use in\n    large trucks.  In Canada, they are illegal in Manitoba, Ontario,\n    Quebec, Newfoundland and PEI (Prince Edward Island).  They\n    are apparently are illegal through most, if not all, of Europe.\n    Legislation which would make them illegal is pending in many other\n    jurisdictions; chances of such legislation passing varies a great deal.\n\nQ:  Where are Radar Detector Detectors used?  Do they really work?\n\nA:  Usage is spreading rapidly; initially they were used only in Canada,\n    but now they are appearing in New York and Virginia.  It is unsafe\n    to assume that they are not in use in Connecticut and D.C.\n    They work by detecting a certain frequency radiated by many currently\n    available super Het radar detectors; some brands of detector radiate\n    more strongly than others, and are thus more likely to be spotted.\n    New radar detectors are becoming available which may not be detected\n    by the current generation of detector detectors.  Note that a\n    detector may only be spotted by one of these devices if it is turned\n    on.\n\nQ:  What is VASCAR?  Is it some kind of Radar?\n\nA:  VASCAR is nothing more than a fancy stopwatch and time-speed-distance\n    computer.  It depends on the operator pressing buttons as the target\n    vehicle passes landmarks.  No radar signals are emitted by a VASCAR\n    system.\n\nQ:  What is Ka band radar?  Where is it used?  Should a radar detector be\n    able to handle it? \n\nA:  Ka band has recently been made available by the FCC for use in the US\n    in so-called photo-radar installations.  In these installations, a\n    low-powered beam is aimed across the road at a 45 degree angle to the\n    direction of traffic, and a picture is taken of vehicles which the\n    radar unit determines to have been in violation of the speed limit.\n    Tickets are mailed to the owner of the vehicle.  Because of the low\n    power and the 45 degree angle, many people believe that a radar\n    detector cannot give reasonable warning of a Ka band radar unit,\n    although some manufacturers of radar detectors have added such\n    capability anyway.  The number of locales where photo-radar is in use\n    is limited, and some question the legality of such units.  Best advice:\n    learn what photo radar units look like, and keep track of where they\n    are used (or else, don't speed.)\n\nQ:  Do radar jammers work?  Are they legal?\n\nA:  Quick answer:  No, and Not in the USA.\n    Detailed answer:  Cheap radar jammers do not work well at all.\n    Jammers that work are expensive and usually the property of the\n    military.  Jammers are a major violation of the regulations of the\n    Federal Communications Commission of the USA.\n\nDriving technique and Vehicle Dynamics Questions:\n\nQ:  What are understeer and oversteer?\n\nA:  Understeer and oversteer are terms describing the behaviour of a\n    car while cornering near the `limit' (limit of adhesion, that is.)\n    Most drivers do not normally drive hard enough for these terms to\n    be descriptive of the situations they encounter.  Simply put, they\n    tell whether the car wants to go straight in a corner (steer `less',\n    or `understeer') or it wants to turn more in a corner (`oversteer'.)\n    Understeer is commonly designed into most production cars so that\n    untrained drivers, inadvertantly traveling too fast, won't get into\n    trouble.  Understeer may also be induced by using too much throttle\n    in a corner.  Oversteer is designed into some more performance\n    oriented cars; it may be induced by lifting on the throttle (Trailing\n    throttle oversteer, or TTO).  In extreme cases, lifting on the throttle\n    may induce so much oversteer that the car reacts by fishtailing or\n    spinning.\n\n    Some technical details:  in a corner at speed, the tires on the car\n    will develop what are called `slip angles'; the slip angle is the\n    angular difference between the direction that the car is traveling\n    and the direction that the steering wheel is directing the car to\n    travel.  In understeer, the front wheels have a greater slip angle\n    than the rear wheels.  In oversteer, the rear wheels have a greater\n    slip angle than the front wheels.\n\nQ: What is a rev-matched downshift?\n\nA: When downshifting, the engine must be rotating faster in the lower gear\n   than it was in the higher gear.  However, during a downshift, normally\n   you declutch and lift your foot from the throttle, so the revs drop\n   rather than increase.  In rev-matched downshift, you blip the throttle\n   before re-engaging the clutch so that the engine will already be up to\n   the new speed.  This results in a much smoother and faster downshift.\n\nQ: What does heel-and-toe mean?\n\nA: Heel-and-toe is a technique used to do a rev-matched downshift while\n   braking.  This is normally challenging, because you need the right foot\n   for both the brake and throttle.  It is called heel-and-toe because you\n   use one end of the foot on the brake, and the other on the throttle to\n   match revs for the downshift.  In many modern cars this is a misnomer;\n   often you must use the ball of the foot on the brake and the right side\n   on the throttle.\n\n   Note that some race car drivers will skip the clutch, and just use the\n   left foot on the brake and the right foot on the throttle, accomplishing\n   the same thing.\n\nQ: What is double-clutch downshifting?\n\nA: While your right foot is doing the above, your left foot can do one of\n   three things:  nothing, declutch once, or declutch twice.  The reason for\n   declutching twice is to match the speeds of the two shafts in the\n   transmission to the speed of the engine.  This is usually coupled with\n   rev-matching, so that while the engine is in neutral and the clutch\n   engaged, the throttle is blipped and both shafts of the transmission\n   speed up.\n\n   The procedure is as follows:\n   (0) declutch\n   (1) move gearshift lever to neutral\n   (2) engage clutch\n   (3) match revs\n   (4) declutch\n   (5) move gearshift lever to next lower gear\n   (6) engage clutch\n\n   This sounds like a lot of work, but with practice it becomes natural.\n   The problem that double-clutching solves is normally the function of the\n   synchronizers within the gearbox.  In transmissions without synchros or\n   with very worn synchros, double-clutching makes it much easier to shift.\n   Basically, if you double-clutch well, you are not using the synchros at\n   all.  This is generally unnecessary on street cars with synchros in good\n   condition.\n\nQ: What do the numbers for acceleration from 0-60, 1/4 mile, skidpad, and\n   slalom times in the Auto Magazines really mean?  May they be compared?\n\nA: In short, 1) not as much as the magazines want you to believe, and\n   2) almost never.\n\n   In more detail:  the acceleration numbers (0-60mph and 1/4 mile times\n   in the US) may be vaguely compared as long as they all come from the\n   same source.  Testing procedures vary so much from magazine to magazine\n   that comparing a Road & Track number to a Car & Driver number is quite\n   pointless.  Keep in mind, too, that the same variation applies from\n   driver to driver on the street; the driver is a major (often *the*\n   major) part of the equation.\n\n   Skidpads vary, and even if they didn't, skidpad figures are really\n   only tests of the stickiness of the stock tires; they change radically\n   when tire compounds change.  DO NOT make any assumptions about the\n   comparative handling of, say, two sports sedans based on skidpad numbers.\n   This is not to suggest that skidpads are without value, however. Skidpads\n   are an excellent educational tool at driving schools.  They are simply\n   of limited value in the comparison of anything except tires.\n\n   Slalom times are slightly more useful; they test some small parts of the\n   automobile's transient response.  However, they are also heavily influenced\n   by the stock rubber on the car, and they do not test many corners of the\n   car's envelope.  They DO NOT tell you all you need to know before making\n   a buying decision.  For example, they don't tell you what the rear end\n   of the car will do on a road which suddenly goes off-camber.  When a car\n   has an adjustable suspension, these tests are usually done in the `sport'\n   setting, which may be quite unsuitable for daily driving.  The list of\n   caveats could go on for page after page.\n\nQ: My buddy claims that wide tires don't make any difference, according\n   to his freshman physics textbook, and that you can't ever accelerate\n   or corner at more than 1.0G.  Does he know what he's talking about?\n\nA: 1) in short:  he hasn't got a clue.\n\n   2) in more detail: the equations for friction used in freshman physics\n   textbooks presume that the surfaces are smooth,  dry and non-deformable,\n   none of which properly apply to tire traction except in the case of a\n   stone cold tire on dry pavement which is far below its proper operating\n   temperature.\n\n   Pavement is _never_ smooth; it is always irregular to a greater or lesser\n   extent.  Tires, which are not really dry and solid (as rubber is a\n   substance which in its natural form is liquid, and which has only been\n   coerced into a semblance of solidity by chemical magic), deform to match\n   the surface of the pavement which a vehicle is traveling over.  In a tire\n   at operating temperature, grip is actually generated by shear stresses\n   inside the deformed rubber, and not by anything even remotely resembling\n   friction in the freshman physics sense of the term.  The colder a tire\n   is relative to its operating temperature, the closer its behaviour will\n   be to the traditional concept of friction; if much hotter than the its\n   proper operating temperature, the more likely the possibility of some\n   part of the tire actually ``reverting'' to liquid, which is mostly like\n   to happen deep in the tread, causing characteristic blisters and chunking.\n   (This latter, though, is almost completely unlikely to happen in normal\n   street driving, so unless you're a competition driver or do a lot of\n   high speed track driving, don't worry about it.)\n\n   Because tire traction is completely out of the domain of simple friction,\n   it does not obey the freshman physics equation at all; thus dragsters\n   accelerate at more than 1.0G and race cars corner and brake at more than\n   1.0G.  Because simple friction does not apply, it is actually possible\n   for different sized contact patches to generate differing amounts of\n   grip.  An actual analysis of tire behavior would require techniques\n   such as Finite Element Analysis, due to the complexity of the mechanism.\n\nMisc. Questions:\n\nQ:  What does <name or acronym> stand for?\n\nA:  Here is a list of some of the names which are commonly asked\n    about; be careful in soliciting the meanings of other names\n    as misinformation abounds on the net.  In particular, NEVER\n    ask in rec.humor if you want a useful result.\n\n    Saab:   Svenska Aeroplan A. B.,\n              or The Swedish Airplane Corporation\n\n    Alfa:   Societa Anonima Lombarda Fabbrica Automobili,\n              or The Lombardy Automobile Manufacturing Company\n\n    Fiat:   Fabbrica Italiana di Automobili Torino,\n              or The Italian Automobile Manufacturers of Turin\n\n    BMW:    Bayerische Motoren Werke,\n              or Bavarian Motor Works\n\n    MG:     Morris Garage\n\n\nQ:  Does VW own Porsche?\n\nA:  No.  Porsche is a publicly held company, controlled by the Porsche and\n    Piech families.  Porsche has extensive business dealings with VW/Audi,\n    which causes some confusion.  Since currently Porsche is in some\n    financial difficulty, there is a possibility that Mercedes or VW may\n    be interested in purchasing the company in the near future, but this\n    is only speculation at this time.\n-- \nrichard welty        518-393-7228       welty@cabot.balltown.cma.com\n``Nothing good has ever been reported about the full rotation of\n  a race car about either its pitch or roll axis''  -- Carroll Smith\n",
 'From: hanson@kronos.arc.nasa.gov (Robin Hanson)\nSubject: Estimating Wiretap Costs/Benefits\nNntp-Posting-Host: jabberwock.arc.nasa.gov\nOrganization: NASA/ARC Information Sciences Division\nLines: 38\n\nI\'m attempting to write a serious policy paper examining whether the\nproposed wiretap (or "Clipper") chip is a cost-effective tool for\npolice investigation.  That is, ignoring concerns about government\nintrusions into individual privacy, is the value of easy wiretaps to\ninvestigators greater than the cost to the communications industry,\nand their customers, to support this wiretap technology?  \n\nA rough estimate suggests that wiretaps are worth about five million\ndollars per year to U.S. law enforcement agencies.  (In 1990, 872 U.S.\nwiretaps led to 2057 arrests, while total police expenditures of $28\nbillion led to 11.25 million arrests [ref US Statistical Abstracts].)\nI\'m working on estimating this wiretap benefit more accurately, but\nI\'d like to ask hardware experts out there to help me with estimating\nthe costs of the new proposed wiretap technology.\n\nPlease send me quotable/citeable estimates for:\n\n- How many chips which would need to be made per year to keep all\n  phones with wiretap chips?\n- How much would it cost to make each chip?\n- How much did it cost to develop this technology in the first place?\n- How much more would supporting hardware, people, etc. cost, per chip?\n- What percentage cheaper would encryption chips and support have been\n  if private enterprise could compete to meet customer encryption needs?\n- What percentage of phone traffic would be taken up by the proposed\n  "law enforcement blocks"?\n- What is the total cost of handling all phone traffic per year?\n\nPut another way, the question I\'m asking is, what if each police\nagency that wanted a particular wiretap had to pay for it, being\ncharged their share of the full social cost of forcing communication\nto be wiretap compatible?  Would they choose to buy such wiretaps, or\nwould they find it more cost-effective to instead investigate crimes\nin other ways?\n-- \nRobin Hanson  hanson@ptolemy.arc.nasa.gov \n415-604-3361  MS-269-2, NASA Ames Research Center, Moffett Field, CA 94035\n510-651-7483  47164 Male Terrace, Fremont, CA  94539-7921 \n',
 'From: salaris@niblick.ecn.purdue.edu (Rrrrrrrrrrrrrrrabbits)\nSubject: Re: Satan kicked out of heaven: Biblical?\nOrganization: Purdue University Engineering Computer Network\nLines: 23\n\nIn article <May.7.01.09.04.1993.14501@athos.rutgers.edu>, easteee@wkuvx1.bitnet writes:\n> Hello all,\n>      I have a question about Satan.  I was taught a long time ago\n> that Satan was really an angel of God and was kicked out of heaven\n> because he challenged God\'s authority.  The problem is, I cannot\n> find this in the Bible.  Is it in the Bible?  If not, where did it\n> originate?\n> \nSatan was one of God\'s highest ranking angels, like Uriel, Raphael,\nMichael, and Gabriel.  In fact, his name was Satanel.  He did challenge\nGod\'s authority and got kicked out of heaven.  A lot of the mythology\nof Satan (he lost the -el suffix when he fell) comes from the\nBook of Enoch and is not found in the bible.\n\nRead the Book of Enoch, available thru bookstores, or get the book\ncalled "Angels: an endangered species" (I think).\n\n\n--\nSteven C. Salaris                We\'re...a lot more dangerous than 2 Live Crew\nsalaris@carcs1.wustl.edu         and their stupid use of foul language because\n\t\t\t\t we have ideas.  We have a philosophy.\n\t\t\t\t\t      Geoff Tate -- Queensryche\n',
 "From: rajiev@cfmu.eurocontrol.be (Rajiev Gupta)\nSubject: Re: Windows NT FAQ?\nNntp-Posting-Host: shelduck\nOrganization: Eurocontrol - Central Flow Management Unit\nLines: 26\n\nIn article <C5DHtF.D7p@news.rich.bnr.ca> gal@bnr.ca (Gene Lavergne) writes:\n>I really gives me pause to ask this:\n>\n>When I first heard of Windows-NT I was surprised by the name because\n>it immediately occurred to me that it sounds like a Northern Telecom\n>product.  Did anyone else notice that?\n>\n>By the way, BNR (see address below) is an R&D subsidiary of NT.  See\n>what I mean?\n>\n>| gal@bnr.ca (Gene A. Lavergne) | In all of opera, I most identify |\n>| ESN 444-4842 / (214) 684-4842 | with the character of Elektra.   |\n>| PO Box 851986, Richardson, TX | That often worries me.           |\n>| USA 75085-1986 | Opinions expressed here are mine and not BNR's. |\n\nWindows NT or WNT can also be derived by the next letter in the alphabet\nof VMS - same as HAL and IBM. You might recall that the chief architect\nof VMS is also chief designer of WNT.\n\nRajiev Gupta\n\n-- \nRajiev GUPTA\t\t\tEurocontrol - CFMU\tDisclaimer:\nrajiev@cfmu.eurocontrol.be\tRue de la Loi 72\tThese are *my* views,\nTel: +32 2 729 33 12            B-1040 BRUXELLES\tnot my companies.\nFax: +32 2 729 32 16            Belgium\n",
 "From: olson@umbc.edu (Bryan Olson; CMSC)\nSubject: Re: WH proposal from Police point of view\nOrganization: University of Maryland, Baltimore County Campus\nLines: 30\nDistribution: world\nNNTP-Posting-Host: umbc7.umbc.edu\nX-Auth-User: olson\n\n\nIn article <1993Apr18.034352.19470@news.clarkson.edu>, tuinstra@sunspot.ece.clarkson.edu.soe (Dwight Tuinstra) writes:\n|> It might pay to start looking at what this proposal might mean to a\n|> police agency.  It just might be a bad idea for them, too.\n|> \n|> OK, suppose the NY State Police want to tap a suspect's phone.  They\n|> need a warrant, just like the old days.  But unlike the old days, they\n|> now need to \n|> \n|>    (a) get two federal agencies to give them the two parts of\n|>        the key.\n|> \n|> Now, what happens if there's a tiff between the two escrow houses?\n|> Posession/release of keys becomes a political bargaining chit.\n\n\tWhile I think it is unrealistic to suppose that the federal\nagencies will fail to promptly comply with a court order, there is \nstill a good point here.  Local law enforcement will be unable to perform\na wiretap without bringing in federal agencies.   Based on the (possibly\nincomplete) understanding of the system quoted from D. Denning, only the\nFBI will be able to decrypt the system key encryption layer, which seems\nto be needed even to identify what escrowed keys to request.  This moves\na great deal of law enforcement power to the federal level.\n\tThe reason I like this point is that it may sway or even persuade\npeople who don't generally line up with the civil liberties crowd.  A\nnational police force is opposed by people from a broad range of political \nviewpoints.\n\n\nolson@umbc.edu\n",
 "From: prb@access.digex.com (Pat)\nSubject: Gamma Ray Bursters.  WHere  are they.\nOrganization: Express Access Online Communications, Greenbelt MD USA\nLines: 16\nNNTP-Posting-Host: access.digex.net\n\n  What  evidence  indicates that Gamma Ray bursters are very far away?\n\nGiven the enormous  power,  i was just wondering,  what if they are\nquantum  black holes or something  like that  fairly close by?\n\nWhy would they have to be at  galactic ranges?   \n\nmy own pet theory is that it's  Flying saucers  entering\nhyperspace :-)\n\nbut the reason i am asking is that most everyone assumes  that they\nare  colliding nuetron stars  or  spinning black holes,  i just wondered\nif any mechanism could exist  and place them  closer in.\n\npat  \n\n",
 "From: mkagalen@lynx.dac.northeastern.edu (michael kagalenko)\nSubject: Re: How to detect use of an illegal cipher?\nOrganization: Northeastern University, Boston, MA. 02115, USA\nLines: 19\n\nIn article <C5nMB1.CoF@news.claremont.edu> ebrandt@jarthur.claremont.edu (Eli Brandt) writes:\n>\n>I probably shouldn't say this, but they could try to detect the use\n>of an illegal cypher by transmitting in the clear some statistical\n>properties of the plaintext.  An old-fashioned wiretap could then\n>detect the use of pre-encryption, which would drastically increase\n>the measured entropy of the input.  A countermeasure to this would\n>be to use steganographic techniques which put out voice.\n\nThis way to detect pre-encryption may be defeated ; one can do  \ntransformation of the spectrum of encrypted signal just by adding some \npre-arranged (in the beginning of communication) function.\nI think so. Say, you can do FFT of your encrypted signal.\nJust thinking ... \n\n-- \n--------------------------------------------------------------------------------\n      For PGP2.1 public key finger mkagalen@lynx.dac.northeastern.edu\n--------------------------------------------------------------------------------\n",
 'From: mor@expo.lcs.mit.edu (Ralph Mor)\nSubject: Re: Tom Gaskins Pexlib vs Phigs Programming Manuals (O\'Reilly)\nOrganization: X Consortium, MIT Laboratory for Computer Science\nLines: 49\n\nmerlin@neuro.usc.edu (merlin) writes:\n\n>Could someone explain the difference between Tom Gaskins\' two books:\n\n>  o  PEXLIB Programming Manual\n>  o  PHIGS Programming Manual\n\n>Why would I want to buy one book vs the other book?  I have an 80386\n>running SCO UNIX (X11R4) on my desktop, a SUN IV/360 in my lab, and \n>access to a variety of other systems (Alliant FX/2800, Cray Y/MP) on\n>the network.  Mostly, we would like to do 3D modeling/visualization\n>of rat, rabbit, monkey, and human brain structure.\n\nRather than decide which book you want to buy, you need to decide which\nprogramming interface you want to use, then buy the appropriate book.\n\nI wrote an article for the X Resource which discusses the differences\nbetween PHIGS and PEXlib (it will appear in Issue 6 which should be out\npretty soon).  But here\'s a brief summary...\n\nPHIGS is a graphics API which was designed to be portable to many\ndevices.  Most implementations support the X Window System and take\nadvantage of a 3D extension to X called "PEX".  PEXlib is a slightly\n"lower" level API which was designed to efficiently support the PEX\nextension to X.\n\nSome advantages of using PEXlib...\n- Integrates with Xlib,Xt,Motif,etc. better than PHIGS\n- Provides immediate mode capabilities\n- Is free of "policy"\n- PEX supports PHIGS, but is currently being extended to support\n  features not found in PHIGS (like texture mapping, anti-aliasing).\n  PEXlib will give you access to all of these features.\n\nSome advantages of using PHIGS...\n- Support for multiple devices, not just X based ones\n- Support for archiving, metafiles, hardcopy output\n- PHIGS has predefined input devices to make input easier\n- PHIGS can handle exposure events and resizing for you\n- PHIGS can help you with colormap selection/creation.\n\nIf you\'re working strictly in X and don\'t care about things like\narchiving, I would go with PEXlib.  Either way, you will find that\nboth API\'s have a lot in common.\n\nRalph Mor\nMIT X Consortium\n\n\n',
 'From: leech@cs.unc.edu (Jon Leech)\nSubject: Space FAQ 11/15 - Upcoming Planetary Probes\nSupersedes: <new_probes_730956574@cs.unc.edu>\nOrganization: University of North Carolina, Chapel Hill\nLines: 243\nDistribution: world\nExpires: 6 May 1993 20:00:01 GMT\nNNTP-Posting-Host: mahler.cs.unc.edu\nKeywords: Frequently Asked Questions\n\nArchive-name: space/new_probes\nLast-modified: $Date: 93/04/01 14:39:17 $\n\nUPCOMING PLANETARY PROBES - MISSIONS AND SCHEDULES\n\n    Information on upcoming or currently active missions not mentioned below\n    would be welcome. Sources: NASA fact sheets, Cassini Mission Design\n    team, ISAS/NASDA launch schedules, press kits.\n\n\n    ASUKA (ASTRO-D) - ISAS (Japan) X-ray astronomy satellite, launched into\n    Earth orbit on 2/20/93. Equipped with large-area wide-wavelength (1-20\n    Angstrom) X-ray telescope, X-ray CCD cameras, and imaging gas\n    scintillation proportional counters.\n\n\n    CASSINI - Saturn orbiter and Titan atmosphere probe. Cassini is a joint\n    NASA/ESA project designed to accomplish an exploration of the Saturnian\n    system with its Cassini Saturn Orbiter and Huygens Titan Probe. Cassini\n    is scheduled for launch aboard a Titan IV/Centaur in October of 1997.\n    After gravity assists of Venus, Earth and Jupiter in a VVEJGA\n    trajectory, the spacecraft will arrive at Saturn in June of 2004. Upon\n    arrival, the Cassini spacecraft performs several maneuvers to achieve an\n    orbit around Saturn. Near the end of this initial orbit, the Huygens\n    Probe separates from the Orbiter and descends through the atmosphere of\n    Titan. The Orbiter relays the Probe data to Earth for about 3 hours\n    while the Probe enters and traverses the cloudy atmosphere to the\n    surface. After the completion of the Probe mission, the Orbiter\n    continues touring the Saturnian system for three and a half years. Titan\n    synchronous orbit trajectories will allow about 35 flybys of Titan and\n    targeted flybys of Iapetus, Dione and Enceladus. The objectives of the\n    mission are threefold: conduct detailed studies of Saturn\'s atmosphere,\n    rings and magnetosphere; conduct close-up studies of Saturn\'s\n    satellites, and characterize Titan\'s atmosphere and surface.\n\n    One of the most intriguing aspects of Titan is the possibility that its\n    surface may be covered in part with lakes of liquid hydrocarbons that\n    result from photochemical processes in its upper atmosphere. These\n    hydrocarbons condense to form a global smog layer and eventually rain\n    down onto the surface. The Cassini orbiter will use onboard radar to\n    peer through Titan\'s clouds and determine if there is liquid on the\n    surface. Experiments aboard both the orbiter and the entry probe will\n    investigate the chemical processes that produce this unique atmosphere.\n\n    The Cassini mission is named for Jean Dominique Cassini (1625-1712), the\n    first director of the Paris Observatory, who discovered several of\n    Saturn\'s satellites and the major division in its rings. The Titan\n    atmospheric entry probe is named for the Dutch physicist Christiaan\n    Huygens (1629-1695), who discovered Titan and first described the true\n    nature of Saturn\'s rings.\n\n\t Key Scheduled Dates for the Cassini Mission (VVEJGA Trajectory)\n\t -------------------------------------------------------------\n\t   10/06/97 - Titan IV/Centaur Launch\n\t   04/21/98 - Venus 1 Gravity Assist\n\t   06/20/99 - Venus 2 Gravity Assist\n\t   08/16/99 - Earth Gravity Assist\n\t   12/30/00 - Jupiter Gravity Assist\n\t   06/25/04 - Saturn Arrival\n\t   01/09/05 - Titan Probe Release\n\t   01/30/05 - Titan Probe Entry\n\t   06/25/08 - End of Primary Mission\n\t    (Schedule last updated 7/22/92)\n\n\n    GALILEO - Jupiter orbiter and atmosphere probe, in transit. Has returned\n    the first resolved images of an asteroid, Gaspra, while in transit to\n    Jupiter. Efforts to unfurl the stuck High-Gain Antenna (HGA) have\n    essentially been abandoned. JPL has developed a backup plan using data\n    compression (JPEG-like for images, lossless compression for data from\n    the other instruments) which should allow the mission to achieve\n    approximately 70% of its original objectives.\n\n\t   Galileo Schedule\n\t   ----------------\n\t   10/18/89 - Launch from Space Shuttle\n\t   02/09/90 - Venus Flyby\n\t   10/**/90 - Venus Data Playback\n\t   12/08/90 - 1st Earth Flyby\n\t   05/01/91 - High Gain Antenna Unfurled\n\t   07/91 - 06/92 - 1st Asteroid Belt Passage\n\t   10/29/91 - Asteroid Gaspra Flyby\n\t   12/08/92 - 2nd Earth Flyby\n\t   05/93 - 11/93 - 2nd Asteroid Belt Passage\n\t   08/28/93 - Asteroid Ida Flyby\n\t   07/02/95 - Probe Separation\n\t   07/09/95 - Orbiter Deflection Maneuver\n\t   12/95 - 10/97 - Orbital Tour of Jovian Moons\n\t   12/07/95 - Jupiter/Io Encounter\n\t   07/18/96 - Ganymede\n\t   09/28/96 - Ganymede\n\t   12/12/96 - Callisto\n\t   01/23/97 - Europa\n\t   02/28/97 - Ganymede\n\t   04/22/97 - Europa\n\t   05/31/97 - Europa\n\t   10/05/97 - Jupiter Magnetotail Exploration\n\n\n    HITEN - Japanese (ISAS) lunar probe launched 1/24/90. Has made\n    multiple lunar flybys. Released Hagoromo, a smaller satellite,\n    into lunar orbit. This mission made Japan the third nation to\n    orbit a satellite around the Moon.\n\n\n    MAGELLAN - Venus radar mapping mission. Has mapped almost the entire\n    surface at high resolution. Currently (4/93) collecting a global gravity\n    map.\n\n\n    MARS OBSERVER - Mars orbiter including 1.5 m/pixel resolution camera.\n    Launched 9/25/92 on a Titan III/TOS booster. MO is currently (4/93) in\n    transit to Mars, arriving on 8/24/93. Operations will start 11/93 for\n    one martian year (687 days).\n\n\n    TOPEX/Poseidon - Joint US/French Earth observing satellite, launched\n    8/10/92 on an Ariane 4 booster. The primary objective of the\n    TOPEX/POSEIDON project is to make precise and accurate global\n    observations of the sea level for several years, substantially\n    increasing understanding of global ocean dynamics. The satellite also\n    will increase understanding of how heat is transported in the ocean.\n\n\n    ULYSSES- European Space Agency probe to study the Sun from an orbit over\n    its poles. Launched in late 1990, it carries particles-and-fields\n    experiments (such as magnetometer, ion and electron collectors for\n    various energy ranges, plasma wave radio receivers, etc.) but no camera.\n\n    Since no human-built rocket is hefty enough to send Ulysses far out of\n    the ecliptic plane, it went to Jupiter instead, and stole energy from\n    that planet by sliding over Jupiter\'s north pole in a gravity-assist\n    manuver in February 1992. This bent its path into a solar orbit tilted\n    about 85 degrees to the ecliptic. It will pass over the Sun\'s south pole\n    in the summer of 1993. Its aphelion is 5.2 AU, and, surprisingly, its\n    perihelion is about 1.5 AU-- that\'s right, a solar-studies spacecraft\n    that\'s always further from the Sun than the Earth is!\n\n    While in Jupiter\'s neigborhood, Ulysses studied the magnetic and\n    radiation environment. For a short summary of these results, see\n    *Science*, V. 257, p. 1487-1489 (11 September 1992). For gory technical\n    detail, see the many articles in the same issue.\n\n\n    OTHER SPACE SCIENCE MISSIONS (note: this is based on a posting by Ron\n    Baalke in 11/89, with ISAS/NASDA information contributed by Yoshiro\n    Yamada (yamada@yscvax.ysc.go.jp). I\'m attempting to track changes based\n    on updated shuttle manifests; corrections and updates are welcome.\n\n    1993 Missions\n\to ALEXIS [spring, Pegasus]\n\t    ALEXIS (Array of Low-Energy X-ray Imaging Sensors) is to perform\n\t    a wide-field sky survey in the "soft" (low-energy) X-ray\n\t    spectrum. It will scan the entire sky every six months to search\n\t    for variations in soft-X-ray emission from sources such as white\n\t    dwarfs, cataclysmic variable stars and flare stars. It will also\n\t    search nearby space for such exotic objects as isolated neutron\n\t    stars and gamma-ray bursters. ALEXIS is a project of Los Alamos\n\t    National Laboratory and is primarily a technology development\n\t    mission that uses astrophysical sources to demonstrate the\n\t    technology. Contact project investigator Jeffrey J Bloch\n\t    (jjb@beta.lanl.gov) for more information.\n\n\to Wind [Aug, Delta II rocket]\n\t    Satellite to measure solar wind input to magnetosphere.\n\n\to Space Radar Lab [Sep, STS-60 SRL-01]\n\t    Gather radar images of Earth\'s surface.\n\n\to Total Ozone Mapping Spectrometer [Dec, Pegasus rocket]\n\t    Study of Stratospheric ozone.\n\n\to SFU (Space Flyer Unit) [ISAS]\n\t    Conducting space experiments and observations and this can be\n\t    recovered after it conducts the various scientific and\n\t    engineering experiments. SFU is to be launched by ISAS and\n\t    retrieved by the U.S. Space Shuttle on STS-68 in 1994.\n\n    1994\n\to Polar Auroral Plasma Physics [May, Delta II rocket]\n\t    June, measure solar wind and ions and gases surrounding the\n\t    Earth.\n\n\to IML-2 (STS) [NASDA, Jul 1994 IML-02]\n\t    International Microgravity Laboratory.\n\n\to ADEOS [NASDA]\n\t    Advanced Earth Observing Satellite.\n\n\to MUSES-B (Mu Space Engineering Satellite-B) [ISAS]\n\t    Conducting research on the precise mechanism of space structure\n\t    and in-space astronomical observations of electromagnetic waves.\n\n    1995\n\tLUNAR-A [ISAS]\n\t    Elucidating the crust structure and thermal construction of the\n\t    moon\'s interior.\n\n\n    Proposed Missions:\n\to Advanced X-ray Astronomy Facility (AXAF)\n\t    Possible launch from shuttle in 1995, AXAF is a space\n\t    observatory with a high resolution telescope. It would orbit for\n\t    15 years and study the mysteries and fate of the universe.\n\n\to Earth Observing System (EOS)\n\t    Possible launch in 1997, 1 of 6 US orbiting space platforms to\n\t    provide long-term data (15 years) of Earth systems science\n\t    including planetary evolution.\n\n\to Mercury Observer\n\t    Possible 1997 launch.\n\n\to Lunar Observer\n\t    Possible 1997 launch, would be sent into a long-term lunar\n\t    orbit. The Observer, from 60 miles above the moon\'s poles, would\n\t    survey characteristics to provide a global context for the\n\t    results from the Apollo program.\n\n\to Space Infrared Telescope Facility\n\t    Possible launch by shuttle in 1999, this is the 4th element of\n\t    the Great Observatories program. A free-flying observatory with\n\t    a lifetime of 5 to 10 years, it would observe new comets and\n\t    other primitive bodies in the outer solar system, study cosmic\n\t    birth formation of galaxies, stars and planets and distant\n\t    infrared-emitting galaxies\n\n\to Mars Rover Sample Return (MRSR)\n\t    Robotics rover would return samples of Mars\' atmosphere and\n\t    surface to Earch for analysis. Possible launch dates: 1996 for\n\t    imaging orbiter, 2001 for rover.\n\n\to Fire and Ice\n\t    Possible launch in 2001, will use a gravity assist flyby of\n\t    Earth in 2003, and use a final gravity assist from Jupiter in\n\t    2005, where the probe will split into its Fire and Ice\n\t    components: The Fire probe will journey into the Sun, taking\n\t    measurements of our star\'s upper atmosphere until it is\n\t    vaporized by the intense heat. The Ice probe will head out\n\t    towards Pluto, reaching the tiny world for study by 2016.\n\n\nNEXT: FAQ #12/15 - Controversial questions\n',
 'From: then@snakemail.hut.fi (Tomi  H Engdahl)\nSubject: Re: Telephone on hook/off hok ok circuit ~\nOrganization: Helsinki University of Technology, Finland\nLines: 17\n\t<laird.734044906@pasture.ecn.purdue.edu>\n\t<1ptolq$p7e@werple.apana.org.au>\nNNTP-Posting-Host: lk-hp-11.hut.fi\nIn-reply-to: petert@zikzak.apana.org.au\'s message of 7 Apr 1993 05:26:18 GMT\n\nIn article <1ptolq$p7e@werple.apana.org.au> petert@zikzak.apana.org.au (Peter T.) writes:\n\n>Since an on-hook line is aprox 48-50V, and off-hook it usually drops below 10V.\n>How about an LED in series with a zener say around 30V.\n>On-hook = LED on\n>Off-hook = LED off.\n>Would this work? If anyone tries/tried it, please let me know.\n\nNot recommended. Your circuit would take too much current, when\ntelephone is on-hook. Telephone company does not like it.\n\n\n--\nTomi.Engdahl@hut.fi  !  LOWERY\'S LAW:\nthen@niksula.hut.fi  !  "If it jams - force it. If it breaks,\n                     !   it needed replacing anyway." \n* This text is provided "as is" without any express or implied warranty *\n',
 'From: pat@rwing.UUCP (Pat Myrto)\nSubject: Re: Some more about gun control...\nOrganization: Totally Unorganized\nLines: 53\n\nIn article <1993Apr16.010235.14225@mtu.edu> cescript@mtu.edu (Charles Scripter) writes:\n<In article <C5Bu9M.2K7@ulowell.ulowell.edu>\n<jrutledg@cs.ulowell.edu (John Lawrence Rutledge) wrote:\n<\n<> [ ... excellent exchange deleted ... ]\n<> It seems to me the whole reason for the Second Amendment, to give\n<> the people protection from the US government by guaranteeing that the\n<> people can over through the government if necessary, is a little bit\n<> of an anachronism is this day and age.  Maybe its time to re-think\n<> how this should be done and amend the constitution appropriately.\n<\n<    Abraham Lincoln, First Inaugural Address, March 4, 1861: "This\n<    country, with its institutions, belongs to the people who inhabit\n<    it.  Whenever they shall grow weary of the existing government,\n<    they can exercise their constitutional right of amending it, or\n<    their revolutionary right to dismember it or overthrow it."\n<\n<    Rep. Elbridge Gerry of Massachusetts, spoken during floor debate\n<    over the Second Amendment, I Annals of Congress at 750, 17 August\n<    1789: "What, Sir, is the use of a militia?  It is to prevent the\n<    establishment of a standing army, the bane of liberty. ...\n<    Whenever Governments mean to invade the rights and liberties of\n<    the people, they always attempt to destroy the militia, in order\n<    to raise an army upon their ruins."\n<\n<So now we know which category Mr. Rutledge is in; He means to destroy\n<our Liberties and Rights.\n\nWhat I find so hard to understand is how come some people, apparantly\nNOT connected with government or otherwise privileged, will\ngo to great lengths, redefinitions, re-interpretations, in a full-bore\nattempt to THROW AWAY THE PROTECTION OF THEIR OWN RIGHTS under the\nConstitution!!!\n\nAlmost makes me think of lemmings running into the sea during a lemming\nyear...\n\nI really wonder that Jefferson and Madison would say to these folks?\n\n<-------------------------------------------------------------\n<"...when all government... in little as in great things, shall be\n<drawn to Washington as the centre of all power, it will render\n<powerless the checks provided of one government on another and will\n<become as venal and oppressive as the government from which we\n<separated."   Thomas Jefferson, 1821\n\nExcellent quote.\n\n-- \npat@rwing.uucp      [Without prejudice UCC 1-207]     (Pat Myrto) Seattle, WA\n         If all else fails, try:       ...!uunet!pilchuck!rwing!pat\nWISDOM: "Only two things are infinite; the universe and human stupidity,\n         and I am not sure about the former."              - Albert Einstien\n',
 'From: cab@col.hp.com (Chris Best)\nSubject: Re: Illusion\nOrganization: your service\nLines: 15\nNNTP-Posting-Host: hpctdkz.col.hp.com\n\n> This is not a new idea.  At least 10 years ago I got this little gadget with\n> a keyboard on the back and 8 LED\'s in a vertical row on the front.  It has a\n> long handle and when you wave it in the air it "writes" the message you typed\n> on the keyboard in the air. \n\n----------\n\nThis is not news.  In fact it\'s where I got the idea from, since it was\nsuch a neat item.  Mattell made it, I believe, modeled after a "space \nsaber" or "light sword" or something likewise theme-y.  My addition was \nusing a motor for continuous display, and polar effects in addition to \ncharacter graphics.  I should have protected it when I had the chance.  \nNo one to kick but myself...\n\nTen years ago is about right, since I built mine in \'84 or \'85.\n',
 'From: caf@omen.UUCP (Chuck Forsberg WA7KGX)\nSubject: Re: My New Diet --> IT WORKS GREAT !!!!\nOrganization: Omen Technology INC, Portland Rain Forest\nLines: 33\n\nIn article <19687@pitt.UUCP> geb@cs.pitt.edu (Gordon Banks) writes:\n>\n>In article <1993Apr13.093300.29529@omen.UUCP> caf@omen.UUCP (Chuck Forsberg WA7KGX) writes:\n>>\n>>"Weight rebound" is a term used in the medical literature on\n>>obesity to denote weight regain beyond what was lost in a diet\n>>cycle.  There are any number of terms which mean one thing to\n>\n>Can you provide a reference to substantiate that gaining back\n>the lost weight does not constitute "weight rebound" until it\n>exceeds the starting weight?  Or is this oral tradition that\n>is shared only among you obesity researchers?\n\nNot one, but two:\n\nObesity in Europe 88,\nproceedings of the 1st European Congress on Obesity\n\nAnnals of NY Acad. Sci. 1987\n\n\n>-- \n>----------------------------------------------------------------------------\n>Gordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\n>geb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n>----------------------------------------------------------------------------\n\n\n-- \nChuck Forsberg WA7KGX          ...!tektronix!reed!omen!caf \nAuthor of YMODEM, ZMODEM, Professional-YAM, ZCOMM, and DSZ\n  Omen Technology Inc    "The High Reliability Software"\n17505-V NW Sauvie IS RD   Portland OR 97231   503-621-3406\n',
 "From: vwelch@ncsa.uiuc.edu (Von Welch)\nSubject: Re: MOTORCYCLE DETAILING TIP #18\nOrganization: Nat'l Ctr for Supercomp App (NCSA) @ University of Illinois\nLines: 22\n\nIn article <1993Apr15.164644.7348@hemlock.cray.com>, ant@palm21.cray.com (Tony Jones) writes:\n|> \n|> How about someone letting me know MOTORCYCLE DETAILING TIP #19 ?\n|> \n|> The far side of my instrument panel was scuffed when the previous owner\n|> dumped the bike. Same is true for one of the turn signals.\n|> \n|> Both of the scuffed areas are black plastic.\n|> \n|> I recall reading somewhere, that there was some plastic compound you could coat\n|> the scuffed areas with, then rub it down, ending with a nice smooth shiny \n|> finish ?\n|> \n\nIn the May '93 Motorcyclist (pg 15-16), someone writes in and recomends using\nrubberized undercoating for this. \n\n-- \nVon Welch (vwelch@ncsa.uiuc.edu)\tNCSA Networking Development Group\n'93 CBR600F2\t\t\t'78 KZ650\t\t'83 Subaru GL 4WD\n\n- I speak only for myself and those who think exactly like me -\n",
 "From: C445585@mizzou1.missouri.edu (John Kelsey)\nSubject: Re: How large are commercial keys?\nNntp-Posting-Host: mizzou1.missouri.edu\nOrganization: University of Missouri\nLines: 20\n\nIn article <1993Apr20.182038.12009@ee.eng.ohio-state.edu>\nbutzerd@maumee.eng.ohio-state.edu (Dane C. Butzer) writes:\n \n>Finally, can anyone even concieve of a time/place where 128 bit keys aren't\n>sufficient?  (I certainly can't - even at a trillion keys a second, it\n>would take about 10 billion years to search just one billionth of that keys\n>space.)\n \n   It depends on the attack.  Adding a bit to the key doubles the amount of\nwork to be done in a straight brute-force attack, where you try every single\npossible key until one works.  Processing and storage requirements for this\nkind of attack on a 128-bit key seem like they ought to make it effectively\nimpossible.  However, there may be other attacks whose difficulty is (for\nexample) proportional to, say, 2**sqrt(n), or some such.  Also, a long\nkey does you little good if there is a way to incrementally guess a little\nof the key at a time....\n \n>Thanks,\n>Dane\n   --John\n",
 "From: rogue@ccs.northeastern.edu (Free Radical)\nSubject: Re: Once tapped, your code is no good any more.\nNntp-Posting-Host: damon.ccs.northeastern.edu\nOrganization: College of CS, Northeastern U\nDistribution: alt\nLines: 21\n\nIn article <Apr18.194927.17048@yuma.ACNS.ColoState.EDU>\nholland@CS.ColoState.EDU (douglas craig holland) writes: \n[...]\n>\tWith E-Mail, if they can't break your PGP encryption, they'll just\n>call up one of their TEMPEST trucks and read the electromagnetic emmisions\n>from your computer or terminal.  Note that measures to protect yourself from\n>TEMPEST surveillance are still classified, as far as I know.\n\nI don't know about classified, but I do seem to remember that unless\nyou're authorized by the Govt, it's illegal to TEMPEST-shield your\nequipment.  Besides, effective TEMPEST-shielding is much more\ndifficult than you might think (hi Jim!).\n\n\tRA\n\nrogue@cs.neu.edu (Rogue Agent/SoD!)\n-----------------------------------\nThe NSA is now funding research not only in cryptography, but in all areas\nof advanced mathematics. If you'd like a circular describing these new\nresearch opportunities, just pick up your phone, call your mother, and\nask for one.\n",
 'From: dmp1@ukc.ac.uk (D.M.Procida)\nSubject: Re: Homeopathy: a respectable medical tradition?\nReply-To: dmp1@ukc.ac.uk (D.M.Procida)\nOrganization: Computing Lab, University of Kent at Canterbury, UK.\nLines: 26\nNntp-Posting-Host: eagle.ukc.ac.uk\n\nIn article <19609@pitt.UUCP> geb@cs.pitt.edu (Gordon Banks) writes:\n\n>Accepted by whom?  Not by scientists.  There are people\n>in every country who waste time and money on quackery.\n>In Britain and Scandanavia, where I have worked, it was not paid for.\n>What are "most of these countries?"  I don\'t believe you.\n\nI am told (by the person who I care a lot about and who I am worried\nis going to start putting his health and money into homeopathy without\nreally knowing what he is getting into and who is the reason I posted\nin the first place about homeopathy) that in Britain homeopathy is\navailable on the National Health Service and that there are about 6000\nGPs who use homeopathic practices. True? False? What?\n\nHave there been any important and documented investigations into\nhomeopathic principles?\n\nI was reading a book on homeopathy over the weekend. I turned to the\nsection on the principles behind homeopathic medicine, and two\nparagraphs informed me that homeopaths don\'t feel obliged to provide\nany sort of explanation. The author stated this with pride, as though\nit were some sort of virtue! Why am I sceptical about homeopathy? Is\nit because I am a narrow-minded bigot, or is it because homeopathy\nreally looks more like witch-doctory than anything else?\n\nDaniele.\n',
 "From: andersom@spot.Colorado.EDU (Marc Anderson)\nSubject: **Sorry folks** (read this)\nNntp-Posting-Host: spot.colorado.edu\nOrganization: University of Colorado, Boulder\nDistribution: na\nLines: 32\n\nIn article <1993Apr21.001707.9999@ucsu.Colorado.EDU> andersom@spot.Colorado.EDU (Marc Anderson) writes:\n[...]\n>\n>(the date I have for this is 1-26-93)\n>\n>note Clinton's statements about encryption in the 3rd paragraph..  I guess\n>this statement doesen't contradict what you said, though.\n>\n>--- cut here ---\n>\n>        WASHINGTON (UPI) -- The War on Drugs is about to get a fresh\n>start, President Clinton told delegates to the National Federation\n>of Police Commisioners convention in Washington.\n>        In the first speech on the drug issue since his innaugural,\n>Clinton said that his planned escalation of the Drug War ``would make\n>everything so far seem so half-hearted that for all practical\n[...]\n\nI just found out from my source that this article was a joke.  Heh heh..  \nIt seemed pretty damn convincing to me from the start -- I just didn't\nnotice the smiley at the end of the article, and there were a few other\nhints which I should of caught.\n\nAnyway -- I guess this 'joke' did turn out to resemble Clinton's true \nfeelings at least to some extent.  \n\nSorry about that...\n\n-marc\nandersom@spot.colorado.edu\n\n\n",
 'From: Minh Lang <minh@inst-sun1.jpl.nasa.gov>\nSubject: Re: Gov\'t break-ins (Re: 60 minutes)\nOrganization: Jet Propulsion Laboratory\nLines: 23\nDistribution: world\nNNTP-Posting-Host: 128.149.109.37\nX-UserAgent: Nuntius v1.1.1d17\nX-XXDate: Mon, 5 Apr 93 16:17:37 GMT\n\nIn article <1993Apr5.155733.114@pasadena-dc.bofa.com> ,\nfranceschi@pasadena-dc.bofa.com writes:\n> In Viet Nam, Lt Calley was tried and convicted of murder because his\n> troops, in a war setting, deliberately killed innocent people. It is\ntime\n> that the domestic law enforcement agencies in this country adhere to\n> standards at least as moral as the military\'s.\n\nNo, Lt Calley was later acquitted. His troops killed 400-500\npeople, including kids, elderly and women... I sure don\'t want\nto see the domestic law enforcement agencies in this country\nadhere to those "military standards"... If they did, we\'re\nall in big trouble...(The My Lai massacre was covered up\nby high-ranking officials and ALL who were involved were\nACQUITTED).\n\n  == Minh ==\n\n+------------------------------------------------------------+\n Minh Lang, Software Engineer  - Jet Propulsion Laboratory\n Instrumentation Systems Group - Instrumentation section 375\n Note:  My employer has nothing to do with what I said here...\n+------------------------------------------------------------+\n',
 'From: me9574@albnyvms.bitnet\nSubject: Apology (printing)\nReply-To: me9574@albnyvms.bitnet\nOrganization: University of Albany, SUNY\nLines: 14\n\nDear Fellow Usenet Users:\n\n\tI would like to give a formal apology for posting an advertisement \nabout my printing business.  I did not intend this to be an advertisement, \nbut rather an offer for people on the usenet, many of whom use printing\non a regular basis.  I was not aware that this is not "legal" on the usenet.\nI am only trying to put myself through college.  For those of you who\nrequested information, I will write to you privately.  For those of you who \nare having fun flooding my mailbox, I think you can grow up.  To offer advice\nis one thing, but to use profanity toward me is another.\n\nThank you,  \n\nMarc    ME9574@albnyvms.bitnet\n',
 'From: gary@colossus.cgd.ucar.edu (Gary Strand)\nSubject: Re: The Slaughter\nOrganization: Climate and Global Dynamics Division/NCAR, Boulder, CO\nLines: 16\n\n  [followups to talk.politics.guns]\n\nrl> Russell Lawrence\nkr> Karl Rominger\n\nkr> I support the right of any citizen with out a criminal history to own and\n    use firearms, regardless of race, gender, and RELIGION.\n\nrl> Thanks for admitting that you, yourself, adhere to an illogical dogma.\n\n  Well, folks in t.p.guns, want to show how Russell\'s "illogical dogma" is\n  wrong?\n\n--\nGary Strand                      Opinions stated herein are mine alone and are\nstrandwg@ncar.ucar.edu            not representative of NCAR, UCAR, or the NSF\n',
 'From: brian@lpl.arizona.edu (Brian Ceccarelli 602/621-9615)\nSubject: Re: Is it good that Jesus died?\nOrganization: Lunar & Planetary Laboratory, Tucson AZ.\nLines: 138\n\nIn article <bskendigC5rBvn.AAI@netcom.com> bskendig@netcom.com (Brian Kendig) writes:\n\n>And I maintain:\n>\n>Some people do not want to enter into the light and the knowledge that\n>they alone are their own masters, because they fear it; they are too\n>afraid of having to face the world on their own terms.  And so, by\n>their own choice, they will remain in darkness, sort of like bugs\n>under a rock.  However, some people, but not many, will not like the\n>darkness.  Sometimes it gets too cold and too dark to be comfortable.\n>These people will crawl out from under the rock, and, although blinded\n>at first, will get accustomed to the light and enjoy its warmth.  And,\n>after a while, now that they can see things for what they really are,\n>they will also see the heights which they can reach, and the places\n>they can go, and they will learn to choose their own paths through the\n>world, and they will learn from their mistakes and revel in their\n>successes.\n\n\nAre you your own master?  Do you have any habits that you cannot break?\nFor one, you seem unable to master your lack of desire to understand\neven the slightest concept of the Bible.  Seems that ignorance has you\nmastered.  How about sexual sins?  Gotta any of those secret desires\nin your head that you harbor but can get control of?   Do you dehumanize\nwomen when they walk past you?  Do you degrade them to a sex object in\nyour head?  Are you the master of that kind of thinking?  Do you insult\npeople unknowingly, then regret it later.  Yet do it again the next\ntime opportunity presents itself?  Are you truly the master of yourself?\n\nI have admitted that I am not the master of my thought life at all times.\nThat I sometimes say things I do want to say, and then repeat my mistake\nunwantingly.  I have admitted to myself that I cannot control every aspect\nof my being.  There are times I know I shouldn\'t say something, but\nthen say it anyway.  There are times I simply forget a lesson.\nI, in fact, am not my own master.  I need help.  Jesus promised me\nthis help.  And I took him up on his offer.  I have willfully let\nJesus be my master because Jesus knows what is better for me than\nI myself do.  And why not?  Does not the creator know his creation\nbetter than the creation?  Does Toyota know what\'s better for the\nCorolla than the Corolla?\n\n>Do you see my point?  I think you\'re the one under the rock, and I\'m\n>getting a great tan out here in the sunlight.  My life has improved\n>immesurably since I abandoned theism -- come and join me!  It will be\n>a difficult trip at first, until you build up your muscles for the\n>long hike, but it\'s well worth it!\n\nThen I guess ignorance is bliss for you.  Because Brian, you enjoy\nnot having a clue about the Bible.   \n\n>Don\'t you see?  I\'m not going to accept ANYTHING that I can\'t witness\n>with my own eyes or experience with my own senses, especially not\n>something as mega-powerful as what you\'re trying to get me to accept.\n>Surely if you believe in it this strongly, you must have a good\n>*reason* to, don\'t you?\n\n\nCan you witness motherly love with your senses?  How does caring and\nconcern for you register with your senses?  If nothing registers\nto you other than what you can see, taste, smell, hear and touch,\nthen you better become a Vulcan and fast.  You better get rid\nof your emotions.\n\nAnd I do have a good reason to believe what I do.\n\n\n>When did I say that?  I say that I would rather CEASE EXISTING instead\n>of being subject to the whims of a deity, but that if the deity\n>decided to toss me into the fiery pits because of who I am, then so be it.\n\nThe topic was about my God and your lack of knowledge about what my\nGod says.   My God says that you will not CEASE EXISTING.  You have\nlife forever.  You can choose to either live it in hell in eternal\ntorment where there is no communication whatsoever, or can choose to \nlive it in paradise with God.  That is what my God says.  And that\nwas the issue.  Your made-up theism is what it is--made up.  It\'s\nwishful thinking.\n \n>Nope -- most people are Christian.  Most people are fond of feeling\n>that they are imperfect, of believing that the world is an undesirable\n>place, of reciting magical mystical prayers to make the world nice and\n>holy again, of doing just as their priests tell them, like good little\n>sheep.  You enjoy darkness, and you\'re proud of it.\n\nIs this the religion of Kendigianism?  Most people are not Christian.  Most\npeople, including Christians,  are not fond of feeling that they\nare imperfect.  Is "the world an undesireable place" a doctrine\nof Kendigianism?  It has nothing to do with my God.  Does\nKendigism have magical mystical prayers as a part of its worship?\nMine doesn\'t.  Does Kendigianism believe that the world will be holy again?  \nMine doesn\'t.  Does Kendigianism also dictate that one must obey what the\npriest tells them like good little sheep?  Mine doesn\'t.  Is this\na bunch of lies you tell yourself so that you can justify being \nignorant of the Bible?\n\nBrian, following Christ has nothing to do with the doctrines of Kendigianism.\nYou would find any of your doctrines in the Bible.   I don\'t follow Kendigianism.\nI follow Christ.   Also, to try to again show you your ignorance\nof Christ and the Bible in regards to "priests",  have you not read about\nthe sole Melchizedek priest in Hebrews 7 and 8?  Have you not read what the\npurpose is of the Old Testament Levitical priesthood and why there should\nNOT be priests today?  Yes, guess what?  The Catholics messed up.  I do\nnot follow Catholicism or any "ism."  I follow Christ.\n\n>Nope.  You make decisions, enjoy your successes, and accept your\n>failures; then you die.  If you are content with the life you\'ve led\n>as you reflect back on it in your final moments, then you\'ve led a\n>good life.\n\nWhy would you want to live a good life?\nTo you, you die and that\'s it.  Don\'t contradict yourself.  You have\nno reason to live a good life.  It doesn\'t do you any good in the\nend.  Your life doesn\'t do anybody else any good  either because\neveryone dies anyway.  So you have no reason to lead a good life. Leading\na good life is meaningless.   Why do you do such a meaningless thing?\n\n>I\'m sorry, I don\'t feel that sacrificing Jesus was something any god\n>I\'d worship would do, unless the sacrifice was only temporary, in\n>which case it\'s not really all that important.\n\nHas the resurrection sunk in?  Jesus is alive.  Jesus is NOT dead.\nJesus was sacrified to fufill the Old Testament sacrificial system\nin its every detail.  Jesus\'s death was like a seed.  He needed\nto fall to the ground so that many new lives would take root.  Did\nyou miss the entire John passage as well?  \n\n\n>Forget the Bible for a minute.  Forget quoting verses, forget about\n>who said what about this or that.  *Show me.*  Picture just you and me\n>and a wide open hilltop, and convince me that you\'re right.\n\nForget that I am a person.  Forget that I know how to type.  Forget\nthat I know how to put a sentence together.  Forget that I know\nhow to send e-mail.   Forget my existence.  Proove to me that I\nexist.  .\n\n\nBe honest.\n',
 'From: gaia@carson.u.washington.edu (I/We are Gaia)\nSubject: Re: Plymouth Sundance/Dodge Shadow experiences?\nOrganization: University of Washington, Seattle\nLines: 115\nDistribution: usa\nNNTP-Posting-Host: carson.u.washington.edu\n\nIn article <oprsfnx.735015349@gsusgi1.gsu.edu> oprsfnx@gsusgi2.gsu.edu (Stephen F. Nicholas) writes:\n>daubendr@NeXTwork.Rose-Hulman.Edu (Darren R Daubenspeck) writes:\n>\n>\n>>> they are pretty much junk, stay away from them.  they will be replaced next\n>>> year with all new models.  \n>\n>\n>>Junk?  They\'ve made the C&D lists for years due to their excellent handling and  \n>>acceleration.  They have been around since about, oh, 85 or 86, so they\'re not  \n>>the newest on the lot, and mileage is about five to eight MPG under the class  \n>>leader.  You can get into a 3.0 L v-6 (141 hp) Shadow for $10~11K (the I-4  \n>>turbo a bit more), and a droptop for $14~15K.  \n>\n>\n> As an ex-Fleet Mgr. of 3000 cars, they were amoung the most trouble free of\n>all models.  I bought one for my wife.\n>\n\n\n*nnnnnnnng* Thank you for playing, I cannot agree with this.  I believed\nthis and to put it nicely, it was a piece of junk!\n\nI loved this car, I babied it, I pampered it, and after 2 years, it just\ncouldn\'t stay together, I would say that not everyone will have the\nproblems that I had, but know this, it\'s not just the car, it is the\nability to get the car fixed, which will NOT happen at any\nchrysler/dodge/take your pick dealer.  I don\'t care if there are going to\nreform their dealers/service with the intro of the LH cars, I will believe\nit when I see it.  Case and point, the local dodge dealer.  You drive up,\njust looking, you don\'t even get out of your door, when about 10 (yes 10)\nsalesman all eye you like their next meal, and literally pounce on you,\nand try to get you to make a deal, on everything your eye wanders towards.\nService is about 2 times worse than that.  I had an alignment problem, but\nthey tried to tell me that the K frame was bent, and about 2000 dollars of\nwork/parts to fix it.  Let me tell you the problems I had, and I took care\nof this car, I put alot of miles on it in the first couple years, but took\nit to every checkup it needed, and many that shouldn\'t have been.\n\n1988 Dodge Shadow ES\n\nThese were replaced within the 4 years that I owned the car.\n\nEngine \n4 Alternators\nRear Suspension Torsion Bar\n2 Water pumps\n5 thermostats\nHall effect sensor\nMain computer\n4 Batteries\n\nThese were rebuilt/repaired\n\nRadiator\nAutomatic Transmission\nPower Steering\n\n\nThose are just the things I can remember off the top of my head.  For\nabout a year before I sold the car, I said to myself, it\'s a good car, I\njust can\'t find anybody competent enough the fix it.  In the end, before I\ntraded it in for a Saturn, the power steering started acting up again.  I\njust stopped putting money into it.  I must have put at least $5000-$7000\nworth of repairs over it\'s lifetime.  I am sorry but Lee Iacocca can bite\nme.  Bullshit, whoever backs em best, is just afraid the stupid things are\ngoing to fall apart, and no one will buy them without assurance, why the\nhell do you think that LH has been nicknamed Last Hope.\n\nYou can do better, and I know people will disagree with me here, but\nJapanese, like Honda, or Toyota, or the only american car company that I\nfeel is a quality product, Saturn.  I will not touch another chrysler\nproduct again, no way.  I don\'t care how good the LH cars look good, and I\nwill admit they look promising, but not with the support that you get.  GM\nisn\'t much better, thank god, they don\'t control Saturn, like they do\ntheir divisions, or it would be just another marketing ploy.  \n\nDon\'t get me wrong, i will be watching my car (which I do like) like a\nhawk for the next 4 years.  I am much more hesitant to say it (or any) car\nis really good, until it has proved itself to me.\n\nBut since someone else pointed out C&D as a source.  I will note, because\nI used to read these magazines, that Car and Driver has never had a good\nthing to say about most Chrysler products (Shadow for one), always were\nthey moaning about the reguritated K-car, and engine.  Whereas Motor Trend\nalways thought they were great cars.  No car magazine is really objective.\n\nAnd although there are alot of people who don\'t like Consumers Reports, I\nwill use them to reinforce my argument (I already know about the big stink\nwith the Saturn crash tests, time will tell how good a car they are), the\nshadow/sundance rate much worse than average, in fact none of the\nchrysler\'s rate a better than average, I think the best one is just\naverage.  Excluding the diamond star/mitsubishi stuff and the LH\'s.  You\ncan find bad stuff about the Shadow.  Try as I might, when I researched\nthe Saturn, I could not find anything bad about it.  There is a great deal\nof information about this company, just because it is a new american\ncompany and it has created quite a stir in the automotive community, for\ngood reason.  Much more than the introduction of any new model lines of\nany established company.  I read an article, which had a sub-column, an I\nthink this imprinted on me more than anything else.  Some big wig in\nToyota said and I quote, "We are watching them very closely."  Come on,\neverybody grow up, the foreign cars, especially the japanese have been\nkicking our butts, for good reason, the american car companies could not make\na good product or support the customer the way they want these days, to\nset in their ways, which is one of the reasons Saturn was created.  They\nare still struggling because they haven\'t learned yet.  They have the\nability, the workers are not inferior, the technology is not out of date,\nbut their attitude is, and they are just finding this out.  It\'s called\ncompetition gentleman/women if you don\'t satisfy the demand of the\nconsumer, well your out..  \n\n*asbestos suit on*\n\nGaia\n\n',
 "From: mpretzel@cs.utexas.edu (Benjamin W. Allums)\nSubject: Re: Mac II SCSI & PMMU socket question\nOrganization: CS Dept, University of Texas at Austin\nLines: 29\nDistribution: world\nNNTP-Posting-Host: tokio.cs.utexas.edu\n\nIn article <1qkmb2$n0d@jethro.Corp.Sun.COM> khc@marantz.Corp.Sun.COM writes:\n\n>1. The Mac II is supposed to have a socket for the MC68851 PMMU chip. Could\n>anyone let me know where that socket is on the motherboard. I have obtained\n>a PMMU chip (16 Mhz) from a surplus store, and would like to install it onto\n>my Mac II (circa 1987). But I cannot see the socket myself when I tried to\n>install it.\n\nThe original Mac II had an Apple MMU chip installed which performs a subset\nof the 68851's functions.  If you look underneath your front left floppy\nbay you will find three chips, all approximately the same size.  One will\nbe the 68020, the next the 68881, and the third, approximately the same\nsize, will be the Apple chip.  It is easy to spot because it has a 'hump'\nin the middle of it.\n\n\nExample:\n\n\n                         -----------\n                        /           \\\\\n         ---------------             ---------------\n         |                                         |\n         |                                         |\n\nThat and the Apple logo should make it easy to find.\n\nBen\nmpretzel@cs.utexas.edu\n",
 'From: mfrhein@wpi.WPI.EDU (Michael Frederick Rhein)\nSubject: Re: ATF BURNS DIVIDIAN RANCH! NO SURVIVORS!!!\nOrganization: Worcester Polytechnic Institute\nLines: 74\nNNTP-Posting-Host: wpi.wpi.edu\n\nIn article <93109.13404334AEJ7D@CMUVM.BITNET> <34AEJ7D@CMUVM.BITNET> writes:\n>I will be surprised if this post makes it past the censors,\n>but here goes:\n>\n>Monday, 19 April, 1993 13:30 EDT\n>\n>                    MURDER  MOST  FOUL!!\n>\n>CNN is reporting as I write this that the ATF has ignited all\n                                           ^^^^^^^^^^^^^^^\nI watched the CNN report and I never heard them report that the ATF started the\nfire.  They did speculate that the type of CS gas might have _accidentaly_\nstarted the fire.  \n\n>the buildings of the Branch Dividian ranch near Waco, TX. The\n>lies from ATF say "holes were made in the walls and \'non-lethal\' tear\n>gas pumped in". A few minutes after this started the whole thing went up.\n                 ^^^^^^^^^^^^^\nFrom my understanding of the CNN report it was 6 HOURS after they started.\n\n>ALL buildings are aflame. NO ONE HAS ESCAPED. I think it obvious that\n>the ATF used armored flame-thrower vehicles to pump in unlit\n              ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nThe track vehicle that I saw in the vicinity of the building where fire was \nfirst noticed looked more like an armored recovery vehicle (the type used to \ntow tanks of battle fields) and not an armored flame-thrower vehicle.\n\n>napalm, then let the wood stove inside ignite it.\n                      ^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nAs someone else has pointed out, why would the stove be in use on a warm day  \nin Texas.  It seems to me that it would be very poor planing to hope for a wood\nstove to ignite the "napalm" when the stove would probably not be in use.  And \nI doubt that it would have taken 6 hours to ignite it.\n\n>\n>THIS IS MURDER!\n>\n>ATF MURDERERS!  BUTCHERS!!\n>\n>THIS IS GENOCIDAL MASS-SLAUGHTER OF INNOCENT PEOPLE, INCLUDING CHILDREN!\n>\n>I have predicted this from the start, but God, it sickens me to see\n>it happen. I had hoped I was wrong. I had hoped that there was\n>still some shred of the America I grew up with, and loved, left\n>alive. I was wrong. The Nazis have won.\n                         ^^^^^^^^^^^^^^\nRight Clinton is in office.  (Sorry I couldn\'t resist, please no flames :))\n\n>\n>I REPEAT, AS OF THIS TIME THERE ARE **NO  SURVIVORS**!\n>\n>God help us all.\n>\n>\n>PLEASE CROSSPOST -- DON\'T LET THEM GET AWAY WITH THE SLAUGHTER OF THE CHILDREN!\n>\n>\n>W. K. Gorman - an American in tears.\n\nIn short Mr. Gorman (I am assuming Mr. as a title because I don\'t think a woman\nwould be stupid enough to make this post) I don\'t know what episode of CNN you\nwere watching but it obviously was not the same one that I was watching or your\ntears seamed to have blured your hearing along with your eye sight.\n\nPlease excuse any mispelled words as I am a product of the Arkansas education\nsystem which Slick Willie of the "Double Bubba Ticket" has so greately improved\nduring his tenour as Governer of my great state (taking it from 49th in the \nnation in 1980 and allowing it to drop to 51st, how I don\'t know, and bringing\nit to 44st and back to either 48th or 49th in 1990--sorry I can\'t rember the \nsource of these numbers but they can be found).\n\nMichael F. Rhein\n\n\n',
 "From: system@garlic.sbs.com (Anthony S. Pelliccio)\nSubject: Re: Beginner's RF ???\nOrganization: Antone's Italian Kitchen and Excellence in Operating Network\nX-Newsreader: rusnews v1.02\nLines: 27\n\nklink@cbnewsl.cb.att.com (steven.r.klinkner) writes:\n\n> Can anybody recommend a good, application-oriented beginner's reference\n> to RF circuits?  \n> \n> I am pretty good on theory & know what different types of modulation mean, \n> but don't have a lot of practical experience.  A book detailing working\n> circuits of different types (modulation, power, frequency, what is legal,\n> what is not, et cetera), would be very helpful.\n> \n> Thanks.\n\nWell, you might try the A.R.R.L.'s license study guides. For example, my\nAdvanced Class study guide has lots and lots of good RF and electronics\ntheory in it. I would imagine the other books are good too.\n\nTony\n\n-----------------------------------------------------------------------\n-- Anthony S. Pelliccio, kd1nr/ae    // Yes, you read it right, the  //\n-- system @ garlic.sbs.com          // man who went from No-Code    //\n-----------------------------------// (Thhhppptt!) to Extra in     //\n-- Flame Retardent Sysadmin       // exactly one year!            //\n-------------------------------------------------------------------\n-- This is a calm .sig! --\n--------------------------\n\n",
 'From: kozloce@wkuvx1.bitnet\nSubject: Re: Tie Breaker....(Isles and Devils)DIR\nOrganization: Western Kentucky University, Bowling Green, KY\nLines: 25\n\nIn article <1993Apr18.222115.6525@ramsey.cs.laurentian.ca>, maynard@ramsey.cs.laurentian.ca (Roger Maynard) writes:\n> In <lrw509f@rpi.edu> wangr@vccsouth22.its.rpi.edu ( Rex Wang ) writes:\n> \n>>I might not be great in Math, but tell me how can two teams ahve the same points\n>>with different record??? Man...retard!!!!!! Can\'t believe people actually put\n>>win as first in a tie breaker......\n> \n> Well I don\'t see any smileys here.  I am trying to figure out if the poster\n> is a dog or a wordprocessor.  Couldn\'t be neither.  Both are smarter than\n> this.\n> \n> "I might not be great in Math"\n> \n> \n> -- \n> \n> cordially, as always,                      maynard@ramsey.cs.laurentian.ca \n>                                            "So many morons...\n> rm                                                   ...and so little time." \n\nRoger? Lecture someone on not using smileys? What sweet hipocracy...\n\nKOZ\n\nLETS GO CAPS!!\n',
 'From: tclock@orion.oac.uci.edu (Tim Clock)\nSubject: Re: Israel\'s Expansion II\nNntp-Posting-Host: orion.oac.uci.edu\nOrganization: University of California, Irvine\nLines: 20\n\nIn article <93111.225707PP3903A@auvm.american.edu> Paul H. Pimentel <PP3903A@auvm.american.edu> writes:\n>What gives Isreal the right to keep Jeruseleum?It is the home of the muslim a\n>s well as jewish religion, among others.Heck, nobody ever mentions what Yitza\n>k Shamir did forty orfifty yearsago which is terrorize westerners much in the\n> way Abdul Nidal does today.Seems Isrealis are nowhere above Arabs, so theref\n>ore they have a right to Jerusaleum as much as Isreal does.\n\nIf "ownership" were rightly based on "worthiness" there wouldn\'t be any owners.\nWhat is your point?\n\nAs I understand it, Israel\'s "claim" on Jerusalem is based on 1) possession,\nand 2) the absolutely CENTRAL (not second, not third) role it plays in jewish \nidentity. \n\n\n--\n______________________________________________________________________________\nTim Clock                                 Ph.D./Graduate student\n[tclock@orion.oac.uci.edu]                Department of Politics and Society\n"We have met the                          tel:(714)8565361/Fax:(714)8568441\n',
 'From: ib@ivan.asd.sgi.com (Ivan Bach)\nSubject: Re: Adobe Photo Shop type software for Unix/X/Motif platforms?\nNntp-Posting-Host: ivan.asd.sgi.com\nOrganization: Silicon Graphics, Inc., Mountain View, CA\nLines: 9\n\nWe have been shipping for over one year the Adobe Display PostScript (DPS)\non Silicon Graphics workstations, file servers, and supercomputers.\nThe Adobe Illustrator 3.5 for Silicon Graphics machines was released\nlast February.  Adobe and SGI announced last October that Photoshop\nwill be available on SGI systems in 1993.  Initial release will support \n24-bit color graphics.\n\nIvan Bach, ib@sgi.com\nDisclaimer: I do not speak for my employer.\n',
 'From: bil@okcforum.osrhe.edu (Bill Conner)\nSubject: Re: some thoughts.\nNntp-Posting-Host: okcforum.osrhe.edu\nOrganization: Okcforum Unix Users Group\nX-Newsreader: TIN [version 1.1 PL9]\nLines: 18\n\nKent Sandvik (sandvik@newton.apple.com) wrote:\n: In article <11838@vice.ICO.TEK.COM>, bobbe@vice.ICO.TEK.COM (Robert\n: Beauchaine) wrote:\n: >   Someone spank me if I\'m wrong, but didn\'t Lord, Liar, or Lunatic\n: >   originate with C.S. Lewis?  Who\'s this Campollo fellow anyway?\n\n: I do think so, and isn\'t there a clear connection with the "I do\n: believe, because it is absurd" notion by one of the original\n: Christians (Origen?).\n\nThere is a similar statement attributed to Anselm, "I believe so that\nI may understand". In both cases reason is somewhat less exalted than\nanyone posting here could accept, which means that neither statement\ncan be properly analysed in this venue.\n\nBill\n\n\n',
 "From: tom_milligan@rainbow.mentorg.com\nSubject: Anyone with L'Abri Experiences\nOrganization: Mentor Graphics Corporation\nLines: 6\n\nI am curious if anyone in net-land has spent any time at any of the L'Abri\nhouses throughout the world and what the experience was like, how it affected\nyou, etc.  Especially interesting would be experiences at the original L'Abri\nin Switzerland and personal interactions with Francis and/or Edith Schaeffer.\n\nTom Milligan\n",
 "From: cs1442au@news.uta.edu (cs1442au)\nSubject: Reboot problem\nOrganization: University of Texas at Arlington\nLines: 38\n\nFrom x51948b1@usma1.USMA.EDU Tue Apr 20 10:28:47 1993\nReceived: from usma1.usma.edu by trotter.usma.edu (4.1/SMI-4.1-eef)\n\tid AA01628; Tue, 20 Apr 93 11:27:50 EDT\nReceived:  by usma1.usma.edu (5.51/25-eef)\n\tid AA03219; Tue, 20 Apr 93 11:20:18 EDT\nMessage-Id: <9304201520.AA03219@usma1.usma.edu>\nDate: Tue, 20 Apr 93 11:20:17 EDT\nFrom: x51948b1@usma1.USMA.EDU (Peckham David CDT)\nTo: cs1442au@decster.uta.edu\nSubject: Problem.\nStatus: OR\n\n--------------------\n\nI am running a Unisys PW2 386SX20 with DOS 6.  My problem, even when I had DOS\n5.0, is that when I have EMM386 loaded I can't CTL-ALT-DEL.  If I do, the\ncomputer beeps a few times rapidly and hangs.  Then I have to use the obscure\nreset (requires a screwdriver or pencil) or the power switch to reboot.  Does\nanyone have a solution to this problem?\n\nE-mail me at x51948b1@usma1.usma.edu\n\nDave\n---------------------\n\nThanks,\n\ndave\n-------------------------------------------------------------------------\nDavid S. Peckham                   |  Internet : x51948b1@usma1.usma.edu\nU.S. Military Academy              |\n-------------------------------------------------------------------------\n\n-- \n Jason Brown\ncs1442au@decster.uta.edu\n------------------------------------------------------------------------\nFav player Ruben Sierra\n",
 'From: menon@boulder.Colorado.EDU (Ravi or Deantha Menon)\nSubject: Re: eye dominance\nOrganization: University of Colorado, Boulder\nLines: 38\nNntp-Posting-Host: beagle.colorado.edu\n\nnyeda@cnsvax.uwec.edu (David Nye) writes:\n\n>[reply to rsilver@world.std.com (Richard Silver)]\n> \n>>Is there a right-eye dominance (eyedness?) as there is an overall\n>>right-handedness in the population? I mean do most people require less\n>>lens corrections for the one eye than the other? If so, what kinds of\n>>percentages can be attached to this?  Thanks.\n> \n>There is an "eyedness" analogous to handedness but it has nothing to do\n>with refractive error.  To see whether you are right or left eyed, roll\n>up a sheet of paper into a tube and hold it up to either eye like a\n>telescope.  The eye that you feel more comfortable putting it up to is\n>your dominant eye.  Refractive error is often different in the two eyes\n>but has no correlation with handedness.\n> \n>David Nye (nyeda@cnsvax.uwec.edu).  Midelfort Clinic, Eau Claire WI\n>This is patently absurd; but whoever wishes to become a philosopher\n>must learn not to be frightened by absurdities. -- Bertrand Russell\n\n\nWhat do you mean "more comfortable putting it up to."  That seems a bit\nhard to evaluate.  At least for me it is.  \n\nStare straight Point with both hands together and clasp so that only the\npointer fingers are pointing straight forward to a a spot on the wall about\neight feet away.  First stare at the spot with both eyes open.  Now\nclose your left eye.  Now open your left eye.  Now close your right eye.\nnow open your right eye.\n\nIf the image jumped more when you closed your right eye, you are right\neye dominant.\n\nIf the image jumped more when you closed your left eye, you are left eye\ndominant.\n\n\nDeantha\n',
 'From: jon@bigdog (Jon Wright)\nSubject: Anybody tape Daytona?\nOrganization: Pages Software Inc.\nLines: 13\n\nIn article <C5L5Fy.GH9@acsu.buffalo.edu> v060j5kb@ubvmsb.cc.buffalo.edu (Mark W  \nOlszowy) writes:\n> I haven\'t seen anything about it yet, but if it\'s already been mentioned I\'m\n> sorry for the repost.  Anyways, TNN is showing Daytona on Sunday April 18\n> at 7:00pm to 8:30pm (EST).  Don\'t miss it.  It\'s got a hell of a finish!\n\nWell, I looked for it and didn\'t manage to find it in my listings for TNN.  Has  \nanybody taped it VHS, and could they be persuaded to lend it to me after they  \nwatch it?  I would be most greatful.\n-- \n------------------------------------------------------------------------------\nJon Wright              "Now how the hell did              Pages Software Inc.\nDoD #0823              THAT come outa my mouth?"                  \'86 VFR700f2\n',
 'From: oxenreid@chaos.cs.umn.edu ()\nSubject: Re: Radar detector DETECTORS?\nNntp-Posting-Host: chaos.cs.umn.edu\nOrganization: University of Minnesota\nLines: 23\n\nIn <1993Apr06.173031.9793@vdoe386.vak12ed.edu> ragee@vdoe386.vak12ed.edu (Randy Agee) writes:\n\n>So, the questions are -\n>  What do the radar detector detectors actually detect?\n>  Would additional shielding/grounding/bypassing shield stray RF generated by\n>  a radar detector, or is the RF actually being emitted by the detector\n>  antenna?\n>  Are any brands "quieter" than others?\n\nOk, so your a HAM.   Well, tune in 10.7Mhz or 455Khz.  These numbers sound \nlike some you have herd before?   Thats right, you guessed it, they are \ncommon IF numbers.   Every Super-Het receiver has a local oscillator(s)\nwhich generates an IF.  This is what your detector detector is detecting (the\nlocal oscillator). \n\nSome of these have two or more local oscillator which generate more ways to\nreceiver you.  If you want to receiver something at say 10.525Ghz you must \ngenerate a local oscillator signal of 10.525Ghz - 10.7Mhz = your local osc\nfrequency.  This 10.7Mhz IF is then fed into a normal AGC ckt.  \nThe detector is keyed uppon the AGC voltage (your mileage may vary).  Since\nthe AGC is a negative feed back device, a positive voltage sets off a ...\nI think you get the picture.\n\n',
 'From: alung@megatest.com (Aaron Lung)\nSubject: Re: Exploding TV!\nOrganization: Megatest Corporation\nDistribution: usa\nLines: 39\n\nIn article <1qk4hj$qos@vtserf.cc.vt.edu> prasad@vtaix.cc.vt.edu (Prasad Ramakrishna) writes:\n>I had a GE Emerson 13" color TV for about 3 years and one fine day,\n>while we were watching something (I doubt if the program was the cause),\n>we heard a mild explosion.   Our screen went blank but there was sound,\n>so we thought, \'oh we have special effects on the program\'.  But soon\n>the sound stopped and smoke started to appear at the back of the TV.\n>The brilliant EEs we are, we unplugged the TV and called customer service\n>only to be thrown around by please hold, I will transfer u to blah blah..\n>  Finally we abandoned the idea of trying to fix the TV and got a new one\n>(we wanted a bigger one too!).\n> After all the story, what I wanted to know is: Is my problem an isolated\n>incident or a common one? (I recall reading about Russian TVs exploding, but\n>not here, in the US). Why would the picture tube explode or even smoke?\n> I still have the left over TV set, I might dig into it this summer. Any\n>idea where I can get parts for these things? (probably will cost more than TV).\n>\n\nHeh, heh, heh, heh....I laugh because I have the same damn TV, and it\ndid the same thing!  Actually it is a Goldstar, but it\'s essentially the\nsame TV and electronics--just a different face plate and name.\n\n#1.  Fortunately, TV tubes don\'t explode.  I\'d think the TV mfrs want\nto make this possibility remote as possible.  If at all, they\'ll \n*implode* and the glass that blows out would be the result of the\nglass boucing off the back of the tube due to the implosion. In any\ncase, don\'t kick it around! :-) \n\n#2  I fixed the TV after getting a hold of some schematics.  It turned\nout to be a blown 2W resistor feeding the flyback transformer.  I guess\nthe original resistor was a bit too small to dissipate the heat it\ncreated, burning itself out.  I checked to make sure the flyback wasn\'t\nshorted or anything first!  Oh, luckily, I had a resistor handy lying\naround that had just the right value for what I needed.  I can\'t see it\nbeing more than 50 cents!.\n\nWell, needless to say, the TV still works today.  So go get a set of\nschematics and have some fun...just don\'t get shocked poking around\nthe flyback.\n\n',
 "From: jonathan@comp.lancs.ac.uk (Mr J J Trevor)\nSubject: [SNES] Games for sale/trade\nOrganization: Department of Computing at Lancaster University, UK.\nLines: 29\n\n\nI have the following games for sale or trade for other SNES (or\nGenesis/MegaDrive games):\n(all have instructions and box except where stated)\n\nSFC:\nMickeys Magical Quest (no instructions)\nA.Suzukis Super GrandPrix\nLegend of the Mystical Ninja\n\nUK SNES:\nOut of this World / Another World\nSuper Soccer\n\nUS SNES:\nKrustys Fun House\nIrem Skins Golf\nSuper Tennis (currently under offer)\n\nI will sell for US$ for UK pounds.\n\nCheers\nJonathan\n\n-- \n___________\n  |onathan   Phone: +44 524 65201 x3793 Address:Department of Computing\n'-'________    Fax: +44 524 381707              Lancaster University\n            E-mail: jonathan@comp.lancs.ac.uk   Lancaster, Lancs., U.K.\n",
 "From: ytwu@magnus.acs.ohio-state.edu (Yih-Tyng Wu)\nSubject: Help! How to test SIMMs?\nNntp-Posting-Host: top.magnus.acs.ohio-state.edu\nOrganization: The Ohio State University\nLines: 10\n\n\nHello,\n  I just got some SIMMs,  at least one of which does not work. I don't know if \nthere is a software that can test SIMMs thoroughly or I could just rely on the \nRAM test performed by my computer during the start up. When I installed a dead \nSIMM into an LC or  an LC II, there would be a strange music and no display on \nthe screen. Why? I need your help! Thanks in advance\n\nYih-Tyng\nytwu@magnus.acs.ohio-state.edu\n",
 'From: kday@oasys.dt.navy.mil (Kevin Day)\nSubject: Re: Lots of runs\nReply-To: kday@oasys.dt.navy.mil (Kevin Day)\nOrganization: Carderock Division, NSWC, Bethesda, MD\nLines: 18\n\nIn rec.sport.baseball, CROSEN1@ua1vm.ua.edu (Charles Rosen) writes:\n>I have noticed that this year has had a lot of high scoring games (at least the\n>NL has).  I believe one reason are the expansion teams.  Any thoughts?\n>\n\n  Except for the fact that there seems to be a lot of high scoring AL\ngames also and I don\'t think the expansion teams directly affect them.\n\nK. Scott Day   (kday@oasys.dt.navy.mil)\nCarderock Division, Naval Surface Warfare Center\nCode 1252\nBethesda, Maryland 20084-5000\n\n------------------------------------------------------------------------\n*    "The point to remember is that what the government gives       \n*     it must first take away."\n*                                        -John S. Coleman           \n------------------------------------------------------------------------\n',
 'From: atom@netcom.com (Allen Tom)\nSubject: Re: Dumb options list\nOrganization: Sirius Cybernetics Corporation - Complaints\nLines: 22\n\nIn article <93Apr16.185044.18431@acs.ucalgary.ca> parr@acs.ucalgary.ca (Charles Parr) writes:\n>The idea here is to list pointless options. You know, stuff you\n>get on a car that has no earthly use?\n>\n>\n>1) Power windows\n\nI like my power windows. I think they\'re worth it.\n\nHowever, cruise control is a pretty dumb option. What\'s the point?\nIf you\'re on a long trip, you floor the gas and keep your eyes on\nthe rear-view mirror for cops, right?\n\nPower seats are pretty dumb too, unless you\'re unlucky enough to have\nto share your car. Otherwise, you\'d just adjust it once and just leave\nit like that.\n\n-- \n+-------=Allen Tom=-------+ "You\'re not like the others... You like the same\n| atom@soda.berkeley.edu  |  things I do... Wax paper... Boiled football\n| atom@netcom.com         |  leather... Dog breath... WE\'RE NOT HITCHHIKING\n+-------------------------+  ANYMORE... WE\'RE RIDING!" -- ren\n',
 'From: cobb@alexia.lis.uiuc.edu (Mike Cobb)\nSubject: Christian Morality is\nOrganization: University of Illinois at Urbana\nLines: 51\n\nIn <11836@vice.ICO.TEK.COM> bobbe@vice.ICO.TEK.COM (Robert Beauchaine) writes:\n\n>In article <C5L1Ey.Jts@news.cso.uiuc.edu> cobb@alexia.lis.uiuc.edu (Mike \nCobb) writes:\n>>In <11825@vice.ICO.TEK.COM> bobbe@vice.ICO.TEK.COM (Robert Beauchaine) \nwrites:\n>>\n>>\n>>>  Actually, my atheism is based on ignorance.  Ignorance of the\n>>>  existence of any god.  Don\'t fall into the "atheists don\'t believe\n>>>  because of their pride" mistake.\n>>\n>>How do you know it\'s based on ignorance, couldn\'t that be wrong? Why would it\n>>be wrong \n>>to fall into the trap that you mentioned? \n>>\n\n>  If I\'m wrong, god is free at any time to correct my mistake.  That\n>  he continues not to do so, while supposedly proclaiming his\n>  undying love for my eternal soul, speaks volumes.\n\nWhat are the volumes that it speaks besides the fact that he leaves your \nchoices up to you?\n\n>  As for the trap, you are not in a position to tell me that I don\'t\n>  believe in god because I do not wish to.  Unless you can know my\n>  motivations better than I do myself, you should believe me when I\n>  say that I earnestly searched for god for years and never found\n>  him.\n\nI definitely agree that it\'s rather presumptuous for either "side" to give some\npsychological reasoning for another\'s belief.\n\nMAC\n>/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\ \n\n>Bob Beauchaine bobbe@vice.ICO.TEK.COM \n\n>They said that Queens could stay, they blew the Bronx away,\n>and sank Manhattan out at sea.\n\n>^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n\n--\n****************************************************************\n                                                    Michael A. Cobb\n "...and I won\'t raise taxes on the middle     University of Illinois\n    class to pay for my programs."                 Champaign-Urbana\n          -Bill Clinton 3rd Debate             cobb@alexia.lis.uiuc.edu\n                                              \nWith new taxes and spending cuts we\'ll still have 310 billion dollar deficits.\n',
 'From: Brian.Vaughan@um.cc.umich.edu (Brian Vaughan)\nSubject: For Sale: Kawasaki EX500 (Michigan)\nOrganization: University of Michigan\nLines: 13\nDistribution: world\nNNTP-Posting-Host: dss1.uis.itd.umich.edu\n\n                             * FOR SALE *\n                        From Ann Arbor, Michigan\n\n1988 Kawasaki EX-500 \n6682 miles\nCherry Red\nExcellent condition\nAsking $2300\n\nContact Brian at (313) 747-1604 (days)  \n                 (313) 434-7284 (evenings & weekends)\n              or e-mail at vaughan@umich.edu...or reply to this post.\n\n',
 "From: manes@magpie.linknet.com (Steve Manes)\nSubject: Re: Gun Control (was Re: We're Mad as Hell at the TV News)\nOrganization: Manes and Associates, NYC\nX-Newsreader: TIN [version 1.1 PL9]\nLines: 24\n\nJ. Spencer (J.M.Spencer@newcastle.ac.uk) wrote:\n: manes@magpie.linknet.com (Steve Manes) writes:\n\n: >Jim De Arras (jmd@cube.handheld.com) wrote:\n: >: > Last year the US suffered almost 10,000 wrongful or accidental\n: >: > deaths by handguns alone (FBI statistics).  In the same year, the UK\n: >: > suffered 35 such deaths (Scotland Yard statistics).  The population\n: >: > of the UK is about 1/5 that of the US (10,000 / (35 * 5)).  Weighted\n: >: > for population, the US has 57x as many handgun-related deaths as the\n: >: > UK.  And, no, the Brits don't make up for this by murdering 57x as\n: >: > many people with baseball bats.\n\n: [snip]\n\n: If you examine the figures, they do. Stabbing is favourite, closely\n: followed by striking, punching, kicking. Many more people are burnt to\n: death in Britain as are shot to death. Take at look and you'll see for\n: yourself. \n\nIt means that very few people are shot to death in Great Britain.\n-- \nStephen Manes\t\t\t\t\t   manes@magpie.linknet.com\nManes and Associates\t\t\t\t   New York, NY, USA  =o&>o\n\n",
 'From: aa888@freenet.carleton.ca (Mark Baker)\nSubject: Re: The arrogance of Christians\nReply-To: aa888@freenet.carleton.ca (Mark Baker)\nOrganization: The National Capital Freenet\nLines: 58\n\nIn a previous article, dleonar@andy.bgsu.edu (Pixie) says:\n\n>     Do the words "Question Authority" mean anything to you?\n>\n>     I defy any theist to reply.      \n\nWell, despite what my mother told me about accepting dares, here goes.\n \nYou have to be very careful about what you mean by "question authority".\nTaken literally, it is nonsense. That which is authoratative is authoratative,\nand to say "I question to word of this authority" is ridiculous. If it is \nopen to question, it isn\'t an authority. On the other hand, it is perfectly\nreasonable to question whether something is an authority. The catch phrase\nhere should be "authenticate authority." Once you have authenticated\nyour authority, you must believe what it says, or you are not treating it as\nan authority. \n\nThe difficulty is that authenticating an authority is not easy. You \ncan perhaps discredit a claim to authority by showing logical inconsistency\nin what it teaches, or by showing that it does not obey its own rules of\ndiscourse. But the fact that I cannot discredit something does not, in\ninself, accredit it. (Nor does the fact that I can convince myself and \nother that I have discredited something necessarilly mean that it is false.)\nI cannot accredit an authority by independantly verifying its teachings, \nbecause if I can independantly verify its teachings, I don\'t need an \nauthority. I need an authority only when there is information I need which\nI cannot get for myself. Thus, if I am to authenticate an authority, I must\ndo it by some means other than by examining its teachings. \n\nIn practical matters we accept all kinds of authorities because we don\'t\nhave time to rediscover fundamental knowledge for ourselves. Every scientist\nworing today assumes, on the authority of the scintific community, all sorts\nof knowledge which is necessary to his work but which he has not time to \nverify for himself.\n\nIn spiritual matters, we accept authority because we have no direct source \nofinformation. We select our authorities based on various criteria. (I am\na Catholic, in part, because the historical claims of the RC church seem\nthe strongest.) Without authorities there would be no subject matter for\nbelief, unless we simply made something up for ourselves (as many do).\n\nThe atheist position seems to be that there are no authorities. This is a\nreasonable assertion in itself, but it leads to a practical difficulty.\nIf you reject all authority out of hand, you reject all possibility of\nevery receiving information. Thus the atheist position can never possibly\nchange. It is non-falsifiable and therefore unscintific. \n\nTo demand scintific or rational proof of God\'s existence, is to deny\nGod\'s existence, since neither science, nor reason, can, in their very\nnature, prove anything.\n\n\n\n-- \n==============================================================================\nMark Baker                  | "The task ... is not to cut down jungles, but \naa888@Freenet.carleton.ca   | to irrigate deserts." -- C. S. Lewis\n==============================================================================\n',
 "From: cerna@ntep.tmg.nec.co.JP (Alexander Cerna (SV))\nSubject: transparent widgets--how?\nOrganization: The Internet\nLines: 8\nNNTP-Posting-Host: enterpoop.mit.edu\nTo: xpert@expo.lcs.mit.edu\nCc: cerna@ntep.tmg.nec.co.jp\n\nI need to write an application which does annotation notes\non existing documents.  The annotation could be done several\ntimes by different people.  The idea is something like having\nseveral acetate transparencies stacked on top of each other\nso that the user can see through all of them.  I've seen\nsomething like this being done by the oclock client.\nCould someone please tell me how to do it in Xt?\nThank you very much.\n",
 'From: mikea@zorba.gvg.tek.com (Michael P. Anderson)\nSubject: Re: Temper tantrums from the 1960\'s\nDistribution: usa\nOrganization: Grass Valley Group, Grass Valley, CA\nLines: 28\n\nOK Phil, you\'re right. So far the "evidence" suggests that Nixon was a victim\nof overzealous underlings and Kennedy was a womanizing disgust-o-blob with\na dash of megalomania. After crushing the CIA and FBI who\'s to say Kennedy \nwouldn\'t have created his own version of American Friendly Fascism?\n\nUnfortunately however, we don\'t have all the evidence. So far this nation\'s\ncitizens have been privy to about 12 hours of the total 4,000 hours of Nixon\'s\ntapes. What\'s on the rest of those babies? Some archivists have alluded that\nthere is "evidence" to suggest that Nixon and his cronies, including George\nBush, were aware of the plot to murder Kennedy before he was shot in Dallas.\n\nAsk your local D.A. what the charges are for the above crime.\n\n\nAnd so I must ask you, Phil me putz, when all this shit finally comes out\nwhen you and I are old men, I would appreciate the privilege of sticking a pole\nup your ass and parading you down Main Street with a sign on your chest:\n\n"I was an Apologist for the American Fascist Regime circa 1944 -- 2010"\n\n(How\'s that for a lovely Brecht-ian image:-)\n\n\nThere, that ought to get a reaction. Unless I\'m in his killfile this week...\n\n\t\t\t\t\t\t\t\t        MPA\n\n\n',
 'From: jim.wray@yob.sccsi.com (Jim Wray)\nSubject: CNN for sale\nOrganization: Ye Olde Bailey BBS - Houston, TX - 713-520-1569\nLines: 18\nReply-To: jim.wray@yob.sccsi.com (Jim Wray)\nNNTP-Posting-Host: cs.utexas.edu\n\n\n Bill Vojak:\n\n BV>I read in the paper yestarday that Ted Turner wants to "trim" down\n BV>his media holdings and is putting CNN up for sale.  The #1 potential\n BV>bidder?  TIME/Warner of course.  Sigh . . . . . Just what we need. :-(\n\n Maybe now\'s the time for us, the NRA, GOA, CCRTKBA, SAF, et al to band\n together and buy CNN as *our* voice. Wouldn\'t that be sumpin....broadcast\n the truth for a change and be able to air a favorable pro-gun item or two....\n---\n . OLX 2.2 . There is no way they can get over here!        A. Maginot\n                                                                   \n----\n+------------------------------------------------------------------------+\n| Ye Olde Bailey BBS   713-520-1569 (V.32bis) 713-520-9566 (V.32bis)     |\n|   Houston,Texas          yob.sccsi.com       Home of alt.cosuard       |\n+------------------------------------------------------------------------+\n',
 "From: dougs@Ingres.COM (DOUG SCHNEYMAN)\nSubject: My two cars - Chevy Nova CL ('87) and Dodge 600 SE ('87)\nNews-Software: VAX/VMS VNEWS 1.4-b1  \nKeywords: Chevy Nova Dodge 600SE\nOrganization: ASK Computer Systems, Ingres Product Division\nLines: 29\n\nAs you can see, I have two 1987 cars, both worth about $3000 each.\nThe problem is that maintenance costs on these two cars is\nrunning about $4000 per year and insurance $3000 per year.\n\nWhat am I doing wrong?\n\nWithin the last two months, the follows costs have occured:\n\nDodge 600 SE (Dodge's attempt at the American German car!)\n\n$1,000 - replace head gasket\n$300   - new radiator\n\nChevy Nova CL (Chevy's attempt at a Japan import!)\n\n$500 - tune-up,oil change,valve gasket,middle exhaust pipe, misc.\n\nNote also that the Chevy Nova CL (1987) has only 70 horsepwer!\nDoes anyone out there have a Chevy Nova with enough power\nto get up even a small hill without knocking? Is there\nsomething wrong with my car, I even use 93 octane gas!\n(I have consider going to 110 octane if I can find it!)\n\nAnyway, what are the best maintenance items to do-it-yourself,\nand what equipment is needed? \n\n            Thanks,\n            -Doug (2 car Doug from Wayne,NJ)\n\n",
 "From: news@cbnewsk.att.com\nSubject: Re: What WAS the immaculate conception\nOrganization: AT&T Bell Labs\nLines: 30\n\nIn article <May.3.05.01.26.1993.9898@athos.rutgers.edu> todd@nickel.laurentian.ca writes:\n>{:>         Your roommate is correct.  The Immaculate Conception refers to\n>{:> the conception of Mary in Her mother's womb.  \n>\n>Okay, now that we've defined the Immaculate Conception Doctrine would it\n>be possible for those more knowledgeable in the area to give the biblically\n>or other support for it. I've attempted to come to terms with it previously\n>(in an attempt to understand it for learning purposes) and haven't been able\n>to grasp the reasoning. \n>\nIt was a gift from God.  I think basically the reasoning was that the\ntradition in the Church held that Mary was also without sin as was Jesus.\nAs the tenets of faith developed, particularly with Augustine, sin was\nmore and more equated with sex, and thus Mary was assumed to be a virgin\nfor life (since she never sinned, and since she was the spouse of God, etc.)\nSince we also had this notion of original sin, ie. that man is born with\na predisposition to sin, and since Mary did not have this predisposition\nbecause she did not ever sin, she didn't have original sin.  When science\ndiscovered the process of conception, the next step was to assume that\nMary was conceived without original sin, the Immaculate Conception.\n\nMary at that time appeared to a girl named Bernadette at Lourdes.  She \nrefered to herself as the Immaculate Conception.  Since a nine year old \nwould have no way of knowing about the doctrine, the apparition was deemed\nto be true and it sealed the case for the doctrine.\n\nRCs hold that all revelation comes from two equally important sources, that\nbeing Sacred Scripture and Holy Tradition.  In this case, mostly tradition.\n\nJoe Moore\n",
 "From: chrisb@seachg.com (Chris Blask)\nSubject: Re: islamic authority over women\nReply-To: chrisb@seachg.com (Chris Blask)\nOrganization: Me, Mississauga, Ontario, Canada\nLines: 78\n\nsnm6394@ultb.isc.rit.edu (S.N. Mozumder ) writes:\n>In article <1993Apr7.163445.1203@wam.umd.edu> west@next02.wam.umd.edu writes:\n>>> >> And belief causes far more horrors.\n>>> >> Crusades, \n>>> >> the emasculation and internment of Native Americans,  \n>>> >> the killing of various tribes in South America.\n>>> >-the Inquisition\n>>> >-the Counter-reformation and the wars that followed\n>>> >-the Salem witch trials\n>>> >-the European witch hunts\n>>> >-the holy wars of the middle east\n>>> >-the colonization/destruction of Africa\n>>> >-the wars between Christianity and Islam (post crusade)\n>>> >-the genocide (biblical) of the Canaanites and Philistines\n>>> >-Aryian invasion of India\n>>> >-the attempted genocide of Jews by Nazi Germany\n>>> >-the current missionary assaults on tribes in Africa\n>>> \n>>> I think all the horrors you mentioned are due to *lack* of people\n>>> following religion.\n.d.\n>By lack of people following religion I also include fanatics- people\n>that don't know what they are following.\n.d.\n>So how do you know that you were right?\n>Why are you trying to shove down my throat that religion causes horrors.\n>It really covers yourself- something false to save yourself.\n>\n>Peace,\n>\n>Bobby Mozumder\n>\nI just thought of another one, in the Bible, so it's definately not because\nof *lack* of religion.  The Book of Esther (which I read the other day for\nother reasons) describes the origin of Pur'im, a Jewish celbration of joy\nand peace.  The long and short of the story is that 75,000 people were\nkilled when people were tripping over all of the peacefull solutions \nlying about (you couldn't swing a sacred cow without slammin into a nice,\npeaceful solution.)  'Course Joshua and the jawbone of an ass spring to\nmind...\n\nI agree with Bobby this far: religion as it is used to kill large numbers\nof people is usually not used in the form or manner that it was originally\nintended for.\n\nThat doesn't reduce the number of deaths directly caused by religion, it is\njust a minor observation of the fact that there is almost nothing pure in\nthe Universe.  The very act of honestly attempting to find true meaning in\nreligious teaching has many times inspired hatred and led to war.  Many\npeople have been led by religious leaders more involved in their own\nstomache-contentsthan in any absolute truth, and have therefore been driven to\nkill by their leaders.\n\nThe point is that there are many things involved in religion that often\nlead to war.  Whether these things are a part of religion, an unpleasant\nside effect or (as Bobby would have it) the result of people switching\nbetween Religion and Atheism spontaneously, the results are the same.  \n\n@Religious groups have long been involved in the majority of the bloodiest\nparts of Man's history.@\n\nAtheists, on the other hand (preen,preen) are typically not an ideological\nsocial caste, nor are they driven to organize and spread their beliefs.\nThe overuse of Nazism and Stalinism just show how true this is:  Two groups\nwith very clear and specific ideologies using religious persecution to\nfurther their means.  Anyone who cannot see the obvious - namely that these\nwere groups founded for reasons *entirely* their own, who used religious\npersecution not because of any belief system but because it made them more\npowerfull - is trying too hard.  Basically, Bobby uses these examples\nbecause there are so few wars that were *not* *specifically* fought over\nreligion that he does not have many choices.\n\nWell, I'm off to Key West where the only flames are heating the bottom of\nlittle silver butter-dishes.\n\n-ciao\n\n-chris blask\n",
 'From: Isabelle.Rosso@Dartmouth.edu (Isabelle Rosso)\nSubject: Hunchback\nX-Posted-From: InterNews 1.0b15@dartmouth.edu\nOrganization: Dartmouth College \nLines: 14\n\nI have a friend who has a very pronounced slouch of his upper back. He\nalways walks and sits this way so I have concluded that he is\nhunchback.\nIs this a genetic disorder, or is it something that people can correct.\ni.e. is it just bad posture that can be changed with a bit of will\npower?\n\n\n\n\n\nIsabelle.Rosso@Dartmouth.edu\n          \n     \n',
 "From: mouse@thunder.mcrcim.mcgill.edu (der Mouse)\nSubject: Re: Creating 8 bit windows on 24 bit display.. How?\nOrganization: McGill Research Centre for Intelligent Machines\nLines: 59\n\nIn article <1993Apr16.093209.25719@fwi.uva.nl>, stolk@fwi.uva.nl (Bram) writes:\n\n> I am using an X server that provides 3 visuals: PseudoColor 8 bit,\n> Truecolor 24 bit and DirectColor 24 bit.\n\nLucky dog... :-)\n\n> A problem occurs when I try to create a window with a visual that is\n> different from the visual of the parent (which uses the default\n> visual which is TC24).\n\n> In the Xlib reference guide from 'O reilly one can read in the\n> section about XCteateWindow, something like:\n>     In the current implementation of X11: When using a visual other\n>     than the parent's, be sure to create or find a suitable colourmap\n>     which is to be used in the window attributes when creating, or\n>     else a BadMatch occurs.\n\n> This warning, strangely enough, is only mentioned in the newer\n> editions of the X11R5 guides.\n\nIt applies with equal force to earlier versions.  Presumably only\nrecently did the author(s) decide it was important enough to mention.\nThe necessity it refers to has always been there, but it's been\nimplicit in the way CreateWindow requests default some attributes of\nthe new window.\n\n> However, even if I pass along a suitable colourmap, I still get a\n> BadMatch when I create a window with a non-default visual.\n\n>   attr.colormap = cmap;\n>   win = XCreateWindow(\n[...]\n>           CopyFromParent,       /* border width */\n>           8,                    /* depth */\n>           InputOutput,          /* class */\n>           vinfo.visual,         /* visual */\n>           CWColormap,\n>           &attr\n>         );\n\nThis is because the warning you read is incomplete.  You have to\nprovide not only a colormap but also a border.  The default border is\nCopyFromParent, which is not valid when the window's depth doesn't\nmatch its parent's.  Specify a border-pixmap of the correct depth, or a\nborder-pixel, and the problem should go away.\n\nThere is another problem: I can't find anything to indicate that\nCopyFromParent makes any sense as the border_width parameter to\nXCreateWindow.  Your Xlib implementation probably defines\nCopyFromParent as zero, to simplify the conversion to wire format, so\nyou are unwittingly asking for a border width of zero, due to the Xlib\nimplementation not providing stricter type-checking.  (To be fair, I'm\nnot entirely certain it's possible for Xlib to catch this.)\n\n\t\t\t\t\tder Mouse\n\n\t\t\t\tmouse@mcrcim.mcgill.edu\n",
 "From: mcadams@trane.rtp.dg.com (Ed McAdams)\nSubject: Piano, free to charity\nOrganization: Data General Corporation, Research Triangle Park, NC\nLines: 15\n\nI have one of those HEAVY antique upright pianos I would like to\ncontribute to any charity with muscle enough to get it out of my house.\n\nIf I get no response from a charity I will sell to for $100, you haul.\n\nIt is in good shape, needs tuning.  I'm in south Durham county.\n\nEd McAdams\nData General Corporation            mcadams@dg-rtp.dg.com\n62 T. W. Alexander Drive            {backbone}!mcnc!rti!dg-rtp!mcadams\nResearch Triangle Park, NC 27709    (919) 248-6369\nEd McAdams\nData General Corporation            mcadams@dg-rtp.dg.com\n62 T. W. Alexander Drive            {backbone}!mcnc!rti!dg-rtp!mcadams\nResearch Triangle Park, NC 27709    (919) 248-6369\n",
 "From: A.F.Savage@bradford.ac.uk (Adrian Savage)\nSubject: Searching for xgolf\nOrganization: University of Bradford, UK\nLines: 14\nX-Newsreader: TIN [version 1.1 PL6]\n\nI recently found the file xgolf on a German ftp site\n(reseq.regent.e-technik.tu-muenchen.de) but unfortunately the shar file\nwas incomplete and the author's email address given in the readme file\n(markh@saturn.ee.du.edu) does not work.\n\nCan anyone assist by giving the location of a full version of this (or\nany other golf game for X) game, or a way of contacting the author?\n\nPlease reply by email if you can help\n\nAde\n--\nAdrian Savage, University of Bradford, UK. Email: a.f.savage@bradford.ac.uk\n",
 'From: mls@panix.com (Michael Siemon)\nSubject: hating the sin but not the sinner?\nOrganization: PANIX Public Access Unix, NYC\nDistribution: usa\nLines: 26\n\nWhat are the consequences of the homophobic ranting of the\nself-righteous?  Well, I just noted this on another group,\nand thought I\'d pass it along.  The context is talk.origins,\nand a report of yet another "debate" that was nothing but an\nattempt at mindless bullying and factless assertion by a\nstandard-issue Creationist.  The writer reflects that the\nbehavior reported reminds him of some Christian groups he has\nknown.  I believe that the writer is a (non-homosexual) Christian:\n\n+\tThere is a very effective technique used to promote\n+\tunit cohesion among the Soldiers of the Lord.  It is\n+\tcalled "witnessing"...  I\'ve seen this process used well\n+\tand poorly; the near devil worship I mention was a group \n+\t... that was using the witnessing to get people lathered\n+\tup to go kill homosexuals or at least terrorize them off \n+\tcampus as it was clearly God\'s will that they do so.\n\nI have deleted the specifics of the location, as I do not\nbelieve it characteristic of the place (a state in which I\nspent my formative first 10 years), though it *does* have,\nunfortunately, a subpopulation that this remark fits to a tee.\n-- \nMichael L. Siemon\t\tI say "You are gods, sons of the\nmls@panix.com\t\t\tMost High, all of you; nevertheless\n    - or -\t\t\tyou shall die like men, and fall\nmls@ulysses.att..com\t\tlike any prince."   Psalm 82:6-7\n',
 'From: fwr8bv@fin.af.MIL (Shash Chatterjee)\nSubject: xrolo/SPACRC/SunOS4.1.1/audio\nOrganization: The Internet\nLines: 21\nNNTP-Posting-Host: enterpoop.mit.edu\nTo: xpert%expo.lcs.mit.edu@fin.lcs.mit.edu\n\nCould some one please send me (or tell me where to ftp from) the patches required\n for xrolo so that  I can compile-in the SPARCStation phone-dialing feature?\n\nI am using SunOS  4.1.1, and therefore don\'t have "multimedia/libaudio.h" or \n"multimedia/audio_device.h" and associated functions.\n\nJust in case, our mail gateway only accepts msgs < 45Kb.\n\nThanks in advance,\nShash.\n\n\n+-----------------------------------------------------------------------------+\n+ Shash Chatterjee                           EMAIL:  fwr8bv@fin.af.mil        +\n+ EC Software                                PHONE:  (817) 763-1495           +\n+ Lockheed Fort Worth Company                FAX:    (817) 777-2115           +\n+ P.O. Box 748, MZ1719                                                        +\n+ Ft. Worth, TX 76101                                                         +\n+-----------------------------------------------------------------------------+\n\n\n',
 'From: ipser@solomon.technet.sg (Ed Ipser)\nSubject: Re: Supply Side Economic Policy (was Re: David Stockman )\nNntp-Posting-Host: solomon.technet.sg\nOrganization: TECHNET, Singapore\nDistribution: na\nLines: 29\n\nIn article <Ufk_Gqu00WBKE7cX5V@andrew.cmu.edu> Ashish Arora <ashish+@andrew.cmu.edu> writes:\n>Excerpts from netnews.sci.econ: 5-Apr-93 Re: Supply Side Economic Po..\n>by Not a Boomer@desire.wrig \n>[...]\n>\n>>    The deficits declined from 84-9, reaching a low of 2.9% of GNP before  \n>> the tax and spending hike of 1990 reversed the trend.\n>>  \n>> Brett\n>Is this true ?  Some more details would be appreciated.\n\nYes, sadly, this is true. The primary reason, and the essence of the\ndetails that you are seeking, is that the Grahm-Rudman budget controls\nwere working.  In fact, they were working so well that unless the feds\ndid something, they were going to have to start cutting pork. So Bush\nand the Democrats got together in a Budget Summit and replaced\nGrahm-Rudman with the now historic Grand Compromise in which Bush\n"consented" to raise taxes in exchange for certain caps on spending\nincreases.\n\nAs it turned out, the taxes killed the Reagan expansion and the caps\non spending increases were dispelled by Clinton in his first act as\nPresident (so that he could create his own new plan with more tax\nincreases).\n\nThe result is that Clinton now HOPES to reduce the deficit to a level \nABOVE where it was when Reagan left office.\n\nChew on that awhile.\n',
 'From: lperez@decserv2.eecs.wsu.edu (Luis G. Perez)\nSubject: Re: BEAM Robot Olympic Games next Week in Toronto.\nOrganization: S\nLines: 10\n\n\nDoes anybody know if there is a mailing list or newsgroup for\nPower Systems and related areas?\n\nThanks,\n\n--\nLuis G. Perez\nlperez@eecs.wsu.edu\n\n',
 'From: arromdee@jyusenkyou.cs.jhu.edu (Ken Arromdee)\nSubject: Re: Davidians and compassion\nOrganization: Johns Hopkins University CS Dept.\nLines: 16\n\nIn article <sandvik-190493200420@sandvik-kent.apple.com> sandvik@newton.apple.com (Kent Sandvik) writes:\n>So we have this highly Christian religious order that put fire\n>on their house, killing most of the people inside.\n\nWe have no way to know that the cultists burned the house; it could have been\nthe BATF and FBI.  We only have the government\'s word for it, after all, and\npeople who started it by a no-knock search with concussion grenades are hardly\ndisinterested observers.\n--\n"On the first day after Christmas my truelove served to me...  Leftover Turkey!\nOn the second day after Christmas my truelove served to me...  Turkey Casserole\n    that she made from Leftover Turkey.\n[days 3-4 deleted] ...  Flaming Turkey Wings! ...\n   -- Pizza Hut commercial (and M*tlu/A*gic bait)\n\nKen Arromdee (arromdee@jyusenkyou.cs.jhu.edu)\n',
 'From: HOLFELTZ@LSTC2VM.stortek.com\nSubject: Re: Deification\nOrganization: StorageTek SW Engineering\nLines: 19\n\nAaron Bryce Cardenas writes:\n\n>Basically the prophet\'s writings make up the Old Testament, the apostles\' \n>writings make up the New Testament.  These writings, recorded in the Bible, \n>are the foundation of the church.\n\nhayesstw@risc1.unisa.ac.za (Steve Hayes) writes:\n\n>That seems a most peculiar interpretation of the text. The "apostles and\n>prophets" were PEOPLE, rather than writings. And there were new testament\n>prophets as well, who built up the churches.\n\nRemember the OT doctrine of 2 witnesses?  Perhaps the prophets\ntestified He is coming.  The Apostles, testified He came.\n \nAfter all, what does prophesy mean?  Secondly, what is an Apostle?  Answer:\nan especial witness--one who is suppose to be a personal witness.  That means\nto be a true apostle, one must have Christ appear to them.  Now lets see\nwhen did the church quit claiming ......?\n',
 'From: luriem@alleg.edu(Michael Lurie) The Liberalizer\nSubject: Re: Jewish Baseball Players?\nOrganization: Allegheny College\n\nIn article <1qkkodINN5f5@jhunix.hcf.jhu.edu> pablo@jhunix.hcf.jhu.edu  \n(Pablo A Iglesias) writes:\n> In article <15APR93.14691229.0062@lafibm.lafayette.edu>  \nVB30@lafibm.lafayette.edu (VB30) writes:\n> \n> Hank Greenberg would have to be the most famous, because his Jewish\n> faith actually affected his play. (missing late season or was it world\n> series games because of Yom Kippur)\n> \n\n\nKofax missed world series game because of The jewish day of repentence.\n',
 "From: galway@chtm.eece.unm.edu (Denis McKeon)\nSubject: Re: How to act in front of traffic jerks\nOrganization: Connemara - Computing for People\nLines: 43\nNNTP-Posting-Host: chtm.eece.unm.edu\nX-Mailer: Mail User's Shell (7.0.1 12/13/89)\nTo: \nBcc: nielsmm@imv.aau.dk\nStatus: OR\n\nIn article <nielsmm-150493114522@nanna.imv.aau.dk> nielsmm@imv.aau.dk (Niels Mikkel Michelsen) writes:\n>The other day, it was raining cats and dogs, therefor I was going only to\n>the speed limit, on nothing more, on my bike. This guy in his BMW was\n>driving 1-2 meters behind me for 7-800 meters and at the next red light I\n>calmly put the bike on its leg, walked back to this car, he rolled down the\n>window, and I told him he was a total idiot (and the reason why).\n>\n>Did I do the right thing?\n\nWell, I used to get mad, and either try to communicate my anger to jerks,\nor to, uhm, educate them in how to improve their manners in traffic.\nNow I just try to get them off my tail.\n\nIn heavy traffic I slow down a bit, mostly so I have more buffer zone in\nfront to balance the minimal buffer behind, but I also often find that the \njerk behind will notice traffic moving faster in other lanes, switch\ninto one of them, and pass me - which is fine, because then I can keep a\nbetter eye on the jerk from behind, while looking ahead, rather than\nfrom in front, while splitting my attention between ahead and the mirrors.\n\nIn traffic so heavy that there is no way for the jerk to pass,\nI might pull over, as if to look for a street number or name,\n(still ignoring the jerk) just to get the jerk off my tail.  \n\nIf this all sounds, well, wimpy or un-Denizenly or pessimistic, or perhaps \n(for any psych types) passive-aggressive, consider that I prefer to get\nmy adrenaline jollies from riding, rather than from yelling at jerks.  \n\nA ride can improve my whole day, while yelling at a jerk is likely (for\nme) to ruin my ride or my day with my own anger.  In the worst case,\nyelling at the jerk could ruin my life - since even a tiny jerk in a\ncage behind me is better armed (with the cage) than I am on a bike. \n\nOn the other hand, you might try subtly arranging to be the last\nvehicle to legally cross one or more intersections, leaving the jerk\nwaiting for cross traffic (and thus off your tail), or crossing\nillegally (hopefully in front of the waiting police).\n\nLike almost everything here, your choices and mileage will vary.\n\n--\nDenis McKeon\t\ngalway@chtm.eece.unm.edu\n",
 'From: jemurray@magnus.acs.ohio-state.edu (John E Murray)\nSubject: quality of Catholic liturgy\nOrganization: The Ohio State University\nLines: 37\n\nI would like the opinion of netters on a subject that has been bothering my\nwife and me lately: liturgy, in particular, Catholic liturgy.  In the last few\nyears it seems that there are more and more ad hoc events during Mass.  It\'s\ndriving me crazy!  The most grace-filled aspect of a liturgical tradition is\nthat what happens is something we _all_ do together, because we all know how to \ndo it.  Led by the priest, of course, which makes it a kind of dialogue we \npresent to God.  But the best Masses I\'ve been to were participatory prayers.\n\nLately, I think the proportion of participation has fallen, and the proportion\nof sitting there and watching, or listening, or generally being told what to do\n(which is necessary because no one knows what\'s happening next) is growing.\nExample.  Last Sunday (Palm Sunday) we went to the local church.  Usually\non Palm Sunday, the congregation participates in reading the Passion, taking\nthe role of the mob.  The theology behind this seems profound--when we say\n"Crucify him" we mean it.  We did it, and if He came back today we\'d do it\nagain.  It always gives me chills.  But last week we were "invited" to sit\nduring the Gospel (=Passion) and _listen_.  Besides the Orwellian "invitation", \nI was really saddened to have my (and our) little role taken away.  This seems\ntypical of a shift of participation away from the people, and toward the\nmusicians, readers, and so on.  New things are introduced in the course of the\nliturgy and since no one knows what\'s happening, the new things have to be\nexplained, and pretty soon instead of _doing_ a lot of the Mass we\'re just\nsitting there listening (or spacing out, in my case) to how the Mass is about\nto be done.  In my mind, I lay the blame on liturgy committees made up of lay\n"experts", but that may not be just.  I do think that a liturgy committee has a\nbias toward doing something rather than nothing--that\'s just a fact of\nbureaucratic life--even though a simpler liturgy may in fact make it easier for\npeople to be aware of the Lord\'s presence.\n\nSo we\'ve been wondering--are we the oddballs, or is the quality of the Mass\ngoing down?  I don\'t mean that facetiously.  We go to Mass every Thursday or\nFriday and are reminded of the power of a very simple liturgy to make us aware \nof God\'s presence.  But as far as the obligatory Sunday Masses...maybe I should \njust offer it up :)  Has anyone else noticed declining congregational\nparticipation in Catholic Masses lately?\n\nJohn Murray\n',
 'From: livesey@solntze.wpd.sgi.com (Jon Livesey)\nSubject: Re: <<Pompous ass\nOrganization: sgi\nLines: 20\nDistribution: world\nNNTP-Posting-Host: solntze.wpd.sgi.com\n\nIn article <1qlef4INN8dn@gap.caltech.edu>, keith@cco.caltech.edu (Keith Allan Schneider) writes:\n|> livesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n|> \n|> [...]\n|> >>The "`little\' things" above were in reference to Germany, clearly.  People\n|> >>said that there were similar things in Germany, but no one could name any.\n|> >That\'s not true.  I gave you two examples.  One was the rather\n|> >pevasive anti-semitism in German Christianity well before Hitler\n|> >arrived.  The other was the system of social ranks that were used\n|> >in Imperail Germany and Austria to distinguish Jews from the rest \n|> >of the population.\n|> \n|> These don\'t seem like "little things" to me.  At least, they are orders\n|> worse than the motto.  Do you think that the motto is a "little thing"\n|> that will lead to worse things?\n\nYou don\'t think these are little things because with twenty-twenty\nhindsight, you know what they led to.\n\njon.\n',
 'From: ldo@waikato.ac.nz (Lawrence D\'Oliveiro, Waikato University)\nSubject: Re: Interesting ADB behaviour on C650\nOrganization: University of Waikato, Hamilton, New Zealand\nLines: 20\n\nIn article <1993Apr15.181440.15490@waikato.ac.nz>, I said:\n\n> I know that plugging and unplugging ADB devices with the power on is "not\n> supported", and you can hit problems if you have multiple devices with\n> clashing addresses, and all that.\n\nI\'ve had a couple of e-mail responses from people who seem to believe that\nthis sort of thing is not only unsupported, it is downright dangerous.\n\nI have heard of no such warnings from anybody at Apple. Just to be sure, I\nasked a couple of our technicians, one of whom has been servicing Macs for\nyears. There is *no* danger of damaging logic boards by plugging and unplugging\nADB devices with the power on.\n\nSCSI, yes, ADB, no...\n\nLawrence D\'Oliveiro                       fone: +64-7-856-2889\nComputer Services Dept                     fax: +64-7-838-4066\nUniversity of Waikato            electric mail: ldo@waikato.ac.nz\nHamilton, New Zealand    37^ 47\' 26" S, 175^ 19\' 7" E, GMT+12:00\n',
 'From: jra@wti.com (Jim Atkinson)\nSubject: How can I detect local vs remote DISPLAY settings?\nReply-To: jra@wti.com\nOrganization: Wavefront Technologies Inc, Santa Barbara, CA\nLines: 17\nNntp-Posting-Host: barracuda.wti.com\nX-Disclaimer: Not a spokesperson for Wavefront Technologies, Inc.\n\nI am trying to find out if my application is running on a local or a\nremote display.  A local display being connected to the same system\nthat the client is executing on.  I have access to the display string\nbut can I tell from the string?\n\nIf the client is executing on host foo then ":0", "unix:0", "foo:0",\nand "localhost:0" are all local.  Under Ultrix, I believe that\n"local:0" is also a valid display name (a shared memory connection\nmaybe?).  Are there other strings that I should check for?  Is there a\nbetter way to detect this?\n\nThank you for any help you can give me.\n-- \n========================================================================\nJim Atkinson\t\tWavefront Technologies, Inc.\njra@wti.com\t\tWhat, me?  A company spokesperson?  Get real!\n=================== Life is not a spectator sport! =====================\n',
 'From: rodc@fc.hp.com (Rod Cerkoney)\nSubject: *$G4qxF,fekVH6\nNntp-Posting-Host: hpfcmrc.fc.hp.com\nOrganization: Hewlett Packard, Fort Collins, CO\nX-Newsreader: TIN [version 1.1 PL8.5]\nLines: 15\n\n\n\n--\n\n\nRegards,\nRod Cerkoney\n                                                        /\\\\\n______________________________________________         /~~\\\\\n                                                      /    \\\\\n  Rod Cerkoney MS 37     email:                      /      \\\\ \n  Hewlett Packard         rodc@fc.hp.com        /\\\\  /        \\\\  \n  3404 East Harmony Rd.  Hpdesk:               /  \\\\/          \\\\    /\\\\\n  Fort Collins, CO 80525  HP4000/UX           /    \\\\           \\\\  /  \\\\\n_____________________________________________/      \\\\           \\\\/    \\\\__\n',
 "Subject: Paul Kuryia and Canadian World Team\nFrom: apland@mala.bc.ca\nOrganization: Malaspina College\nLines: 6\n\nHeard last night that Paul Kuryia will be playing for the Canadian World\nHockey team this year.  He was on a local radio station when a friend of\nthe familty called to congratulate him on the invitation.  Meekly Paul told\nthe host that he didn't think they wanted it out yet.  This morning I heard\nthat he is destined to play on a line with Lindros and Recci{unsure of this\none}.  If he plays well in this arena, he could go #1 or 2 in the draft.\n",
 'From: dyer@spdcc.com (Steve Dyer)\nSubject: Re: Good Grief!  (was Re: Candida Albicans: what is it?)\nOrganization: S.P. Dyer Computer Consulting, Cambridge MA\n\nIn article <noringC5snsx.KMo@netcom.com> noring@netcom.com (Jon Noring) writes:\n>>There is no convincing evidence that such a disease exists.\n>There\'s a lot of evidence, it just hasn\'t been adequately gathered and\n>published in a way that will convince the die-hard melancholic skeptics\n>who quiver everytime the word \'anecdote\' or \'empirical\' is used.\n\nSnort.  Ah, there go my sinuses again.\n\n>For example, Dr. Ivker, who wrote the book "Sinus Survival", always gives,\n\nOh, wow.  A classic textbook.  Hey, they laughed at Einstein, too!\n\n>before any other treatment, a systemic anti-fungal (such as Nizoral) to his\n>new patients IF they\'ve been on braod-spectrum anti-biotics 4 or more times\n>in the last two years.  He\'s kept a record of the results, and for over \n>2000 patients found that over 90% of his patients get significant relief\n>of allergic/sinus symptoms.  Of course, this is only the beginning for his\n>program.\n\nYeah, I\'ll bet.  Tomorrow, the world.\n\nListen, uncontrolled studies like this are worthless.\n\n>In my case, as I reported a few weeks ago, I was developing the classic\n>symptoms outlined in \'The Yeast Connection\' (I agree it is a poorly \n>written book):  e.g., extreme sensitivity to plastics, vapors, etc. which\n>I never had before (started in November).  Within one week of full dosage\n>of Sporanox, the sensitivity to chemicals has fully disappeared - I can\n>now sit on my couch at home without dying after two minutes.  I\'m also\n>*greatly* improved in other areas as well.\n\nI\'m sure you are.  You sound like the typical hysteric/hypochondriac who\nresponds to "miracle cures."\n\n>Of course, I have allergy symptoms, etc.  I am especially allergic to\n>molds, yeasts, etc.  It doesn\'t take a rocket scientist to figure out that\n>if one has excessive colonization of yeast in the body, and you have a\n>natural allergy to yeasts, that a threshold would be reached where you\n>would have perceptible symptoms.\n\nYeah, "it makes sense to me", so of course it should be taken seriously.\nSnort.\n\n>Also, yeast do produce toxins of various\n>sorts, and again, you don\'t have to be a rocket scientist to realize that\n>such toxins can cause problems in some people.\n\nYeah, "it sounds reasonable to me".\n\n>Of course, the $60,000\n>question is whether a person who is immune compromised (as tests showed I was\n>from over 5 years of antibiotics, nutritionally-deficiencies because of the\n>stress of infections and allergies, etc.),\n\nOh, really?  _What_ tests?  Immune-compromised, my ass.\nMore like credulous malingerer.  This is a psychiatric syndrome.\n\n>can develop excessive yeast\n>colonization somewhere in the body.  It is a tough question to answer since\n>testing for excessive yeast colonization is not easy.  One almost has to\n>take an empirical approach to diagnosis.  Fortunately, Sporanox is relatively\n>safe unlike past anti-fungals (still have to be careful, however) so there\'s\n>no reason any longer to withhold Sporanox treatment for empirical reasons.\n\nYou know, it\'s a shame that a drug like itraconazole is being misused\nin this way.  It\'s ridiculously expensive, and potentially toxic.\nThe trouble is that it isn\'t toxic enough, so it gets abused by quacks.\n\n>BTW, some would say to try Nystatin.  Unfortunately, most yeast grows hyphae\n>too deep into tissue for Nystatin to have any permanent affect.  You\'ll find\n>a lot of people who are on Nystatin all the time.\n\nThe only good thing about nystatin is that it\'s (relatively) cheap\nand when taken orally, non-toxic.  But oral nystatin is without any\nsystemic effect, so unless it were given IV, it would be without\nany effect on your sinuses.  I wish these quacks would first use\nIV nystatin or amphotericin B on people like you.  That would solve\nthe "yeast" problem once and for all.\n\n>In summary, I appreciate all of the attempts by those who desire to keep\n>medicine on the right road.  But methinks that some who hold too firmly\n>to the party line are academics who haven\'t been in the trenches long enough\n>actually treating patients.  If anybody, doctors included, said to me to my\n>face that there is no evidence of the \'yeast connection\', I cannot guarantee\n>their safety.  For their incompetence, ripping off their lips is justified as\n>far as I am concerned.\n\nPerhaps a little Haldol would go a long way towards ameliorating\nyour symptoms.\n\nAre you paying for this treatment out of your own pocket?  I\'d hate\nto think my insurance premiums are going towards this.\n\n-- \nSteve Dyer\ndyer@ursa-major.spdcc.com aka {ima,harvard,rayssd,linus,m2c}!spdcc!dyer\n',
 'From: emarciniak@email.bony.com\nSubject: Image of pictures...\nLines: 8\nOrganization: ***\n\nHi there,\n  I am looking for advice on software/hardware package for making, \nstoring and processing of pictures. The ideal software would allow me to\ncahnge size of the picture, edit it ( it means add text below, above...) \nand the most important is it would have DOS command interface...\nThank you in advance...\nemanuel marciniak\nthe bank of new york.. \n',
 "From: swick@news.Colorado.EDU (Ross Swick)\nSubject: Books on I.C.C other than I.C.C.M.\nNntp-Posting-Host: nsidc2.colorado.edu\nOrganization: University of Colorado, Boulder\nDistribution: cu\nLines: 21\n\nCan anyone recomend a good book or article on inter-client communications\nBESIDES I.C.C.M.?\n\nI've looked everywhere I can and it seems everyone tells you how to do it\nbut nobody SHOWS you how.  O'Reilly has no examples, ICCM has no examples,\nAsente & Swick give no examples - in fact most of the books I've looked at,\nif they discuss ICC at all, simply give a condensed version of the ICCM and\nthen refer you to the ICCM.  I did find one example of how to use Atoms and \nProperties in Young's book and five hours after I bought Young's book I had\nmy applications talking to each other.\n\nI am not sure, however, if thats the best way.  I'd like to stay independent \nof Unix so pipes and/or sockets probably aren't the way to go.  But within X\none can also use messages, the clipboard, and perhaps window groups.\n\nI need a text that discusses the various methods, discusses which method is best\nfor which purpose, and gives examples.  Without examples it's all just words.\n\nThanks in advance\n\nRoss\n",
 "From: cmh@eng.cam.ac.uk (C.M. Hicks)\nSubject: Re: MICROPHONE PRE-AMP/LOW NOISE/PHANTOM POWERED\nOrganization: cam.eng\nLines: 22\nNntp-Posting-Host: tw100.eng.cam.ac.uk\n\ndavidj@rahul.net (David Josephson) writes:\n\n>In <C5JJJ2.1tF@cmcl2.nyu.edu> ali@cns.nyu.edu (Alan Macaluso) writes:\n\n>>I'm looking to build a microphone preamp that has very good low-noise characteristics,  large clean gain, and incorportates phantom power (20-48 volts (dc)) for a PZM microphone.  I'm leaning towards a good, low-cost (??) instrumentation amplifier to maintain the balanced input from the microphone, for its good CMRR, internal compensation, and because i can use a minimal # of parts.  \n\n>>Does anyone out there have any experience, suggestions, advice, etc...that they'd like to pass on, I'd greatly appreciate it.\n\n>Without doing anything really tricky, the best I've seen is the\n>Burr-Brown INA103. Their databook shows a good application of this\n>chip as a phantom power mic pre.\n\nI've had very good results from the SSM2016 from PMI (part of Analogue\nDevices). They have also now introduced the SSM2017 which looks good on\npaper, but which I haven't tried yet.\n\nChristopher\n--\n ==============================================================================\n  Christopher Hicks    |      Paradise is a Linear Gaussian World\n  cmh@uk.ac.cam.eng    |    (also reported to taste hot and sweaty)\n ==============================================================================\n",
 "From: shaig@Think.COM (Shai Guday)\nSubject: Basil, opinions? (Re: Water on the brain)\nOrganization: Thinking Machines Corporation, Cambridge MA, USA\nLines: 40\nDistribution: world\nNNTP-Posting-Host: composer.think.com\n\nIn article <1993Apr15.204930.9517@thunder.mcrcim.mcgill.edu>, hasan@McRCIM.McGill.EDU  writes:\n|> \n|> In article <1993Apr15.055341.6075@nysernet.org>, astein@nysernet.org (Alan Stein) writes:\n|> |> I guess Hasan finally revealed the source of his claim that Israel\n|> |> diverted water from Lebanon--his imagination.\n|> |> -- \n|> |> Alan H. Stein                     astein@israel.nysernet.org\n|> Mr. water-head,\n|> i never said that israel diverted lebanese rivers, in fact i said that\n|> israel went into southern lebanon to  make sure that no \n|> water is being used on the lebanese\n|> side, so that all water would run into Jordan river where there\n|> israel will use it  !#$%^%&&*-head.\n\nOf course posting some hard evidence or facts is much more\ndifficult.  You have not bothered to substantiate this in\nany way.  Basil, do you know of any evidence that would support\nthis?\n\nI can just imagine a news report from ancient times, if Hasan\nhad been writing it.\n\nNewsflash:\nCairo AP (Ancient Press).  Israel today denied Egypt acces to the Red\nSea.  In a typical display of Israelite agressiveness, the leader of\nthe Israelite slave revolt, former prince Moses, parted the Red Sea.\nThe action is estimated to have caused irreparable damage to the environment.\nEgyptian authorities have said that thousands of fisherman have been\ndenied their livelihood by the parted waters.  Pharaoh's brave charioteers\nwere successful in their glorious attempt to cause the waters of the\nRed Sea to return to their normal state.  Unfortunately they suffered\nheavy casualties while doing so.\n\n|> Hasan \n\n-- \nShai Guday              | Stealth bombers,\nOS Software Engineer    |\nThinking Machines Corp. |\tthe winged ninjas of the skies.\nCambridge, MA           |\n",
 "From: bfinnert@chaph.usc.edu (Brian Finnerty)\nSubject: Mary's assumption\nOrganization: University of Southern California, Los Angeles, CA\nLines: 34\n\nA few points about Mary's being taken into heaven at the end of her life on\nearth:\n\nOne piece of evidence for Mary's assumption into heaven is the fact\nthat no Christian church ever claimed to be the sight where she was\nburied. Some Christian churches claimed to be located at the final\nresting places of Peter, Mark, and other saints, but no one ever\nclaimed to possess the body of Mary, the greatest of the saints. Why?\nBecause everyone knew that she had been taken up into heaven.\n\nAlthough there is no definitive scriptural proof for the assumption of\nMary, some passages seem suggestive, like the passage in Revelation\nthat describes a woman giving birth to a Son and later being crowned\nin the heavens. Of course, the woman in this passage has other\ninterpretations; she can also be taken a symbol for the Church.\n\nThe assumption of Mary makes sense because of her relationship to\nChrist.  Jesus, perfect God and perfect man, fulfilled the\nrequirements of the law perfectly.  Under the law God gave to us, we\nare to honor our mother and father, and Christ's act of taking his\nmother into heaven is part of his fulfillment of that law. Also, he\ntook his flesh from her, so it seems appropriate that he decide not to\nallow her flesh to rot in the grave.\n\nOne last point: an ex-Catholic attempted to explain Catholic doctrine\non the assumption by asserting it is connected to a belief that Mary\ndid not die. This is not a correct summary of what Catholics believe.\nThe dogma of the assumption was carefully phrased to avoid saying\nwhether Mary did or did not die. In fact, the consensus among Catholic\ntheologians seems to be that Mary in fact did die. This would make\nsense: Christ died, and his Mother, who waited at the foot of the\ncross, would want to share in his death.\n\nBrian Finnerty\n",
 'From: edo2877@ucs.usl.edu (Ott Edward D)\nSubject: EMAIL\nKeywords: E-mail Clinton\nOrganization: Univ. of Southwestern La., Lafayette\nDistribution: usa\nLines: 5\n\ndoes anyone have Prez. Clinton`s e-mail address.\nthanks a lot \n \n\n\n',
 'From: wijkstra@fwi.uva.nl (Marcel Wijkstra (AIO))\nSubject: Re: BW hardcopy of colored window?\nKeywords: color hardcopy print\nNntp-Posting-Host: ic.fwi.uva.nl\nOrganization: FWI, University of Amsterdam\nLines: 38\n\nmars@ixos.de (Martin Stein) writes:\n\n#I use xwd/xpr (from the X11R5 dist.) and various programs of the\n#ppm-tools to print hardcopies of colored X windows. My problem is,\n\nI don\'t like xpr. It gives (at least, the X11R4 version does) louzy\noutput: the hardcopy looks very grainy to me.\nInstead, I use pnmtops. This takes full advantage PostScript, and\nlets the printer do the dirty job of dithering a (graylevel)\nimage to black and white dots.\n\nSo: if you have a PostScript printer, try:\n\txwdtopnm <xwdfile> |\t# convert to PPM\n\t[ppmtopgm |]\t\t# .. to graylevel for smaller file to print\n\tpnmtops -noturn |\t# .. to PostScript\n\tlpr\t\t\t# print\n\npnmtops Has several neat options, but use them with care:\nIf you want your image to be 4" wide, use:\n\tpnmtops -noturn -scale 100 -width 4\n-noturn Prevents the image from being rotated (if it is wider than it\n\tis high)\n-width 4 Specifies the PAPER width (not the image width - see below)\n-scale 100 Is used because if the image is small, it may fit within a\n\twidth less than 4", and will thus be printed smaller than 4" wide.\n\tIf you first scale it up a lot, it will certainly not fit in 4", and\n\twill be scaled down by pnmtops automatically to fit the specified\n\tpaper width. \n\tIn short: pnmtops will scale an image down to fit the paper size,\n\tbut it will not blow it up automatically.\n\nHope this helps.\nMarcel.\n-- \n X\t   Marcel Wijkstra   AIO   (wijkstra@fwi.uva.nl)\n|X|\t     Faculty of Mathematics and Computer Science\t\n X\t       University of Amsterdam   The Netherlands\n======Life stinks. Fortunately, I\'ve got a cold.========\n',
 "From: wdm@world.std.com (Wayne Michael)\nSubject: Re: XV under MS-DOS ?!?\nOrganization: n/a\nLines: 12\n\nNO E-MAIL ADDRESS@eicn.etna.ch writes:\n\n>Hi ... Recently I found XV for MS-DOS in a subdirectory of GNU-CC (GNUISH). I \n\nplease tell me where you where you FTP'd this from? I would like to have\na copy of it. (I would have mailed you, but your post indicates you have no mail\naddress...)\n\n>             \n-- \nWayne Michael\nwdm@world.std.com\n",
 "From: fcrary@ucsu.Colorado.EDU (Frank Crary)\nSubject: Re: Gun Control (was Re: We're Mad as Hell at the TV News)\nNntp-Posting-Host: ucsu.colorado.edu\nOrganization: University of Colorado, Boulder\nDistribution: na\nLines: 31\n\nIn article <C4tM1H.ECF@magpie.linknet.com> manes@magpie.linknet.com (Steve Manes) writes:\n>: You are betraying your lack of understanding about RATE versus TOTAL\n>: NUMBER. Rates are expressed, often, as #/100,000 population.\n>: Therefore, if a place had 10 deaths and a population of 100,000, the\n>: rate would be 10/100,000.  A place that had 50 deaths and a population\n>: of 1,000,000 would hav a rate of 5/100,000.  The former has a higher\n>: rate, the latter a higher total.  You are less likely to die in the\n>: latter.  Simple enuff?\n\n>For chrissakes, take out your calculator and work out the numbers.\n>Here... I've preformatted them for you to make it easier:\n\n>\t\t\thandgun homicides/population\n>\t\t\t----------------------------\n>\tSwitzerland :\t24 /  6,350,000\n>\t         UK :    8 / 55,670,000\n\n>... and then tell me again how Switzerland is safer with a more\n>liberal handgun law than the UK is without...by RATE or TOTAL NUMBER.\n>Your choice.\n\nBecause there are about 40 homicides total (i.e. using guns, knives,\ntire-irons, baseball bats, bare hands, etc...) in Switzerland\neach year and 850 homicides, total, in England. That's three\ntimes worse per capita in England than in Switzerland. Since\ndead is dead, it really doesn't matter that 60% of the Switz\nmurders involved a gun or that only 0.9% of the English murderers\ndo. \n\n                                            Frank Crary\n                                            CU Boulder    \n",
 'From: scs8@cunixb.cc.columbia.edu (Sebastian C Sears)\nSubject: Re: Route Suggestions?\nNntp-Posting-Host: cunixb.cc.columbia.edu\nReply-To: scs8@cunixb.cc.columbia.edu (Sebastian C Sears)\nOrganization: Columbia University\nDistribution: usa\nLines: 27\n\nIn article <1993Apr20.173413.29301@porthos.cc.bellcore.com> mdc2@pyuxe.cc.bellcore.com (corrado,mitchell) writes:\n>In article <1qmm5dINNnlg@cronkite.Central.Sun.COM>, doc@webrider.central.sun.com (Steve Bunis - Chicago) writes:\n>> 55E -> I-81/I-66E.  After this point the route is presently undetermined\n>> into Pennsylvania, New York?, and back to Chicago (by 6/6).  Suggestions \n>\n>If you do make it into New York state, the Palisades Interstate Parkway is a\n>pleasant ride (beautiful scenery, good road surface, minimal traffic).  You\n\t\t\t\t   ^^^^^^^^^^^^^^^^^\n\n\tBeen a while since you hit the PIP? The pavement (at least until around\n\texit 9) is for sh*t these days. I think it must have taken a beating\n\tthis winter, because I don\'t remember it being this bad. It\'s all\n\tbreaking apart, and there are some serious potholes now. Of course\n\tthere are also the storm drains that are *in* your lane as opposed\n\tto on the side of the road (talk about annoying cost saving measures).\n\t\t\n\tAs for traffic, don\'t try it around 5:15 - 6:30 on weekdays (outbound,\n\trush hour happens inbound too) as there are many BDC\'s...\n\n\t<...> <...>\n>               \'\\\\                          Mitch Corrado\n>               /   DEC  \\\\======== mdc2@panther.tnds.bellcore.com\n\n-------\n"This is where I wanna sit and buy you a drink someday." - Temple of the Dog\nSea-Bass Sears --> scs8@cunixb.cc.columbia.edu --> DoD#516 <-- |Stanley, ID.|\n \'79 Yamaha XS750F -- \'77 BMW R100S -- \'85 Toyota 4Runner --   |  NYC, NY.  |\n',
 'From: ebrandt@jarthur.claremont.edu (Eli Brandt)\nSubject: Re: Do we need the clipper for cheap security?\nOrganization: Harvey Mudd College, Claremont, CA 91711\nLines: 56\n\nIn article <1r466c$an3@news.intercon.com> amanda@intercon.com (Amanda Walker) writes:\n>Agreed.  Remember, I don\'t even think of Clipper as encryption in any real \n>sense--if I did, I\'d probably be a lot more annoyed about it.\n\nI agree with this assessment.  Furthermore, its promotion as\nproviding greater protection than bare voice is quite true, as far\nas it goes.  However, the only way for it to fulfill its stated goal\nof letting LE wiretap "terrorists and drug dealers" is to restrict\nstronger techniques.  \n\nWiretap targets presently use strong encryption, weak encryption, or\n(the vast majority) no encryption.  The latter two classes can be\ntapped.  With weak encryption in every phone, the no-encryption\nclass is merged into the weak-encryption class.  Will the\nintroduction of Clipper cause targets presently enjoying strong\nprivacy to give up on it?  that is, to rely for privacy on a system\nexpressly designed to deny it to people like them?  I doubt it.  The\nmere introduction of this scheme will give the government *nothing*.\n\nThe stated goal of preventing the degradation of wiretapping\ncapabilities can be fulfilled by restriction of domestic\ncryptography, and only by this restriction.  "Clipper" appears to be\nno more than a sop, given to the public to mute any complaints.  We\nwould find this a grossly inadequate tradeoff, but I fear the public\nat large will not care.  I hate to even mention gun control, but\nmost people seem to think that an `assault weapon\' (as the NYT uses\nthe word) is some sort of automatic weapon, .50 caliber maybe.  Who\nwants to have such a thing legal?  Well, people know even less about\ncryptology; I suspect that strong cryptography could easily be\nlabeled "too much secrecy for law-abiding citizens to need".\n\n>That\'s not for Clinton (or anyone under him) to say, though.  Only the \n>federal and supreme courts can say anything about the constitutionality.\n>Anything the administration or any governmental agency says is opinion at \n>best.\n\nWhat they say is opinion, but what they do is what matters, and will\ncontinue unless overturned.  And the courts are reluctant to annul\nlaw or regulation, going to some length to decide cases on other\ngrounds.  Furthermore, Congress can get away with quite a bit.  They\ncould levy a burdensome tax; this would place enforcement in the\nhands of the BATF, who as we\'ve seen you really don\'t want on your\ncase.  They could invoke the Commerce Clause; this seems most\nlikely.  This clause will get you anywhere these days.  The 18th was\nrequired because the Supreme Court ruled a prohibitory statute\nunconstitutional.  In 1970 Congress prohibited many drugs, with a\ntextual nod to the Commerce Clause.  The Controlled Substances\nAct of 1970 still stands.  I think the government could get away\nwith it.\n\n>Amanda Walker\n\n\t PGP 2 key by finger or e-mail\n   Eli   ebrandt@jarthur.claremont.edu\n\n\n',
 'From: ren@ccwf.cc.utexas.edu (Ren Hoek)\nSubject: how to number prongs of a chip?\nOrganization: The University of Texas at Austin, Austin TX\nLines: 11\nDistribution: usa\nReply-To: ren@ccwf.cc.utexas.edu (Ren Hoek)\nNNTP-Posting-Host: flubber.cc.utexas.edu\nOriginator: ren@flubber.cc.utexas.edu\n\nHow can one tell which prong of your basic chip is number 20?  I realize there\nis a chunk of the chip missing so that one can orient it correctly.  So \nusing that hole as a guide, how can I count the prongs of the chip to find\n#20?  Please help.\n-- \n  |\\\\    |\\\\\n  | \\\\   | \\\\       Ren Hoek\n  |  \\\\  |  \\\\\n  |   | |  |      internet: ren@ccwf.cc.utexas.edu\n   \\\\       /\n   _\\\\ ^  _/       "It is not I who am crazy...  It is I who am MAD!!!"\n',
 "From: michael@jester.GUN.de (Michael Gerhards)\nDistribution: world\nSubject: Re: HELP: my pc freezes!\nX-Newsreader: TIN [version 1.1 PL8]\nOrganization: private COHERENT system\nLines: 15\n\nPerry Egelmeers (perry@wswiop11.win.tue.nl) wrote:\n> ladanyi@cs.cornell.edu (La'szlo' Lada'nyi) writes:\n\n> >Problem: Occasionaly the machine freezes. At least that's what I thought, but\n> >recently I discovered that the machine works, just the keyboard freezes and\n> >the clock drops down from turbo (33Mhz) to standard (16Mhz) mode.\n\n> Perhaps you hit the ^S (Control S)?  Try ^Q.\n> I know it doesn't explain the clock rate drop...\n\nWe had the same problem in our company. We changed the keyboard-bios and\nafter that, everything went fine. Our dealer told us that some boards of\nthat series have a defect kbd-bios.\n\nMichael\n--\n*  michael@jester.gun.de  *   Michael Gerhards   *   Preussenstrasse 59  *\n                          *  Germany 4040 Neuss  *  Voice: 49 2131 82238 *\n",
 'From: zyeh@caspian.usc.edu (zhenghao yeh)\nSubject: Ellipse Again\nOrganization: University of Southern California, Los Angeles, CA\nLines: 39\nDistribution: world\nNNTP-Posting-Host: caspian.usc.edu\nKeywords: ellipse\n\n\nHi! Everyone,\n\nBecause no one has touched the problem I posted last week, I guess\nmy question was not so clear. Now I\'d like to describe it in detail:\n\nThe offset of an ellipse is the locus of the center of a circle which\nrolls on the ellipse. In other words, the distance between the ellipse\nand its offset is same everywhere.\n\nThis problem comes from the geometric measurement when a probe is used.\nThe tip of the probe is a ball and the computer just outputs the\npositions of the ball\'s center. Is the offset of an ellipse still\nan ellipse? The answer is no! Ironically, DMIS - an American Indutrial\nStandard says it is ellipse. So almost all the software which was\nimplemented on the base of DMIS was wrong. The software was also sold\ninternationaly. Imagine, how many people have or will suffer from this bug!!!\nHow many qualified parts with ellipse were/will be discarded? And most\nimportantly, how many defective parts with ellipse are/will be used?\n\nI was employed as a consultant by a company in Los Angeles last year\nto specially solve this problem. I spent two months on analysis of this\nproblem and six months on programming. Now my solution (nonlinear)\nis not ideal because I can only reconstruct an ellipse from its entire\nor half offset. It is very difficult to find the original ellipse from\na quarter or a segment of its offset because the method I used is not\nanalytical. I am now wondering if I didn\'t touch the base and make things\ncomplicated. Please give me a hint.\n\nI know you may argue this is not a CG problem. You are right, it is not.\nHowever, so many people involved in the problem "sphere from 4 poits".\nWhy not an ellipse? And why not its offset?\n\nPlease post here and let the others share our interests \n(I got several emails from our netters, they said they need the\nsummary of the answers).\n\nYeh\nUSC\n',
 'Subject: Mives 4 Sale (update)\nFrom: koutd@hiramb.hiram.edu (DOUGLAS KOU)\nOrganization: Hiram College\nNntp-Posting-Host: hiramb.hiram.edu\nLines: 15\n\nVHS movie for sale\n\nKevin Costner\tDances withs Wolves\n\nJust open and was used once, $12.00 or best offer, buyer will have\nto pay shipping. ($1.00 for shipping)\n\nLet me know if you are interested, and send your offer to this\ne-mail address. Koutd@hirama.hiram.edu\n\nthanks,\n\nDouglas Kou\nHiram College\n\n',
 'From: bbf2@ns1.cc.lehigh.edu (BENJAMIN BROOKER FRADKIN)\nSubject: Tigers pound Mariners!!!!!!!\nOrganization: Lehigh University\nLines: 7\n\nWere they palying football or baseball in Detroit on Saturday?  From looking\nat the school, some people may think it was football.  Between two games this\nweek, the Tigers scored 40 runs!!!!  The offense can carry them, I hope the\npitching will hold out.  I was at Camden Yards yesterday, everytime I looked\nup the score was getting higher.  What a great site it was to see the Tigers\nkicking butt while enjoying a game at Camden Yards.  GO TIGERS AND GO TONY\nPHILLIPS!!!!!!!!\n',
 'From: eer@world.std.com (Eugene E Rosen)\nSubject: Centris 610/tms 120 drive\nArticle-I.D.: world.C5Jq8A.3I9\nOrganization: The World Public Access UNIX, Brookline, MA\nLines: 14\n\nI recently purchased a Centris 610 and am having difficulty getting\nmy computer to recognize my hard disk drive (external) Using both the\ndisk uitily of TMS (Diskwriter) and Jasmine\'s software, neither one\nwill show the drive.  The drive is the only device connected to the \nscuzzi port. I cant find the manual to the tms pro 120 and seem to\nremember that it is "terminated".  Is there something else that I am\ndoing (or not doing) that does not allow my 610 to recognize my external\ndisk drive?.\n\nthanks in advance for the information.\n-- \nEugene E. Rosen                                           GENIE: erosen\n22 Riverside Road                                       COMPUSERVE:74066,3444\nSandy Hook, Ct. 06482-1213                              AOL: Gene Rosen\n',
 'From: jmilhoan@magnus.acs.ohio-state.edu (JT)\nSubject: 2 PowerBook Questions\nArticle-I.D.: magnus.1993Apr6.215646.23800\nOrganization: The Ohio State University\nLines: 13\nNntp-Posting-Host: bottom.magnus.acs.ohio-state.edu\n\n\n1.  Why, or how actually, can a Powerbook have a 640 x 400 pixel\n    display, regardless if it is a 9" or 10", and still keep the\n    72 dpi resolution?  (I assume that it doesn\'t, and I don\'t \n    mean to imply they *all* have these dimensions)\n\n\n2.  Any info on price drops or new models (non-Duo) coming up?\n\n\n\nThanks,\nJT\n',
 "From: zellner@stsci.edu\nSubject: Re: HST Servicing Mission\nLines: 19\nOrganization: Space Telescope Science Institute\nDistribution: world,na\n\nIn article <1rd1g0$ckb@access.digex.net>, prb@access.digex.com (Pat) writes: \n > \n > \n > SOmebody mentioned  a re-boost of HST during this mission,  meaning\n > that Weight is a very tight  margin on this  mission.\n >  \n\nI haven't heard any hint of a re-boost, or that any is needed.\n\n > \n > why not  grapple,  do all said fixes,   bolt a small  liquid  fueled\n > thruster module  to  HST,   then let it make the re-boost.  it has to be\n > cheaper on mass then usingthe shuttle as a tug.   \n\nNasty, dirty combustion products!  People have gone to monumental efforts to\nkeep HST clean.  We certainly aren't going to bolt any thrusters to it.\n\nBen\n\n",
 "Subject: news says BATF indictment/warrant unsealed...\nFrom: kim39@scws8.harvard.edu (John Kim)\nDistribution: world\nOrganization: Harvard University Science Center\nNntp-Posting-Host: scws8.harvard.edu\nLines: 19\n\nSomething about how Koresh had threatened to cause local \nproblems with all these wepaons he had and was alleged to\nhave.  \n\nSomeone else will post more details soon, I'm sure.\n\nOther News:\nSniper injures 9 outside MCA buildling in L.A.  Man arrested--suspect\nwas disgruntled employee of Universal Studios, which\nis a division of M.C.A.\n\n\nQUESTION:\nWhat will Californians do with all those guns after the Reginald\ndenny trial?\n\n-Case Kim\nkim39@husc.harvard.edu\n\n",
 "From: frahm@ucsu.colorado.edu (Joel A. Frahm)\nSubject: Re: Identify this bike for me\nArticle-I.D.: colorado.1993Apr6.153132.27965\nReply-To: frahm@ucsu.colorado.edu\nOrganization: Department of Rudeness and Pomposity\nLines: 17\nNntp-Posting-Host: sluggo.colorado.edu\n\n\nIn article <1993Apr6.002937.9237@adobe.com> cjackson@adobe.com (Curtis Jackson) writes:\n>In article <1993Apr5.193804.18482@ucsu.Colorado.EDU> coburnn@spot.Colorado.EDU (Nicholas S. Coburn) writes:\n>}first I thought it was an 'RC31' (a Hawk modified by Two Brothers Racing),\n>}but I did not think that they made this huge tank for it.  Additionally,\n>\nI think I've seen this bike.  Is it all white, with a sea-green stripe\nand just 'HONDA' for decals, I've seen such a bike numerous times over\nby Sewall hall at CU, and I thought it was a race-prepped CBR. \nI didn't see it over at the EC parking lot (I buzzed over there on my \nway home, all of 1/2 block off my route!)  but it was gone.\n\nIs a single sided swingarm available for the CBR?  I would imagine so, \nkinda neccisary for quick tire changes.  When I first saw it, I assumed it\nwas a bike repainted to cover crash damage.\n\nJoel.\n",
 'From: andrew@frip.WV.TEK.COM (Andrew Klossner)\nSubject: Re: Soundblaster IRQ and Port settings\nReply-To: andrew@frip.wv.tek.com\nOrganization: Tektronix Color Printers, Wilsonville, Oregon\nLines: 19\n\n[]\n\n\t"These LPT1, COM1, disk controller are call devices.  There are\n\tdevices that requires exclusive interrupt ownership, eg. disk\n\tcontroller (I6) and keyboard (I1).  There are also devices that\n\tdoes not require exclusive ownership, ie. it will share an\n\tinterrupt with another device, eg. LPT1"\n\nNo.  In a standard ISA bus, the one that almost all non-laptop PCs use,\ntwo separate interface cards cannot share an interrupt.  This is due to\na screwup in the bus design.  For example, if your Soundblaster wants\nto drive interrupt number 7, then it must hold a certain bus wire to 0\nor 1 at all times, depending on whether or not it wants an interrupt.\nThis precludes letting another card assert interrupt number 7.\n\nWhen two or more devices in an ISA bus PC share an interrupt, it\'s\nbecause they\'re implemented by a single card.\n\n  -=- Andrew Klossner  (andrew@frip.wv.tek.com)\n',
 'From: jed@pollux.usc.edu (Jonathan DeMarrais)\nSubject: Crypto Conference\nOrganization: University of Southern California, Los Angeles, CA\nLines: 11\nDistribution: usa\nNNTP-Posting-Host: pollux.usc.edu\n\nI need to know the following information about the upcoming\nCrypto Conference; The address to submit articles, and the\nnumber of copies needed.  Thanks,\n\t\t\t\tJonathan DeMarrais \n\t\t\t\tjed@pollux.usc.edu\n\n-- \n--- Jay      jed@pollux.usc.edu          (University of Southern California)\n\nWhat a depressingly stupid machine.\n                                     Marvin\n',
 'From: cdt@sw.stratus.com (C. D. Tavares)\nSubject: Re: BATF/FBI Murders Almost Everyone in Waco Today! 4/19\nOrganization: Stratus Computer, Inc.\nLines: 33\nDistribution: world\nNNTP-Posting-Host: rocket.sw.stratus.com\n\nIn article <KEVIN.93Apr20085431@axon.usa>, kevin@axon.usa (Kevin Vanhorn) writes:\n> In article <C5rpoJ.IJv@news.udel.edu> roby@chopin.udel.edu (Scott W Roby) writes:\n> >\n> > Two of the nine who escaped the compound said the fire was deliberately set \n> > by cult members.\n> \n> Correction: The *FBI* *says* that two of the nine who escaped said the fire\n> was deliberately set by cult members.  Since the press was kept miles away,\n> we have absolutely no independent verification of any of the government\'s\n> claims in this matter.\n\nMoreover, the BATF has admitted having agents in the compound, and as\nfar as I have been able to ascertain, those agents were still in the\ncompound when the first shots were fired.  For all we know, these two\npeople may BE the agents, who would certainly be unlikely to stay around\nand "cook" with the faithful...\n\nAssuming the two people in question were even in the compound at all.\n\nMaybe I sound paranoid, but I watched Janet Reno last night harping on\nhow much David Koresh was a big, bad child abuser, and I kept wondering \nwhy she -- much less BATF -- wanted us to infer that she had any \njurisdiction over such accusations in the first place.\n\nI\'m POSITIVE that the "sealed warrant" is not for child abuse.  What was\nit for?  Peobably weapons violations.  Janet Reno didn\'t say WORD ONE\nlast night about weapons violations.  Why?  Because she knows that such\na case is no longer believable?\n-- \n\ncdt@rocket.sw.stratus.com   --If you believe that I speak for my company,\nOR cdt@vos.stratus.com        write today for my special Investors\' Packet...\n\n',
 'From: stssdxb@st.unocal.com (Dorin Baru)\nSubject: Re: No land for peace - No negotiatians\nOrganization: Unocal Corporation\nLines: 52\n\n\n\nhasan@McRCIM.McGill.EDU writes:\n\n\n>Ok. I donot know why there are israeli voices against negotiations. However,\n>i would guess that is because they refuse giving back a land for those who\n>have the right for it.\n\nSounds like wishful guessing.\n\n\n>As for the Arabian and Palestinean voices that are against the\n>current negotiations and the so-called peace process, they\n>are not against peace per se, but rather for their well-founded predictions\n>that Israel would NOT give an inch of the West bank (and most probably the same\n>for Golan Heights) back to the Arabs. An 18 months of "negotiations" in Madrid,\n>and Washington proved these predictions. Now many will jump on me saying why\n>are you blaming israelis for no-result negotiations.\n>I would say why would the Arabs stall the negotiations, what do they have to\n>loose ?\n\n\n\'So-called\' ? What do you mean ? How would you see the peace process?\n\nSo you say palestineans do not negociate because of \'well-founded\' predictions ?\nHow do you know that they are \'well founded\' if you do not test them at the \ntable ? 18 months did not prove anything, but it\'s always the other side at \nfault, right ?\n\nWhy ? I do not know why, but if, let\'s say, the Palestineans (some of them) want\nALL ISRAEL, and these are known not to be accepted terms by israelis.\n\nOr, maybe they (palestinenans) are not yet ready for statehood ?\n\nOr, maybe there is too much politics within the palestinean leadership, too many\nfractions aso ?\n\nI am not saying that one of these reasons is indeed the real one, but any of\nthese could make arabs stall the negotiations.\n\n>Arabs feel that the current "negotiations" is ONLY for legitimizing the current\n>status-quo and for opening the doors of the Arab markets for israeli trade and\n>"oranges". That is simply unacceptable and would be revoked.\n \nI like California oranges. And the feelings may get sharper at the table.\n\n\n\nRegards,\n\nDorin\n',
 'From: banschbach@vms.ocom.okstate.edu\nSubject: How To Prevent Kidney Stone Formation\nLines: 154\nNntp-Posting-Host: vms.ocom.okstate.edu\nOrganization: OSU College of Osteopathic Medicine\n\nI got asked in Sci. Med. Nutrition about vitamin C and oxalate production(\ntoxic, kidney stone formation?).  I decided to post my answer here as well \nbecause of the recent question about kidney stones.  Not long after I got \ninto Sci. Med. I got flamed by a medical fellow for stating that magnesium \nwould prevent kidney stone formation.  I\'m going to state it again here.\nBut the best way to prevent kidney stones from forming is to take B6 \nsupplements.  Read on to find out why(I have my asbestos suit on now guys).\n\nVitamin C will form oxalic acid.  But large doses are needed (above 6 grams \nper day).\n\n\t1. Review Article "Nutritional factors in calcium containing kidney \n\t   stones with particular emphasis on Vitamin C" Int. Clin. Nutr. Rev.\n\t   5(3):110-129(1985).\n\nBut glycine also forms oxalic acid(D-amino acid oxidases).  For both \nglycine and vitamin C, one of the best ways to drastically reduce this \nproduction is not to cut back on dietary intake of vitamin C or glycine, \nbut to increase your intake of vitamin B6.\n\n\t2. "Control of hyperoxaluria with large doses of pyridoxine in \n\t    patients with kidney stones" Int. Urol. Nephrol. 20(4):353-59(1988)\n\t    200 to 500 mg of B6 each day significasntly decreased the urinary \n\t    excretion of oxalate over the 18 month treatment program.\n\n\t3. The action of pyridoxine in primary hyperoxaluria" Clin. Sci. 38\n\t   :277-86(1970).  Patients receiving at least 150mg B6 each day \n\t   showed a significant reduction in urinary oxalate levels.\n\nFor gylcine, this effect is due to increased transaminase activity(B6 is \nrequired for transaminase activity) which makes less glycine available for \noxidative deamination(D-amino acid oxidases).  For vitamin C, the effect is \nquite different.  There are different pathways for vitamin C catabolism.  \nThe pathway that leads to oxalic acid formation will usually have 17 to 40% \nof the ingested dose going into oxalic acid.  But this is highly variable \nand the vitamin C review article pointed out that unless the dose gets upto \n6 grams per day, not too much vitamin C gets catabolized to form oxalic \nacid.  At very high doses of vitamin C(above 10 grams per day), more of the \nextra vitamin C (more than 40% conversion) can end up as oxalic acid.  In a \nvery early study on vitamin C and oxalic production(Proc. Soc. Exp. Biol. \nMed. 85:190-92(1954), intakes of 2 grams per day up to 9 grams per day \nincreased the average oxalic acid excretion from 38mg per day up to 178mg \nper day.  Until 8 grams per day was reached, the average excreted was \nincreased by only 3 to 12mg per day(2 gram dose, 4 gram dose, 8 gram dose \nand 9gram dose). 8 grams jumped it to 45mg over the average excretion \nbefore supplementation and 9 grams jumped it to 150 mg over the average \nbefore supplementation.\n\nB6 is required by more enzymes than any other vitamin in the body.  There \nare probably some enzymes that require vitamin B6 that we don\'t know about \nyet.  Vitamin C catabolism is still not completely understood but the \nspeculation is that this other pathway that does not form oxalic acid must \nhave an enzyme in it that requires B6.  Differences in B6 levels could then \nexplain the very variable production of oxalic acid from a vitamin C \nchallenge(this is not the preferred route of catabolism).  Increasing your \nintake of B6 would then result in less oxalic acid being formmed if you \ntake vitamin C supplements.  Since the typical American diet is deficient \nin B6, some researchers believe that the main cause of calcium-oxalate \nkidney stones is B6 deficiency(especially since so little oxalic acid gets \nabsorbed from the gut).  Diets providing 0 to 130mg of oxalic acid per day \nshowed absolutely no change in urinary excretion of oxalate(Urol Int.35:309\n-15,1980).  If 400mg was present each day, there was a significant increase \nin urinary oxalate excretion.\n\n\tHere are the high oxalate foods:\n\n\t1. Beans, coca, instant coffee, parsley, rhubarb, spinach and tea.\n\t   Contain at least 25mg/100grams\n\n\t2. Beet tops, carrots, celery, chocolate, cumber, grapefruit, kale, \n\t   peanuts, pepper, sweet potatoe.\n\t   Contain 10 to 25 mg/100grams.\n\nIf the threshold is 130mg per day, you can see that you really have a lot \nof latitude in food selection.  A recent N.Eng.J. Med. article also points \nout that one good way to prevent kidney stone formation is to increase your \nintake of calcium which will prevent most of the dietary oxalate from being \nabsorbed at all.  If you also increase your intake of B6, you shouldn\'t \nhave to worry about kidney stones at all. The RDA for B6 is 2mg per day for \nmales and 1.6mg per day for females(directly related to protein intake).\nB6 can be toxic(nerve damage) if it is consumed in doses of 500mg or more \nper day for an extended peroid(weeks to months).  \n\nThe USDA food survey done in 1986 had an average intake of 1.87 mg per day \nfor males and 1.16mg per day for females living in the U.S.  Coupled with \nthis low intake was a high protein diet(which greatly increases the B6 \nrequirement), as well as the presence of some of the 40 different drugs that \neither block B6 absorption, are metabolic antagonists of B6, or promote B6 \nexcretion in the urine.  Common ones are: birth control pills, alcohol,\nisoniazid, penicillamine, and corticosteroids.  I tell my students to \nsupplement all their patients that are going to get any of the drugs that \nincrease the B6 requirement.  The dose recommended for patients taking \nbirth control pills is 10-15mg per day and this should work for most of the \nother drugs that increase the B6 requirement(this would be on top of your \ndietary intake of B6).  Any patient that has a history of kidney stone \nformation should be given B6 supplements.\n\nOne other good way to prevent kidney stone formation is to make sure your \nCa/Mg dietary ratio is 2/1.  Magnesium-oxalate is much more soluble than is \ncalcium-oxalate.\n\n\t4. "The magnesium:calcium ratio in the concentrated urines of \npatients with calcium oxalate calculi"Invest. Urol 10:147(1972)\n\n\t5. "Effect of magnesium citrate and magnesium oxide on the \ncrystallization of calcium in urine: changes producted by food-magnesium \ninteraction"J. Urol. 143(2):248-51(1990).\n\n\t6.Review Article, "Magnesium in the physiopathology and treatment \nof renal calcium stones" J. Presse Med. 161(1):25-27(1987).\n\nThere are actually about three times as many articles published in the \nmedical literature on the role of magnesium in preventing kidney stone \nformation than there are for B6.  I thought that I was being pretty safe in \nstating that magnesium would prevent kidney stone formation in an earlier \npost in this news group but good old John A. in Mass. jumped all over me. I \nguess that he doesn\'t read the medical literature.  Oh well, since kidney \nstones can be a real pain and a lot of people suffer from them, I thought \nI\'d tell you how you can avoid the pain and stay out of the doctor\'s office.\n\nMartin Banschbach, Ph.D.\nProfessor of Biochemistry and Chairman\nDepartment of Biochemistry and Microbiology\nOSU College of Osteopathic Medicine\n1111 W. 17th Street\nTulsa, Ok. 74107\n\n"Without discourse, there is no remembering, without remembering, there is \nno learning, without learning, there is only ignorance".  From a wise man \nwho lived in China, many, many years ago.  I think that it still has \nmeaning in today\'s world.\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n',
 'From: asiivo@cs.joensuu.fi (Antti Siivonen)\nSubject: Re: Part 1 and part 2 (re: Homosexuality)\nOrganization: University of Joensuu\nLines: 9\n\n\tLong time, no see.\n\n\t\t\tAndreas\n\n-- \n\n\t\tAndreas - Siperian Sirri   Siberian Stint\n\n\tNo ITU, love, evolution.           Tuusniemi ! Siis imein suut !\n',
 "From: silly@ugcs.caltech.edu (Brad Threatt)\nSubject: Remote file system security\nOrganization: California Institute of Technology, Pasadena\nLines: 20\nNNTP-Posting-Host: vex.ugcs.caltech.edu\n\nIn light of my recent paranoia concerning government proposals, I'd love to\nsee a UNIX-based encryption scheme that:\n\n1) Kept some files encrypted on the host machine (say, all the files in your\n   home directory)\n2) Used a key system that could not be compromised by eavesdropping over a\n   modem line.\n\nIt seems that this would require modifications to a shell program and a\nway of telling whether a file was encrypted or not, among other things.\n\nI'd love to know about potential security holes in such a system.\n\nDoes such a system exist?  If it were made easy-to-use and readily\navailable, I think it would be a Good Thing(tm).  I realize that this\nwould probably just involve putting a nice front-end on a readily available\nand very secure encryption scheme, but it should be done.\n\nThanks for the ear,\nBrad \n",
 'From: sommerfeld@apollo.hp.com (Bill Sommerfeld)\nSubject: A little political philosophy worth reading.\nLines: 66\nNntp-Posting-Host: snarfblatt.ch.apollo.hp.com\nOrganization: Hewlett Packard\n\nRead this through once or twice.  Then replace "prince" with\n"government" or "president", as appropriate, and read it again.  \n\n[From Chapter XX of _The Prince_, by N. Macchiavelli, as translated by\nDaniel Donno.]\n\n\tIn order to keep their lands secure, some princes have\ndisarmed their subjects; others have prompted division within the\ncities they have subjugated.  Some have nurtured animosities against\nthemselves; others have sought to win the approval of those they\ninitially distrusted.  Some have erected fortresses; others have\ndestroyed them.  Now, although it is impossible to set down definite\njudgements on all of these measures without considering the particular\ncircumstances of the states where they may be employed, I shall\nnevertheless discuss them in such broad terms as the subject itself\nwill allow.\n\n\tTo begin with, there has never been a case of a new prince\ndisarming his subjects.  Indeed, whenever he found them disarmed, he\nproceeded to arm them.  For by arming your subjects, you make their\narms your own.  Those among them who are suspicious become loyal,\nwhile those who are already loyal remain so, and from subjects they\nare transformed into partisans.  Though you cannot arm them all,\nnonetheless you increase your safety among those you leave unarmed by\nextending privileges to those you arm.  Your different treatment of\nthe two categories will make the latter feel obligated to you, while\nthe former will consider it proper thoat those who assume added duties\nand dangers should receive advantages.  \n\n\tWhen you disarm your subjects, however, you offend them, by\nshowing that, either from cowardliness or from lack of faith, you\ndistrust them; and either conclusion will induce them to hate you.\nMoreover, since it is impossible for you to remain unarmed, you would\nhave to resort to mercenaries, whose limitations have already been\ndiscussed. Even if such troops were good, however, they could never be\ngood enough to defend you from powerful enemies, and doubtful\nsubjects.  Therefore, as I have said, a new prince in a newly acquired\nstate has always taken measures to arm his subjects, and history is\nfull of examples proving that this is so.\n\n\tBut when a prince takes posession of a new state which he\nannexes as an addition to his original domain, then he must disarm all\nthe subjects of the new state except those who helped him to acquire\nit; and these, as time and occasion permit, he must seek to render\nsoft and weak.  He must arrange matters in such a way that the arms of\nthe entire state will be in the hands of soldiers who are native to\nhis original domain.\n\n\t...\n\n\tAnd since the subject demands it, I will not fail to remind\nany prince who has acquired a new state by the aid of its inhabitants\nthat he soundly consider what induced them to assist him; if the\nreason is not natural affection for him, but rather dissatisfaction\nwith the former government, he will find it extremely difficult to\nkeep them friendly, for it will be impossible to please them.  If he\nwill carefully think the matter through in the light of examples drawn\nfrom ancient and modern affairs, he will understand why it is much\neasier to win the favor of those who were happy with their former\ngovernment, and hence were his enemies, than to keep the favor of\nthose who, out of dissatisfaction with the former rule, helped him to\nreplace it.\n\n\n\n\n',
 'From: sandy@nmr1.pt.cyanamid.COM (Sandy Silverman)\nSubject: Re: Barbecued foods and health risk\nIn-Reply-To: rousseaua@immunex.com\'s message of 19 Apr 93 13:02:13 PST\nNntp-Posting-Host: nmr1.pt.cyanamid.com\nOrganization: American Cyanamid Company\n\t<1quq1m$e8j@terminator.rs.itd.umich.edu>\n\t<1993Apr19.130213.69@immunex.com>\nLines: 8\n\nHeat shock proteins are those whose expression is induced in response to\nelevated temperature.  Some are also made when organisms are subjected to\nother stress conditions, e.g. high salt.  They have no obvious connection\nto what happens when you burn proteins.\n--\nSanford Silverman                      >Opinions expressed here are my own<\nAmerican Cyanamid  \nsandy@pt.cyanamid.com, silvermans@pt.cyanamid.com     "Yeast is Best"\n',
 'From: C.O.EGALON@LARC.NASA.GOV (CLAUDIO OLIVEIRA EGALON)\nSubject: Re: japanese moon landing?\nOrganization: NASA Langley Research Center\nLines: 13\nDistribution: world\nReply-To: C.O.EGALON@LARC.NASA.GOV (CLAUDIO OLIVEIRA EGALON)\nNNTP-Posting-Host: tahiti.larc.nasa.gov\n\n> there is no such thing as a stable lunar orbit\n\nIs it right??? That is new stuff for me. So it means that  you just can \nnot put a sattellite around around the Moon for too long because its \norbit will be unstable??? If so, what is the reason??? Is that because \nthe combined gravitacional atraction of the Sun,Moon and Earth \nthat does not provide a stable  orbit around the Moon???\n\n C.O.EGALON@LARC.NASA.GOV\n\nC.O.Egalon@larc.nasa.gov\n\nClaudio Oliveira Egalon\n',
 "From: cutter@gloster.via.mind.org (cutter)\nSubject: Re: A Message for you Mr. President: How do you know what happened?\nDistribution: world\nOrganization: Gordian Knot, Gloster,GA\nLines: 26\n\nbskendig@netcom.com (Brian Kendig) writes:\n\n> b645zaw@utarlg.uta.edu (Stephen Tice) writes:\n> >\n> >One way or another -- so much for patience. Too bad you couldn't just \n> >wait. Was the prospect of God's Message just too much to take?\n> \n> So you believe that David Koresh really is Jesus Christ?\n> \n\nYou know, everybody scoffed at that guy they hung up on a cross too.\nHe claimed also to be the son of God; and it took almost two thousand \nyears to forget what he preached.\n\n\tLove thy neighbor as thyself.\n\n\nAnybody else wonder if those two guys setting the fires were 'agent \nprovacateurs.'\n\n\n---------------------------------------------------------------------\ncutter@gloster.via.mind.org (chris)     All jobs are easy \n                                     to the person who\n                                     doesn't have to do them.\n                                               Holt's law\n",
 'From: rnichols@cbnewsg.cb.att.com (robert.k.nichols)\nSubject: Re: moving icons\nOrganization: AT&T\nDistribution: na\nLines: 15\n\nIn article <1bp0rAHPBh107h@viamar.UUCP> rutgers!viamar!kmembry writes:\n>I remember reading about a program that made windows icons run away\n>from the mouse as it moved near them.  Does anyone know the name\n>of this program and the ftp location (probably at cica)\n\nThere\'s a program called "Icon Frightener" included with the book Stupid\nWindows Tricks by Bob LeVitus and Ed Tittel (Addison-Wesley, 1992).  It\'s\nfreeware.  If it\'s not on the net anywhere, I\'ll happily email a copy to\nsomeone who\'s willing to upload it (I can\'t upload through our Internet\nfirewall).\n\n--\nBob Nichols\nAT&T Bell Laboratories\nrnichols@ihlpm.ih.att.com\n',
 'From: svoboda@rtsg.mot.com (David Svoboda)\nSubject: Re: Ed must be a Daemon Child!!\nNntp-Posting-Host: corolla18\nOrganization: Motorola Inc., Cellular Infrastructure Group\nLines: 11\n\nIn article <1993Apr2.163021.17074@linus.mitre.org> cookson@mbunix.mitre.org (Cookson) writes:\n|\n|Wait a minute here, Ed is Noemi AND Satan?  Wow, and he seemed like such\n|a nice boy at RCR I too.\n\nAnd Noemi makes me think of "cuddle", not "KotL".\n\nDave Svoboda (svoboda@void.rtsg.mot.com)    | "We\'re bad-t-the-bone!\n90 Concours 1000 (Mmmmmmmmmm!)              |  Bad-t-the-bone!"\n84 RZ 350 (Ring Ding) (Woops!)              |  -- Universally feared\nAMA 583905  DoD #0330  COG 939  (Chicago)   |     Denizen warcry.\n',
 'From: kkeller@mail.sas.upenn.edu (Keith Keller)\nSubject: Re: Goalie masks\nArticle-I.D.: netnews.120666\nOrganization: University of Pennsylvania, School of Arts and Sciences\nLines: 10\nNntp-Posting-Host: mail.sas.upenn.edu\n\nMy vote goes to John Vanbiesbrouck.  His mask has a skyline of New York\nCity, and on the sides there are a bunch of bees (Beezer).  It looks\nreally sharp.\n\n--\n    Keith Keller\t\t\t\tLET\'S GO RANGERS!!!!!\n\t\t\t\t\t\tLET\'S GO QUAKERS!!!!!\n\tkkeller@mail.sas.upenn.edu\t\tIVY LEAGUE CHAMPS!!!!\n\n            "When I want your opinion, I\'ll give it to you." \n',
 "From: neff123@garnet.berkeley.edu (Stephen Kearney)\nSubject: Re: NDW Norton Desktop for Windows\nOrganization: University of California, Berkeley\nLines: 7\nNNTP-Posting-Host: garnet.berkeley.edu\n\n(NDW)\n>I would like to know how to STOP or uninstall this program!!\n\nIf an Uninstall icon doesn't exist in the Norton Desktop Apps\ngroup:\n\nRun NDW's install program with /u.\n",
 'From: Tony Lezard <tony@mantis.co.uk>\nSubject: Re: text of White House announcement and Q&As on clipper chip encryp\nDistribution: world\nOrganization: Mantis Consultants, Cambridge. UK.\nLines: 13\n\ngtoal@gtoal.com (Graham Toal) writes:\n\n> Whatever happens though, the effect of this new chip will be to make private\n> crypto stand out like a sore thumb.\n\nONLY IF this chip catches on. Which means alternatives have to be\ndeveloped. Which will only happen if Clipper is discredited.\n\n-- \nTony Lezard IS tony@mantis.co.uk | PGP 2.2 public key available from key\nOR tony%mantis.co.uk@uknet.ac.uk | servers such as pgp-public-keys@demon.co.uk\nOR EVEN      arl10@phx.cam.ac.uk | 172045 / 3C85783F 09BBEA0C B86CF9C6 7A5FA172\n\n',
 "From: takaharu@mail.sas.upenn.edu (Taka Mizutani)\nSubject: Re: DX3/99\nOrganization: University of Pennsylvania\nLines: 15\nNntp-Posting-Host: microlab11.med.upenn.edu\n\nIn article <IISAKKIL.93Apr6153602@lk-hp-22.hut.fi>,\niisakkil@lk-hp-22.hut.fi (Mika Iisakkila) wrote:\n\n :Because of some contract, IBM is not allowed to sell its\n :486 chips to third parties, so these chips are unlikely to become\n :available in any non-IBM machines. \n\nI saw in this months PC or PC World an ad for computers using IBM's 486SLC.\nSo I don't think IBM is restricted in selling their chips, at least not\nanymore. A clock-tripled 486, even without coprocessor would be great,\nespecially with 16k on-board cache. Make it 386 pin-compatible, and you\nhave the chip upgrade that dreams are made of :-)\n\nTaka Mizutani\ntakaharu@mail.sas.upenn.edu\n",
 "From: mbeaving@bnr.ca (The Beav)\nSubject: DoD Confessional\nNntp-Posting-Host: bmerh824\nReply-To: MBEAVING@BNR.CA\nOrganization: Bell-Northern Research, Ottawa, Canada\nLines: 31\n\nI can't help myself.\nI've tried to be rational, \nto look the other way,\nbut everytime it happens, \nits uncontrollable.\n\nI hate pre'80s motorcycles.\n\nAt first I thought it was a phase.  I though I would\nget used to them.  It didn't happen.  I tried gazing\nat CB750s and 900 customs, but each time I sadistically\npictured them being hurled off of large precipice\n(I also picture a swarm of german tourists cheering and\ntaking holiday snaps, but I can't figure that part out).\n\nWhat am I to do?  Everytime I read a .sig containing \nsome spoked wheel wonder, I shudder and feel pity that\nthe poor soul has suffered enough.  I imagine the owner\nscrapping out his (or her) living in a discarded Maytag\nrefridgerator box, tucked in next to their CX500.\n\nI'm hoping for some deliverance.  I had in the past loathed\nthe Milwaukee machine, but I can actually begin to understand\nsome of the preaching.  There must be hope. \n\n-- \n===================================================\n= The Beav |Mike Beavington| Dod:9733             =\n= V65Sabre     mbeaving@bnr.ca                    =\n= My employer has no idea what I'm talking about! =\n===================================================\n",
 "From: golchowy@alchemy.chem.utoronto.ca (Gerald Olchowy)\nSubject: Re: WC 93: Results, April 18\nOrganization: University of Toronto Chemistry Department\nLines: 43\n\nIn article <1993Apr19.211406.22528@iscnvx.lmsc.lockheed.com> spiegel@sgi413.msd.lmsc.lockheed.com (Mark Spiegel) writes:\n>\tAccording to the SJ Murky News the Team USA roster is (names and\n>\tteams played for in 1992-93 listed):\n>\n>\t\tGoalies\n>\t\t-------\n........\n>\t\tForwards\n>\t\t--------\n>\tTony Amonte\tNew York Rangers\n>\tTed Drury\tHarvard Univ\n>\tRob Gaudreau\tSan Jose' Sharks\n>\tCraig Johnson\tUniv of Minnesota\n>\tJeff Lazaro\tOttawa Senators\n>\tMike Modano\tMinnesota North Stars\n>\tEd Olczyk\tNew York Rangers\n>\tDerek Plante\tUniv of Minnesota-Duluth\n>\tShion Podein\tEdmonton Oilers\n>\tDavid Sacco\tBoston University\n>\tDarren Turcotte New York Rangers\n>\tDoug Weight\tEdmonton Oilers\n>\n\nIt looks like the Edmonton Oilers just decided to take a European\nvacation this spring...\n\nRanford, Tugnutt, Benning, Manson, Smith, Buchberger, and Corson\nare playing for Canada.\n\nPodein and Weight are playing for the US.\n\nIs Kravchuk playing for the Russians...I know he had nagging\ninjuries late in the season.\n\nPodein is an interesting case...because he was eligible to\nplay in Cape Breton in the AHL playoffs like Kovalev, Zubov,\nand Andersson...obviously Sather and Pocklington are not\nthe total scrooges everyone makes them out to be...certainly\nin this case they've massively outclassed Paramount and the\nNew York Rangers.\n\nGerald\n\n",
 'From: csulo@csv.warwick.ac.uk (Mr M J Brown)\nSubject: 600RPM Floopy drives - UPDATE!\nOrganization: Computing Services, University of Warwick, UK\nLines: 26\nDistribution: world\nNNTP-Posting-Host: clover.csv.warwick.ac.uk\n\nMany thanks to those who replied to my appeal for info on a drive I have\nwhich is 3.5" 600RPM!!\n\nI now have some information on how to modify this for use with a BBC B \ncomputer. Not only do you have to change the speed from 600 to 300 rpm\n(tried that) but also change 8 components in the Rec/Play section to allow\nfor the lower data rate (250kbit, not 500kbit as it was designed for) and also\nchange the Recording Current to allow for the low data rate/rev speed!\n\nHopefully this should sort it all out .... not bad for 9 quid (normally 32 \nquid and upwards ....)\n\nThe drive is a JVC MDP series drive ...\n\n=============================================================================  \n     _/      _/   _/   _/  _/   _/_/_/_/   |\n    _/_/  _/_/   _/   _/_/     _/          |         Michael Brown\n   _/  _/  _/   _/   _/       _/_/         |\n  _/      _/   _/   _/_/     _/            |    csulo@csv.warwick.ac.uk\n _/      _/   _/   _/  _/   _/_/_/_/  _/   |     mjb@dcs.warwick.ac.uk\n                                           |\n=============================================================================\n              Lost interest ?? It\'s so bad I\'ve lost apathy!\n=============================================================================\n\n\n',
 'From:  (Rashid)\nSubject: Re: Yet more Rushdie [Re: ISLAMIC LAW]\nNntp-Posting-Host: 47.252.4.179\nOrganization: NH\nLines: 34\n\n> What about the Twelve Imams, who he considered incapable of error\n> or sin? Khomeini supports this view of the Twelve Imans. This is\n> heresy for the very reasons I gave above. \n\nI would be happy to discuss the  issue of the 12 Imams with you, although\nmy preference would be to move the discussion to another\nnewsgroup.  I feel a philosophy\nor religion group would be more appropriate. The topic is deeply\nembedded in the world view of Islam and the\nesoteric teachings of the Prophet (S.A.). Heresy does not enter\ninto it at all except for those who see Islam only as an exoteric\nreligion that is only nominally (if at all) concerned with the metaphysical\nsubstance of man\'s being and nature.\n\nA good introductory book (in fact one of the best introductory\nbooks to Islam in general) is Murtaza Mutahhari\'s "Fundamental\'s\nof Islamic Thought - God, Man, and the Universe" - Mizan Press,\ntranslated by R. Campbell. Truly a beautiful book. A follow-up book\n(if you can find a decent translation) is "Wilaya - The Station\nof the Master" by the same author. I think it also goes under the\ntitle of "Master and Mastership" - It\'s a very small book - really\njust a transcription of a lecture by the author.\nThe introduction to the beautiful "Psalms of Islam" - translated\nby William C. Chittick (available through Muhammadi Trust of\nGreat Britain) is also an excellent introduction to the subject. We\nhave these books in our University library - I imagine any well\nstocked University library will have them.\n\nFrom your posts, you seem fairly well versed in Sunni thought. You\nshould seek to know Shi\'ite thought through knowledgeable \nShi\'ite authors as well - at least that much respect is due before the\ncharge of heresy is levelled.\n\nAs salaam a-laikum\n',
 "From: pauls@trsvax.tandy.com\nSubject: Re: Need source for old Radio Shack ste\nNf-ID: #R:acs.ucalgary.ca:27323:trsvax:288200083:000:125\nNf-From: trsvax.tandy.com!pauls    Apr 21 09:36:00 1993\nLines: 5\n\n\n It's made by Rohm. (as is all BAxxx parts). Call 714-855-2131 and ask if\n you can get a sample (it's only like a $2 part).\n\n\n",
 'From: dingbat@diku.dk (Niels Skov Olsen)\nSubject: Re: Rockwell Chipset for 14.4\'s ... Any good?\nOrganization: Department of Computer Science, U of Copenhagen\nLines: 33\n\ntdbear@dvorak.amd.com (Thomas D. Barrett) writes:\n\n>In article <im14u2c.735176900@camelot> im14u2c@camelot.bradley.edu (Joe Zbiciak) writes:\n>>What\'s the word on the chipset?  Is this a ROM bug specific \n>>to a specific brand using the Rockwell, or is it the Rockwell\n>>chipset itself?\n\n>There were an assortment of firmware problems, but that is pretty much\n>expected with any FAX/modem talking with a different FAX or modem\n>which may have also been revised or is new.  I\'m pretty much\n>oblivious to any current firmware problems, so you\'ll have to get it\n>from someone else.\n\nSomeone Else, could you please comment on that. I have just bought\na Twincom 14.4DFi, which has a Rockwell chipset. It wasn\'t cheap\nso I would like to hear of problems I\'m likely to run into.\n\n>However, I can tell you to stay clear of any board which uses the\n>Rockwell MPU (as opposed to the DPU) for an internal implementation.\n>This is because the MPU used "speed buffering" instead of having a\n>16550 interface.  Without the 550 interface, the number of interrupts\n>are still the same and thus may get dropped under multitasking\n>conditions (like in windows).  As far as I know, the "speed buffering"\n>works OK for external modems if a 550 is used on the internal serial\n>port board.\n\nPhew, I was lucky! The Twincom internal version has a 550A and one\nof the Rockwell chips is marked RC144DP.\n\nBut still I would like to hear more of the above mentioned firmware\nproblems.\n\nNiels\n',
 'From: lady@uhunix.uhcc.Hawaii.Edu (Lee Lady)\nSubject: Re: Science and methodology (was: Homeopathy ... tradition?)\nSummary: Gee, maybe I\'ve misjudged you.\nKeywords: science   errors   Turpin   NLP\nOrganization: University of Hawaii (Mathematics Dept)\nExpires: Mon, 10 May 1993 10:00:00 GMT\nLines: 141\n\n\nIn article <lsu7q7INNia5@saltillo.cs.utexas.edu> turpin@cs.utexas.edu (Russell Turpin) writes:\n>-*----\n>I agree with everything that Lee Lady wrote in her previous post in\n>this thread.  \n\nGee!  Maybe I\'ve misjudged you, Russell.  Anyone who agrees with something \nI say can\'t be all bad.  ;-)\n\nSeriously, I\'m not sure whether I misjudged you or not, in one respect.  \nI still have a major problem, though, with your insistence that science \nis mainly about avoiding mistakes.  And I still disagree with your \ncontention that nobody who doesn\'t use methods deemed "scientific" \ncan possibly know what\'s true and what\'s not.  \n\n>  [Deleted material which I agree with.]  \n>\n>Back to Lee Lady:\n>\n>> These are not the rules according to many who post to sci.med and\n>> sci.psychology.  According to these posters  "If it\'s not supported by\n>> carefully designed controlled studies then it\'s not science."\n>\n>These posters are making the mistake that I have previously\n>criticized of adhering to a methodological recipe.  A "carefully ...\n>     ....  \n>Rules such as "support the hypothesis by a carefully designed and\n>controlled study" are too narrow to apply to *all* investigation.\n>I think that the requirements for particular reasoning to be\n>convincing depends greatly on the kinds of mistakes that have\n>occurred in past reasoning about the same kinds of things.  (To\n>reuse the previous example, we know that conclusions from\n>uncontrolled observations of the treatment of chronic medical\n>problems are notoriously problematic.)  \n\nOkay, so let\'s see if we agree on this: FIRST of all, there are degrees \nof certainty.  It might be appropriate, for instance, to demand carefully \ncontrolled trials before we accept as absolute scientific truth (to the \nextent that there is any such thing) the effectiveness of a certain \ntreatment. On the other hand, highly favorable clinical experience, even \nif uncontrolled, can be adequate to justify a *preliminary* judgement that\na treatment is useful.  This is often the best evidence we can hope for\nfrom investigators who do not have institutional or corporate support.\nIn this case, it makes sense to tentatively treat claims as credible\nbut to reserve final judgement until establishment scientists who are\nqualified and have the necessary resources can do more careful testing.\n\nSECONDLY, it makes sense to be more tolerant in our standards of \nevidence for a pronounced effect than for one that is marginal.  \n\n\nI come to this dispute about what science is  not only as a\nmathematician but as a veteran of many arguments in sci.psychology (and\noccasionally in sci.med) about NLP (Neurolinguistic Programming).  Much\nof the work done to date by NLPers can be better categorized as\ninformal exploration than as careful scientific research.  For years\nnow I have been trying to get scientific and clinical psychologists to\njust take a look at it, to read a few of the books and watch some of\nthe videotapes (courtesy of your local university library).  Not for\nthe purpose of making a definitive judgement, but simply to look at the\nNLP methodology (especially the approach to eliciting information from\nsubjects) and look for ideas and hypotheses which might be of\nscientific interest.  And most especially to be aware of the\n*questions* NLP suggests which might be worthy of scientific\ninvestigation.\n\nOver and over again the response I get in sci.pychology is  "If this\nhasn\'t been thoroughly validated by the accepted form of empirical\nresearch then it can\'t be of any interest to us."  \n\nTo me, the ultimate reducio ad absurdum of the extreme "There\'ve got to\nbe controlled studies" position is an NLP technique called the Fast\nPhobia/Trauma Cure.\n\nSimple phobias (as opposed to agoraphobia) may not be the world\'s most \nimportant psychological disorder, but the nice thing about them is that \nit doesn\'t take a sophisticated instrument to diagnose them or tell \nwhen someone is cured of one.  The NLP phobia cure is a simple \nvisualization which requires less than 15 minutes.  (NLPers claim that\nit can also be used to neutralize a traumatic memory, and hence is\nuseful in treating Post-traumatic Stress Syndrome.)  It is essentially\na variation on the classic desensitization process used by behavioral\ntherapists.  A subject only needs to be taken through the technique once\n(or, in the case of PTSD, once for each traumatic incident).  The\nprocess doesn\'t need to be repeated and the subject doesn\'t need to\npractice it over again at home.\n\nNow to me, it seems pretty easy to test the effectiveness of this cure. \n(Especially if, as NLPers claim, the success rate is extremely high.)  \nTake someone with a fear of heights (as I used to have).  Take them up \nto a balcony on the 20th floor and observe their response.  Spend 15 \nminutes to have them do the simple visualization.  Send them back up to \nthe balcony and see if things have changed.  Check back with them in a \nfew weeks to see if the cure seems to be lasting.  (More long term \nfollow-up is certainly desirable, but from a scientific point of view \neven a cure that lasts several weeks has significance.  In any case, \nthere are many known cases where the cure has lasted years.  To the best \nof my knowledge, there is no known case where the cure has been reversed \nafter holding for a few weeks.)  (My own cure, incidentally, was done\nwith a slightly different NLP technique, before I learned of the Fast \nPhobia/Trauma Cure.  Ten years later now, I enjoy living on the 17th\nfloor of my building and having a large balcony.)  \n\nThe folks over in sci.psychology have a hundred and one excuses not to\nmake this simple test.  They claim that only an elaborate outcome study\nwill be satisfactory --- a study of the sort that NLP practitioners, \nmany of whom make a barely marginal living from their practice, can ill \nafford to do.  (Most of them are also just plain not interested, because \nthe whole idea seems frivolous.  And since they\'re not part of the\nscientific establishment, they have no tangible rewards to gain \nfrom scientific acceptance.) \n\nThe Fast Phobia/Trauma Cure is over ten years old now and the clinical \npsychology establishment is still saying "We don\'t have any way of \nknowing that it\'s effective."  \n\nThese academics themselves have the resources to do a study as elaborate \nas anyone could want, of course, but they say  "Why should I prove your \ntheory?"  and  "The burden of proof is on the one making the claim."  \nOne academic in sci.psychology said that it would be completely \nunscientific for him to test the phobia cure since it hasn\'t \nbeen described in a scientific journal.  (It\'s described in a number of \nbooks and I\'ve posted articles in sci.psychology describing it in as much \ndetail as I\'m capable of.)  \n\nActually, at least one fairly careful academic study has been done (with \nfavorable results), but it\'s apparently not acceptable because it\'s a\ndoctoral dissertation and not published in a refereed journal.\n\nTo me, this sort of attitude does not advance science but hinders it.  \nThis is the kind of thing I have in mind when I talk about "doctrinnaire" \nattitudes about science.  \n\nNow maybe I have been unfair in imputing such attitudes to you, Russell.  \nIf so, I apologize. \n \n--\nIn the arguments between behaviorists and cognitivists, psychology seems \nless like a science than a collection of competing religious sects.   \n\nlady@uhunix.uhcc.hawaii.edu         lady@uhunix.bitnet\n',
 'From: bryan@alex.com (Bryan Boreham)\nReturn-Path: <news>\nSubject: Re: Xt intrinsics: slow popups\nNntp-Posting-Host: tweety\nReply-To: bryan@alex.com\nOrganization: Alex Technologies Ltd, London, England\nLines: 15\n\nIn article <735259869.13021@minster.york.ac.uk>, cjhs@minster.york.ac.uk writes:\n> The application creates window with a button "Quit" and "Press me".\n> The button "Press me" pops up a dialog box. The strange feature of\n> this program is that it always pops up the dialog box much faster the\n> first time. If I try to pop it up a 2nd time (3rd, 4th .... time), \n> it is *much* slower.\n\nThe shell is waiting for the window-manager to respond to its\npositioning request.  The window-manager is not responding because\nit thinks the window is already in the right place.\n\nExactly *why* the two components get into this sulk is unclear to\nme; all information greatly received.\n\nBryan.\n',
 'From: euclid@mrcnext.cso.uiuc.edu (Euclid K.)\nSubject: Re: accupuncture and AIDS\nOrganization: University of Illinois at Urbana\nLines: 18\n\naliceb@tea4two.Eng.Sun.COM (Alice Taylor) writes:\n\n>A friend of mine is seeing an acupuncturist and\n>wants to know if there is any danger of getting\n>AIDS from the needles.\n\n\tAsk the practitioner whether he uses the pre-sterilized disposable\nneedles, or if he reuses needles, sterilizing them between use.  In the\nformer case there\'s no conceivable way to get AIDS from the needles.  In\nthe latter case it\'s highly unlikely (though many practitioners use the\ndisposable variety anyway).\n\neuclid\n--\nEuclid K.       standard disclaimers apply\n"It is a bit ironic that we need the wave model [of light] to understand the\npropagation of light only through that part of the system where it leaves no\ntrace."  --Hudson & Nelson (_University_Physics_)\n',
 "From: jlange%radian@natinst.com (John Lange)\nSubject: WANTED: Used audio mixer\nDistribution: usa\nNntp-Posting-Host: zippy.radian.com\nOrganization: Radian Corporation, Austin, Texas\nLines: 9\n\n\nI'm looking for a used/inexpensive audio mixer.  I need at least \n4 channels of stereo input and 1 channel of stereo output, but I would\nprefer 8 or more input channels.  Each channel needs to have at least a \nvolume control.  I'll consider buying broken equipment.  The mixer needs \nto be fairly small (I haven't got a lot of space for it).  \n\nJohn Lange (jlange@zippy.radian.com)\nRadian Corp. (512)454-4797      Box 201088      Austin, TX 78720-1088\n",
 "From: billc@col.hp.com (Bill Claussen)\nSubject: RE:  alt.psychoactives\nOrganization: HP Colorado Springs Division\nLines: 35\nNNTP-Posting-Host: hpcspe17.col.hp.com\n\nFYI...I just posted this on alt.psychoactives as a response to\nwhat the group is for......\n\n\nA note to the users of alt.psychoactives....\n\nThis group was originally a takeoff from sci.med.  The reason for\nthe formation of this group was to discuss prescription psychoactive\ndrugs....such as antidepressents(tri-cyclics, Prozac, Lithium,etc),\nantipsychotics(Melleral(sp?), etc), OCD drugs(Anafranil, etc), and\nso on and so forth.  It didn't take long for this group to degenerate\ninto a psudo alt.drugs atmosphere.  That's to bad, for most of the\nserious folks that wanted to start this group in the first place have\nleft and gone back to sci.med, where you have to cypher through\nhundreds of unrelated articles to find psychoactive data.\n\nIt was also to discuss real-life experiences and side effects of\nthe above mentioned.\n\nOh well, I had unsubscribed to this group for some time, and I decided\nto check it today to see if anything had changed....nope....same old\nnine or ten crap articles that this group was never intended for.\n\nI think it is very hard to have a meaningfull group without it\nbeing moderated...too bad.\n\nOh well, obviously, no one really cares.\n\nBill Claussen\n\n\nWould anyone be interested in starting a similar moderated group?\n\nBill Claussen\n\n",
 'From: jbrown@batman.bmd.trw.com\nSubject: Re: Origins of the bible.\nLines: 56\n\nIn article <1993Apr19.141112.15018@cs.nott.ac.uk>, eczcaw@mips.nott.ac.uk (A.Wainwright) writes:\n> Hi,\n> \n> I have been having an argument about the origins of the bible lately with\n> a theist acquaintance.  He stated that thousands of bibles were discovered\n> at a certain point in time which were syllable-perfect.  This therefore\n> meant that there must have been one copy at a certain time; the time quoted\n> by my acquaintace was approximately 50 years after the death of Jesus.\n\nHi Adda,\n\nMost Bible scholars agree that there was one copy of each book at a certain\ntime -- the time when the author wrote it.  Unfortunately, like all works\nfrom this time period and earlier, all that exists today are copies. \n\n> \n> Cutting all of the crap out of the way (ie god wrote it) could anyone answer\n> the following:\n> \n> 1.  How old is the oldest surviving copy of the new testament?\n\nThere are parts of books, scraps really, that date from around the\nmid second century (A.D. 130+).  There are some complete books, letters,\netc. from the middle third century.  The first complete collection of\nthe New Testament dates from the early 4th century (A.D. 325).  Throughout\nthis period are writings of various early church fathers/leaders who\nquoted various scriptures in their writings.\n\n> 2.  Is there any truth in my acquaintance\'s statements?\n\nIf you mean that someone discovered thousands of "Bibles" which were all\nperfect copies dating from the last part of the 1st century...No!\n\nIf you mean that there are thousands of early manuscripts (within the\ndates given above, but not letter perfect) and that the most probable\ntext can be reconstructed from these documents and that the earliest\noriginal autographs (now lost) probably were written starting sometime\nshortly after A.D. 50, then yes.\n\n> 3.  From who/where did the bible originate?\n\nFrom the original authors.  We call them Matthew, Mark, Luke, John, Peter,\nPaul, James, and one other not identified.\n\n> 4.  How long is a piece of string? ;-)\n\nAs long as you make it.\n\n> \n> Adda\n> \n> -- \n\nRegards,\n\nJim B.\n',
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: Armenians exterminated 2.5 million Muslim people. Denying the obvious?\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 109\n\nIn article <1993Apr23.122146.23931@oucsace.cs.ohiou.edu> gassan@ouvaxa.cats.ohiou.edu writes:\n\n>After having read this group for some time, I am appalled at its lack of\n>scholarship, its fuzzy-thinking, reliance on obsessed and obnoxious posters\n\nWell, these are Armenian and Jewish scholars, not me. Denying the obvious?\n\n\nSource: Hovannisian, Richard G.: Armenia on the Road to Independence, 1918.\nUniversity of California Press (Berkeley and Los Angeles), 1967, p. 13.\n\n"The addition of the Kars and Batum oblasts to the Empire increased the\n area of Transcaucasia to over 130,000 square miles. The estimated population\n of the entire region in 1886 was 4,700,000, of whom 940,000 (20 percent) were\n Armenian, 1,200,000 (25 percent) Georgian, and 2,220,000 (45 percent) Moslem.\n Of the latter group, 1,140,000 were Tatars. Paradoxically, barely one-third\n of Transcaucasia\'s Armenians lived in the Erevan guberniia, where the \n Christians constituted a majority in only three of the seven uezds. Erevan\n uezd, the administrative center of the province, had only 44,000 Armenians\n as compared to 68,000 Moslems. By the time of the Russian Census of 1897,\n however, the Armenians had established a scant majority, 53 percent, in the\n guberniia; it had risen by 1916 to 60 percent, or 670,000 of the 1,120,000\n inhabitants. This impressive change in the province\'s ethnic character \n notwithstanding, there was, on the eve of the creation of the Armenian \n Republic, a solid block of 370,000 Tartars who continued to dominate the \n southern districts, from the outskirts of Ereven to the border of Persia." \n (See also Map 1. Historic Armenia and Map 4. Administrative subdivisions of \n Transcaucasia).\n\nIn 1920, \'0\' percent Turk. \n\n"We closed the roads and mountain passes that might serve as \n ways of escape for the Tartars and then proceeded in the work \n of extermination. Our troops surrounded village after village. \n Little resistance was offered. Our artillery knocked the huts \n into heaps of stone and dust and when the villages became untenable \n and inhabitants fled from them into fields, bullets and bayonets \n completed the work. Some of the Tartars escaped of course. They \n found refuge in the mountains or succeeded in crossing the border \n into Turkey. The rest were killed. And so it is that the whole \n length of the borderland of Russian Armenia from Nakhitchevan to \n Akhalkalaki from the hot plains of Ararat to the cold mountain \n plateau of the North were dotted with mute mournful ruins of \n Tartar villages. They are quiet now, those villages, except for \n howling of wolves and jackals that visit them to paw over the \n scattered bones of the dead." \n\n                             Ohanus Appressian\n                            "Men Are Like That"\n                                   p. 202.\n\n\n "In Soviet Armenia today there no longer exists a single Turkish soul.\n  It is in our power to tear away the veil of illusion that some of us\n  create for ourselves. It certainly is possible to severe the artificial\n  life-support system of an imagined \'ethnic purity\' that some of us\n  falsely trust as the only structure that can support their heart beats \n  in this alien land."\n            (Sahak Melkonian - 1920 - "Preserving the Armenian purity") \n\n\n<1993Apr24.042427.29323@walter.bellcore.com>\nddc@nyquist.bellcore.com (Daniel Dusan Chukurov 21324)\n\n>           The world\'s inaction when the conflict began over the mostly\n>Christian Armenian enclave inside Muslim Azerbaijan might have\n>encouraged the conflict in Bosnia-Herzegovina, said the\n>Moscow-based activist, who\'s part Armenian.\n\nNo kidding. The Armenians tore apart the Ottoman Empire\'s eastern provinces,\nmassacred 2.5 million defenseless Turkish women, children and elderly \npeople, burned thousands of Turkish and Kurdish villages and exterminated \nthe entire Turkish population of the Armenian dictatorship between \n1914-1920. Such outrageous sleight of hand that is still employed today \nin Armenia brings a depth and verification to the Turkish genocide \nthat is hard to match. A hundred years ago Armenians again thought \nthey could get whatever they wanted through sheer terror like the \nRussian anarchists that they accepted as role models. Several Armenian \nterror groups like ASALA/SDPA/ARF Terrorism and Revisionism Triangle \nresorted to the same tactics in the 1980s, butchering scores of innocent\nTurks and their families in the United States and Europe. It seems that \nthey are doing it again, at a different scale, in fascist x-Soviet Armenia \ntoday.\n\nA merciless massacre of the civilian population of the small Azeri \ntown of Khojali (Pop. 6000) in Karabagh, Azerbaijan, is reported to \nhave taken place on the night of Feb. 28 under a coordinated military \noperation of the 366th mechanized division of the CIS army and the \nArmenian insurgents. Close to 1000 people are reported to have been \nmassacred. Elderly and children were not spared. Many were badly beaten \nand shot at close range. A sense of rage and helplessness has overwhelmed \nthe Azeri population in face of the well armed and equipped Armenian \ninsurgency. The neighboring Azeri city of Aghdam outside of the\nKarabagh region has come under heavy Armenian artillery shelling. City \nhospital was hit and two pregnant women as well as a new born infant \nwere killed. Azerbaijan is appealing to the international community to \ncondemn such barbaric and ruthless attacks on its population and its \nsovereignty.\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n\n',
 "From: nsx@carson.u.washington.edu (|ns-x|)\nSubject: Re: 300ZX or SC300???\nOrganization: University of Washington, Seattle\nLines: 18\nNNTP-Posting-Host: carson.u.washington.edu\n\n>ip02@ns1.cc.lehigh.edu (Danny Phornprapha) writes:\n>>I'm getting a car in the near future.  I've narrow it down to 300ZX and SC300.\n>>Which might be a better choice?\n>>Thanks for your opnion,\n>>Danny\n\n\n>I've been asking myself this same question for the past year, so, if/when\n>you find out, would you please share the magistic answer with me.. \n>The way I see it right now, work twice as hard so you can have both.\n>cheers :)\n>Issa\n\n\t\n\tmy suggestion is: why not work twice as hard (like issa \n\tsuggested above) then get acura nsx?! :) enjoy. /seb\n\n\n",
 'From: boote@eureka.scd.ucar.edu (Jeff W. Boote)\nSubject: Re: Mwm title-drag crashes X server (SIGPIPE)\nOrganization: NCAR/UCAR\nLines: 24\n\nIn article <4378@creatures.cs.vt.edu>, ramakris@csgrad.cs.vt.edu (S.Ramakrishnan) writes:\n> \n>    Environment:\n>       mach/arch : sparc/sun4  (IPX)\n>       OS\t: SunOS 4.1.3\n>       X11\t: X11R5 (patchlevel 22)\n>       Motif\t: 1.2.2\n> \n> I bring up X server using \'startx\' and /usr/bin/X11/Xsun. The following sequence\n> of actions crashes the X server (SIGPIPE, errno=32, \'xinit\' reports that connexion \n> to X server lost):\n\nI had this problem as well - It had to do with the CG6 graphics card that\ncomes with the IPX.  What fixed the problem for me was to apply the "sunGX.uu"\nthat was part of Patch #7.  Patch #1 also used this file so perhaps you\ndidn\'t apply the one that came with Patch #7.\n\njeff\n-\nJeff W. Boote  <boote@ncar.ucar.edu>      *********************************\nScientific Computing Division             * There is nothing good or bad  *\nNational Center for Atmospheric Research  * but thinking makes it so.     *\nBoulder                                   *                   Hamlet      *\n                                          *********************************\n',
 'From: rousseaua@immunex.com\nSubject: Re: Barbecued foods and health risk\nDistribution: world\nOrganization: Immunex Corporation, Seattle, WA\nLines: 19\n\nWhile in grad school, I remember a biochemistry friend of mine working with\n"heat shock proteins". Apparently, burning protein will induce changes in he\nDNA. Whether these changes survive the denaturing that occurs during digestion\nI don\'t know, but I never eat burnt food because of this. \n\nAlso, many woods contain toxins. As they are burnt, it would seem logical that\nsome may volatilise, and get into the BBQed food. Again, I don\'t know if these\ntoxins (antifungal and anti-woodeater compounds) would survive the rather harsh\nconditions of the stomach and intestine, and then would they be able to cross\nthe intestinal mucosa?\n\nMaybe someone with more biochemical background than myself (which is almost\n*anyone*... :)) can shed some light on heat shock proteins and the toxins that\nmay be in the wood used to make charcoal and BBQ.\n\nAnne-Marie Rousseau\ne-mail: rousseaua@immunex.com\nWhat I say has nothing to do with Immunex.\n\n',
 'Subject: Re: Once tapped, your code is no good any more.\nFrom: steiner@jupiter.cse.utoledo.edu (Jason \'Think!\' Steiner)\nDistribution: na\nNntp-Posting-Host: jupiter.cse.utoledo.edu\nX-Newsreader: TIN [version 1.1 PL9]\nLines: 23\n\ndouglas craig holland (holland@CS.ColoState.EDU) writes:\n>\n> With E-Mail, if they can\'t break your PGP encryption, they\'ll just\n> call up one of their TEMPEST trucks and read the electromagnetic \n> emmisions from your computer or terminal.  Note that measures to \n> protect yourself from TEMPEST surveillance are still classified, as \n> far as I know.\n\nare LCD displays vulnerable to tempest?\n\n> \tIf the new regime comes to fruition, make sure you protect your First\n> Amendment rights by asserting your Second Amendment Rights.\n\ni\'ll second that.\n\njason\n\n\n--\n   "I stood up on my van. I yelled, `Excuse me, sir. Ain\'t nothing wrong\n    with this country that a few plastic explosives won\'t cure!\'"\n              - Steve Taylor, I Blew Up the Clinic Real Good\n`,`,`,`,`,`,`,`,`,`,`,`,`,`,`,`,`,` steiner@jupiter.cse.utoledo.edu `,`,`,`\n',
 'From: qpliu@phoenix.Princeton.EDU (q.p.liu)\nSubject: Re: free moral agency\nOriginator: news@nimaster\nNntp-Posting-Host: phoenix.princeton.edu\nReply-To: qpliu@princeton.edu\nOrganization: Princeton University\nLines: 26\n\nIn article <kmr4.1575.734879106@po.CWRU.edu> kmr4@po.CWRU.edu (Keith M. Ryan) writes:\n>In article <1993Apr15.000406.10984@Princeton.EDU> qpliu@phoenix.Princeton.EDU (q.p.liu) writes:\n>\n>>>So while Faith itself is a Gift, obedience is what makes Faith possible.\n>>What makes obeying different from believing?\n\n>\tI am still wondering how it is that I am to be obedient, when I have \n>no idea to whom I am to be obedient!\n\nIt is all written in _The_Wholly_Babble:_the_Users_Guide_to_Invisible_\n_Pink_Unicorns_.\n\nTo be granted faith in invisible pink unicorns, you must read the Babble,\nand obey what is written in it.\n\nTo obey what is written in the Babble, you must believe that doing so is\nthe way to be granted faith in invisible pink unicorns.\n\nTo believe that obeying what is written in the Babble leads to believing\nin invisible pink unicorns, you must, essentially, believe in invisible\npink unicorns.\n\nThis bit of circular reasoning begs the question:\nWhat makes obeying different from believing?\n-- \nqpliu@princeton.edu           Standard opinion: Opinions are delta-correlated.\n',
 'From: joe@rider.cactus.org (Joe Senner)\nSubject: Re: BMW MOA members read this!\nReply-To: joe@rider.cactus.org\nDistribution: world\nOrganization: NOT\nLines: 25\n\nvech@Ra.MsState.Edu (Craig A. Vechorik) writes:\n]I wrote the slash two blues for a bit of humor which seems to be lacking\n]in the MOA Owners News, when most of the stuff is "I rode the the first\n]day, I saw that, I rode there the second day, I saw this" \n\nI admit it was a surprise to find something interesting to read in \nthe most boring and worthless mag of all the ones I get.\n\n]any body out there know were the sense if humor went in people?\n]I though I still had mine, but I dunno... \n\nI think most people see your intended humor, I do, I liked the article.\nyou seem to forget that you\'ve stepped into the political arena. as well\nintentioned as you may intend something you\'re walking through a china\nstore carrying that /2 on your head. everything you say or do says something\nabout how you would represent the membership on any given day. you don\'t\nhave to look far in american politics to see what a few light hearted\njokes about one segment of the population can do to someone in the limelight.\n\nOBMoto: I did manage to squeak in a reference to a /2 ;-)\n\n-- \nJoe Senner                                                joe@rider.cactus.org\nAustin Area Ride Mailing List                            ride@rider.cactus.org\nTexas SplatterFest Mailing List                          fest@rider.cactus.org\n',
 'From: tjrad@iastate.edu (Thomas J Radosevich)\nSubject: Brewers injuries                                                  \nOrganization: Iowa State University, Ames IA\nLines: 21\n\n\n\nHi all,\n\nI\'ve been locked in a small closet chained to a lab bench for the last week or\ntwo without access to really important information.  I saw the 3.5 million\nshoulder back on the DL--How long is he out for (i.e. How many millions/inning\nwill he get this year?)  Nothing personal against Higuera mind you, just\nwondering how Bud can keep coffing up money for him when he lets current\nbig producers go over a relative pittance. (Please realize the term \n"relative pittance" can only be used with sarcasm when discussing baseball\nsalaries.)\n\nAdditional questions:  I did\'nt get to see Bones pitch this spring--how is\nhe looking and where is he going to fit in the rotation?\n\nHow is Surhoff shaping up defensively at third?\n\nAre they going to build a new stadium?  When?\n\nTom\n',
 'From: bmdelane@quads.uchicago.edu (brian manning delaney)\nSubject: Re: diet for Crohn\'s (IBD)\nReply-To: bmdelane@midway.uchicago.edu\nOrganization: University of Chicago\nLines: 27\n\nOne thing that I haven\'t seen in this thread is a discussion of the\nrelation between IBD inflammation and the profile of ingested fatty\nacids (FAs).\n\nI was diagnosed last May w/Crohn\'s of the terminal ileum. When I got\nout of the hospital I read up on it a bit, and came across several\nstudies investigating the role of EPA (an essentially FA) in reducing\ninflammation. The evidence was mixed. [Many of these studies are\ndiscussed in "Inflammatory Bowel Disease," MacDermott, Stenson. 1992.]\n\nBut if I recall correctly, there were some methodological bones to be\npicked with the studies (both the ones w/pos. and w/neg. results). In\nthe studies patients were given EPA (a few grams/day for most of the\nstudies), but, if I recall correctly, there was no restriction of the\n_other_ FAs that the patients could consume. From the informed\nlayperson\'s perspective, this seems mistaken. If lots of n-6 FAs are\nconsumed along with the EPA, then the ratio of "bad" prostanoid\nproducts to "good" prostanoid products could still be fairly "bad."\nIsn\'t this ratio the issue?\n\nWhat\'s the view of the gastro. community on EPA these days? EPA\nsupplements, along with a fairly severe restriction of other FAs\nappear to have helped me significantly (though it could just be the\nlow absolute amount of fat I eat -- 8-10% calories).\n\n-Brian <bmdelane@midway.uchicago.edu>\n\n',
 'From: djk@ccwf.cc.utexas.edu (Dan Keldsen)\nSubject: ROK-STEADY keyboard stand FOR SALE - UPDATE\nArticle-I.D.: geraldo.1qodih$2t2\nReply-To: djk@ccwf.cc.utexas.edu (Dan Keldsen)\nDistribution: usa\nOrganization: The University of Texas at Austin, Austin TX\nLines: 29\nNNTP-Posting-Host: tramp.cc.utexas.edu\nOriginator: djk@tramp.cc.utexas.edu\n\nHello again folks!\n \nBeen a while since I last sold thangs, but the last time went with no problems,\nand I\'m moving again, so I have a few keyboard stands that I don\'t need\nanymore and don\'t want to drag back across the country.\n \n---\nUltimate Support Stand:\n \n**Probably SOLD, will see if it is gone by Saturday (pick-up date).\n \n---\nRok-Steady 3-tier keyboard stand:\n$95 or best offer (try me)\none x-shaped bottom unit, with two sets of "arms" that attach\nto that to support keyboard (2) above the main "X". \n \n---\nShipping not included in the above prices, but details can be worked out\nif you\'re interested in these items.\n \ndan keldsen - djk@ccwf.cc.utexas.edu\n-- \n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\nDan Keldsen            |  Are you now, or have you ever been:\ndjk@ccwf.cc.utexas.edu |  a. A Berklee College student?\nUniv. of Texas, Austin |  b. A member/fan of Billy Death?\nMusic Composition, MM  |  c. a MAX programmer?\nM & M Consultant (ask) |  d. a Think-C & MIDI programmer?\n',
 "From: brucek@Ingres.COM (Bruce Kleinman)\nSubject: Re: Jewish Baseball Players?\nArticle-I.D.: pony.1993Apr15.223040.8733\nOrganization: Ingres Corporation, A subsidiary of The ASK Group, Inc.\nLines: 12\n\nIn article <15APR93.14691229.0062@lafibm.lafayette.edu> VB30@lafibm.lafayette.edu (VB30) writes:\n>Just wondering.  A friend and I were talking the other day, and\n>we were (for some reason) trying to come up with names of Jewish\n>baseball players, past and present.  We weren't able to come up\n>with much, except for Sandy Koufax, (somebody) Stankowitz, and\n>maybe John Lowenstein.  Can anyone come up with any more.  I know\n>it sounds pretty lame to be racking our brains over this, but\n>humor us.  Thanks for your help.\n\nHank Greenberg, Sid Gordon, Ron Blomberg.\n\nGuess it goes from the sublime to the ridiculous.\n",
 'From: jkjec@westminster.ac.uk (Shazad Barlas)\nSubject: iterations of the bible\nOrganization: University of Westminster\nLines: 53\n\nHi... I\'m not a religious guy so dont take this as some kinda flame (thanx\nin advance)\n\nI want to know why there are so many different versions of the bible? There\nis this version of the bible I have read about and on the front page it says:\n"....contains inaccurate data and inconsistencies."   \n\n\t\t\t\t\tThanx in advance... Shaz....\n\n[I\'m not sure quite what you mean by many different versions.\nThe primary distinction in versions you see today is in the style\nof the translation.  It\'s pretty unusual to see significant\ndifferences in meaning.  There are a few differences in the underlying\ntext.  That\'s because before printing, manuscripts were copied by\nhand.  Slight differences resulted.  There are enough manuscripts\naround that scholars can do a pretty good job of recreating the\noriginal, but there are some uncertainties.  Fortunately, they are\ngenerally at the level of minor differences in wording.  There are\nsomething like 3 or 4 places where whole sentences are involved,\nbut with recent discoveries of older manuscripts, I don\'t think there\'s\nmuch uncertainly about those cases.  As far as I know, no Christians\nbelieve that the process of copying manuscripts or the process of\ntranslating is free of error.  But I also don\'t think there\'s\nenough uncertainty in establishing the text or translating it that\nit has much practical effect.\n\nWhether the Bible contains inaccurate data and inconsistences is a hot\ntopic of debate here.  Many Christians deny it.  Some accept it\n(though most would say that the inaccuracies involved are on details\nthat don\'t affect the faith).  But this has nothing to do with there\nbeing multiple versions.  The supposed inconsistences can be found in\nall the versions.  I\'m surprised to find a reference to this on the\ntitle page though.  What version are you talking about?  I\'ve been\nreferring to major scholarly translations.  These are what get\nreferenced in postings here and elsewhere.  There have certainly been\neditions that are (to be kind) less widely accepted.  This includes\neverything from reconstructions that combine parallel accounts into\nsingle narrations, to editions that omit material that the editor\nobjects to for some reason or the other.  The copyright on the Bible\nhas long since expired, so there nothing to stop people from making\neditions that do whatever wierd thing they want.  However the editions\nthat are widely used are carefully prepared by groups of scholars from\na variety of backgrounds, with lots of crosschecks.  I could imagine\none of the lesser-known editions claiming to have fixed up all\ninaccurate data and inconsistencies.  But if so, it\'s not any edition\nthat\'s widely used.  The widely used ones leave the text as is.\n(Weeeeelllllll, almost as is.  It\'s been alleged that a few\ntranslations have fudged a word or two here and there to minimize\ninconsistencies.  Because translation is not an exact science, there\nare always going to be differences in opinion over which word is best,\nI\'m afraid.)\n\n--clh]\n',
 "From: cs012055@cs.brown.edu (Hok-Chung Tsang)\nSubject: Re: Saturn's Pricing Policy\nArticle-I.D.: cs.1993Apr5.230808.581\nOrganization: Brown Computer Science Dept.\nLines: 51\n\nIn article <C4vIr5.L3r@shuksan.ds.boeing.com>, fredd@shuksan (Fred Dickey) writes:\n|> CarolinaFan@uiuc (cka52397@uxa.cso.uiuc.edu) wrote:\n|> : \tI have been active in defending Saturn lately on the net and would\n|> : like to state my full opinion on the subject, rather than just reply to others'\n|> : points.\n|> : \t\n|> : \tThe biggest problem some people seem to be having is that Saturn\n|> : Dealers make ~$2K on a car.  I think most will agree with me that the car is\n|> : comparably priced with its competitors, that is, they aren't overpriced \n|> : compared to most cars in their class.  I don't understand the point of \n|> : arguing over whether the dealer makes the $2K or not?  \n|> \n|> I have never understood what the big deal over dealer profits is either.\n|> The only thing that I can figure out is that people believe that if\n|> they minimize the dealer profit they will minimize their total out-of-pocket\n|> expenses for the car. While this may be true in some cases, I do not\n|> believe that it is generally true. I bought a Saturn SL in January of '92.\n|> AT THAT TIME, based on studying car prices, I decided that there was\n|> no comparable car that was priced as cheaply as the Saturn. Sure, maybe I\n|> could have talked the price for some other car to the Saturn price, but\n|> my out-of-pocket expenses wouldn't have been any different. What's important\n|> to me is how much money I have left after I buy the car. REDUCING DEALER PROFIT\n|> IS NOT THE SAME THING AS SAVING MONEY! Show me how reducing dealer profit\n|> saves me money, and I'll believe that it's important. My experience has\n|> been that reducing dealer profit does not necessarily save me money.\n|> \n|> Fred\n\n\nSay, you bought your Saturn at $13k, with a dealer profit of $2k.\nIf the dealer profit is $1000, then you would only be paying $12k for\nthe same car.  So isn't that saving money?\n\nMoreover, if Saturn really does reduce the dealer profit margin by $1000, \nthen their cars will be even better deals.  Say, if the price of a Saturn was\nalready $1000 below market average for the class of cars, then after they\nreduce the dealer profit, it would be $2000 below market average.  It will:\n\n1) Attract even more people to buy Saturns because it would SAVE THEM MONEY.\n \n2) Force the competitors to lower their prices to survive.\n\nNow, not only will Saturn owners benefit from a lower dealer profit, even \nthe buyers for other cars will pay less.\n\nIsn't that saving money?\n\n\n\n$0.02,\ndoug.\n",
 'From: cjackson@adobe.com (Curtis Jackson)\nSubject: Re: Countersteering_FAQ please post\nOrganization: Adobe Systems Incorporated, Mountain View\nLines: 21\n\nIn article <1qjn7i$d0i@sixgun.East.Sun.COM> egreen@east.sun.com writes:\n}>On a\n}>waterski bike, you turn the handlebars left to lean right, just like on\n}>a motorcycle, so this supports the move-the-contact-patch-from-beneath-the\n}>centre-of-mass theory on how to *lean*. This contradicts the need for\n}>gyroscopic precession to have a countersteering induced *lean*.\n}\n}...FOR A WATERSKI BIKE.  It contradicts nothing for a motorcycle.\n\nNot only that, but this morning I saw a TV ad for a waterski bike\n(a Sea Doo, for those who care). I watched the lengthy ad very\ncarefully, and in every case and at every speed the riders turned\nthe handlebars left to go left, and right to go right. In other\nwords, they were *NOT* countersteering.\n\nSo perhaps it is only *some* waterski bikes on which one countersteers...\n-- \nCurtis Jackson\t   cjackson@mv.us.adobe.com\t\'91 Hawk GT\t\'81 Maxim 650\nDoD#0721 KotB  \'91 Black Lab mix "Studley Doright"  \'92 Collie/Golden "George"\n"There is no justification for taking away individuals\' freedom\n in the guise of public safety." -- Thomas Jefferson\n',
 'Subject: Re: Gospel Dating\nFrom: kmr4@po.CWRU.edu (Keith M. Ryan)\nOrganization: Case Western Reserve University\nNNTP-Posting-Host: b64635.student.cwru.edu\nLines: 64\n\nIn article <C4vyFu.JJ6@darkside.osrhe.uoknor.edu> bil@okcforum.osrhe.edu (Bill Conner) writes:\n\n>Keith M. Ryan (kmr4@po.CWRU.edu) wrote:\n>: \n>: \tWild and fanciful claims require greater evidence. If you state that \n>: one of the books in your room is blue, I certainly do not need as much \n>: evidence to believe than if you were to claim that there is a two headed \n>: leapard in your bed. [ and I don\'t mean a male lover in a leotard! ]\n>\n>Keith, \n>\n>If the issue is, "What is Truth" then the consequences of whatever\n>proposition argued is irrelevent. If the issue is, "What are the consequences\n>if such and such -is- True", then Truth is irrelevent. Which is it to\n>be?\n\n\tI disagree: every proposition needs a certain amount of evidence \nand support, before one can believe it. There are a miriad of factors for \neach individual. As we are all different, we quite obviously require \ndifferent levels of evidence.\n\n\tAs one pointed out, one\'s history is important. While in FUSSR, one \nmay not believe a comrade who states that he owns five pairs of blue jeans. \nOne would need more evidence, than if one lived in the United States. The \nonly time such a statement here would raise an eyebrow in the US, is if the \nindividual always wear business suits, etc.\n\n\tThe degree of the effect upon the world, and the strength of the \nclaim also determine the amount of evidence necessary. When determining the \nlevel of evidence one needs, it is most certainly relevent what the \nconsequences of the proposition are.\n\n\n\n\tIf the consequences of a proposition is irrelvent, please explain \nwhy one would not accept: The electro-magnetic force of attraction between \ntwo charged particles is inversely proportional to the cube of their \ndistance apart. \n\n\tRemember, if the consequences of the law are not relevent, then\nwe can not use experimental evidence as a disproof. If one of the \nconsequences of the law is an incongruency between the law and the state of \naffairs, or an incongruency between this law and any other natural law, \nthey are irrelevent when theorizing about the "Truth" of the law.\n\n\tGiven that any consequences of a proposition is irrelvent, including \nthe consequence of self-contradiction or contradiction with the state of \naffiars, how are we ever able to  judge what is true or not; let alone find\n"The Truth"?\n\n\n\n\tBy the way, what is "Truth"? Please define before inserting it in \nthe conversation. Please explain what "Truth" or "TRUTH" is. I do think that \nanything is ever known for certain. Even if there IS a "Truth", we could \nnever possibly know if it were. I find the concept to be meaningless.\n\n--\n\n\n       "Satan and the Angels do not have freewill.  \n        They do what god tells them to do. "\n\n        S.N. Mozumder (snm6394@ultb.isc.rit.edu) \n',
 'From: chrisb@seachg.com (Chris Blask)\nSubject: Re: A silly question on x-tianity\nReply-To: chrisb@seachg.com (Chris Blask)\nOrganization: Sea Change Corporation, Mississauga, Ontario, Canada\nLines: 44\n\nwerdna@cco.caltech.edu (Andrew Tong) writes:\n>mccullou@snake2.cs.wisc.edu (Mark McCullough) writes:\n>\n>>Question 2: This attitude god character seems awfully egotistical\n>>and proud.  But Christianity tells people to be humble.  What\'s the deal?\n>\n>Well, God pretty much has a right to be "egotistical and proud."  I\n>mean, he created _you_, doesn\'t he have the right to be proud of such\n>a job?\n>\n>Of course, people don\'t have much of a right to be proud.  What have\n>they accomplished that can match God\'s accomplishments, anyways?  How\n>do their abilities compare with those of God\'s.  We\'re an "imbecile\n>worm of the earth," to quote Pascal.\n\nGrumblegrumble...   \n\n>If you were God, and you created a universe, wouldn\'t you be just a\n>little irked if some self-organizing cell globules on a tiny planet\n>started thinking they were as great and awesome as you?\n\nunfortunately the logic falls apart quick: all-perfect > insulted or\nthreatened by the actions of a lesser creature > actually by offspring >\n???????????????????\n\nHow/why shuold any all-powerful all-perfect feel either proud or offended?\nAnything capable of being aware of the relationship of every aspect of every \nparticle in the universe during every moment of time simultaneously should\nbe able to understand the cause of every action of every \'cell globule\' on\neach tniy planet...\n\n>Well, actually, now that I think of it, it seems kinda odd that God\n>would care at all about the Earth.  OK, so it was a bad example. But\n>the amazing fact is that He does care, apparently, and that he was\n>willing to make some grand sacrifices to ensure our happiness.\n\n"All-powerful, Owner Of Everything in the Universe Makes Great Sacrifices"\nmakes a great headline but it doesn\'t make any sense.  What did he\nsacrifice?  Where did it go that he couldn\'t get it back?  If he gave\nsomething up, who\'d he give it up to?\n\n-chris\n\n[you guys have fun, I\'m agoin\' to Key West!!]\n',
 'From: mmchugh@andy.bgsu.edu (michael mchugh)\nSubject: 45 rpm Singles for Sale (Complete List)\nKeywords: Beatles Rolling Stones Pink Floyd Starr Lennon Talking Heads Ramons\nOrganization: Bowling Green State University B.G., Oh.\nLines: 46\n\n\nI have the following 45 rpm singles for sale. Most are collectable 7-inch \nrecords with picture sleeves. Price does not include postage which is $1.21 \nfor the first record, $1.69 for two, etc.\n\n\nBeach Boys|Barbara Ann (Capitol Picture Sleeve)|$10|45\nBeach Boys|Califonia Girls (Capitol Picture Sleeve)|$15|45\nBeach Boys|Fun, Fun, Fun (Capitol Picture Sleeve)|$10|45\nBeach Boys|Little Girl I Once Knew (Capitol Picture Sleeve)|$10|45\nBeach Boys|Please Let Me Wonder (Capitol Picture Sleeve)|$10|45\nBeach Boys|Rock n Roll to the Rescue (Capitol Promo/Picture Sleeve)|$15|45\nBeach Boys|When I Grow Up to Be a Man (Capitol Picture Sleeve)|$10|45\nBeatles|Im Happy Just to Dance with You (Capitol Picture Sleeve)|$10|45\nDoctor & the Medics|Burn (I.R.S. Promo/Picture Sleeve)|$5|45\nGeneral Public|Too Much or Nothing (I.R.S. Promo/Picture Sleeve)|$5|45\nGo Gos|Our Lips are Sealed (I.R.S. Picture Sleeve)|$5|45\nLennon, John|Instant Karma! (We All Shine On) (Apple Picture Sleeve)|$15|$45\nLennon, John|Mind Games (Apple Picture Sleeve)|$10|$45\nMadonna|Open Your Heart (Sire Promo)|$5|45\nMcCartney, Paul|Coming Up (Columbia. Picture Sleeve)|$10|45\nMcCartney, Paul|Mull of Kintyre (Capitol. Picture Sleeve)|$10|45\nMcCartney, Paul|Stranglehold (Capitol Promo/Picture Sleeve)|$5|45\nMcCartney, Paul|Wonderful Christmastime (Columbia. Picture Sleeve)|$10|45\nMercury, Freddie|I Was Born to Love You (Columbia Promo/Picture Sleeve)|$5|45\nPink Floyd|Learning to Fly (Columbia Promo/Picture Sleeve)|$5|45\nQueen|Kind of Magic (Capitol Promo/Picture Sleeve)|$5|45\nRamones|Sheena is a Punk Rocker (Sire Promo/Picture Sleeve)|$5|45\nRolling Stones|19th Nervous Brakdown (London Picture Sleeve)|$10|45\nRolling Stones|Jumpin Jack Flash (London Picture Sleeve)|$10|45\nRolling Stones|Mothers Little Helper (London Picture Sleeve)|$10|45\nRolling Stones|Paint It, Black (London Picture Sleeve)|$10|45\nStarr, Ringo|Photograph (Apple Picture Sleeve)|$15|$45\nStarr, Ringo|Youre Sixteen (Apple Picture Sleeve)|$15|$45\nTalking Heads|Road to Nowhere (Sire Promo/Picture Sleeve)|$5|45\nWaters, Roger|Sunset Strip (Columbia Promo/Picture Sleeve)|$10|45\nWaters, Roger|Sunset Strip (Columiba Promo)|$5\nWaters, Roger|Who Needs Information (Columiba Promo)|%10|45\n\nIf you are interested, please contact:\n\nMichael McHugh\nmmchugh@andy.bgsu.edu\n\n\n\n',
 "From: prb@access.digex.com (Pat)\nSubject: Re: space food sticks\nOrganization: Express Access Online Communications USA\nLines: 9\nNNTP-Posting-Host: access.digex.net\nKeywords: food\n\ndillon comments that Space Food Sticks may have bad digestive properties.\n\nI don't think so.  I think  most NASA food products were designed to\nbe low fiber 'zero-residue' products so as to minimize the difficulties\nof waste disposal.  I'd doubt they'd deploy anything that caused whole sale\nGI distress.  There aren't enough plastic baggies in the world for\na bad case of GI disease.\n\npat\n",
 'From: wlsmith@valve.heart.rri.uwo.ca (Wayne Smith)\nSubject: Re: IDE vs SCSI\nOrganization: The John P. Robarts Research Institute, London, Ontario\nNntp-Posting-Host: valve.heart.rri.uwo.ca\nLines: 27\n\nIn article <1qpu0uINNbt1@dns1.NMSU.Edu> bgrubb@dante.nmsu.edu (GRUBB) writes:\n>wlsmith@valve.heart.rri.uwo.ca (Wayne Smith) writes:\n>Since the Mac uses ONLY SCSI-1 for hard drives YES the "figure includes a\n>hundred $$$ for SCSI drivers"  This is sloppy people and DUMB.\n\nWhat group is this?  This is not a MAC group.\n\n>Ok once again with the SCSI spec list:\n\nWhy the spec list again?  We are talking SCSI on a PC, not on a MAC or\na UNIX box.  And we are talking ISA bus, or possibly EISA or VLB.\n\nThis isin\'t comp.periphs.SCSI.\nTell me what the performance figures are with a single SCSI drive on a PC\nwith an ISA (or EISA or VLB) bus.\n\nTheoretical performance figures are not relevant to this group or this\ndebate.  I\'m sure that there are some platforms out there that can\nhandle the 40 megs/sec of SCSI xyz wide\'n\'fast, but the PC isin\'t one of\nthem.\n\n>If we are to continue this thread STATE CLEARLY WHICH SCSI you are talking \n>about SCSI-1 or SCSI-2 or SCSI over all {SCSI-1 AND SCSI-2}\n>IT DOES MAKE A DIFFERENCE.\n\nWell maybe if the SCSI design people had their act together than maybe\nall PC\'s would have built in SCSI ports by now.\n',
 'From: andre@bae.bellcore.com (Andre Cosma)\nSubject: Is authentication a planned feature for X11R6?\nNntp-Posting-Host: broccoli.bae.bellcore.com\nOrganization: Bellcore\nDistribution: na\nLines: 15\n\nGreetings,\n\nMy question is whether the upcoming release of X11R6 will provide\n(strong) authentication between the X clients and server(s). If so,\nwill this feature be based on the Kerberos authentication mechanism\n(and, if so, will Kerberos Version 5 be used)? Please reply via email.\n\nThanks,\n\n--Andre\n-- \nAndre S. Cosma         | RRC 1N-215          |  Bellcore - Security and\nandre@bae.bellcore.com | 444 Hoes Lane       |       Data Services\n(908) 699-8441         | Piscataway, NJ 08854|\n----------------------------------------------------------------------\n',
 'From: dietz@cs.rochester.edu (Paul Dietz)\nSubject: Re: nuclear waste\nOrganization: University of Rochester\n\nIn article <844@rins.ryukoku.ac.jp> will@rins.ryukoku.ac.jp (William Reiken) writes:\n\n>\tOk, so how about the creation of oil producing bacteria?  I figure\n> that if you can make them to eat it up then you can make them to shit it.\n> Any comments?\n\nThey exist.  Even photosynthetic varieties.  Not economical at this\ntime, though.\n\n\tPaul F. Dietz\n\tdietz@cs.rochester.edu\n',
 "From: scott@asd.com (Scott Barman)\nSubject: Re: Jewish Baseball Players?\nOrganization: American Software Development Corp., West Babylon, NY\nLines: 18\n\nIn article <15APR93.14691229.0062@lafibm.lafayette.edu> VB30@lafibm.lafayette.edu (VB30) writes:\n>Just wondering.  A friend and I were talking the other day, and\n>we were (for some reason) trying to come up with names of Jewish\n>baseball players, past and present.  We weren't able to come up\n>with much, except for Sandy Koufax, (somebody) Stankowitz, and\n>maybe John Lowenstein.  Can anyone come up with any more.  I know\n>it sounds pretty lame to be racking our brains over this, but\n>humor us.  Thanks for your help.\n>\n\nOh... I forgot... Art Shamsky, former Red and Mets player.  Batted .301\nbetween injuries in 1969 (fell short of qualifying for Top 10 because of\ninjuries and platoon with Ron Swoboda; no Swobo wasn't Jewish).\n-- \nscott barman    | Mets Mailing List (feed the following into your shell):\nscott@asd.com   |            mail mets-request@asd.com <<!\n                |            subscribe\n Let's Go Mets! |            !\n",
 'From: bethd@netcom.com (Beth Dixon)\nSubject: Re: Ed must be a Daemon Child!!\nOrganization: Netcom Online Communications Services (408-241-9760 login: guest)\nDistribution: usa\nLines: 29\n\nIn article <1993Apr14.133413.1499@research.nj.nec.com> behanna@syl.syl.nj.nec.com (Chris BeHanna) writes:\n>In article <bethdC5G0H6.I48@netcom.com> bethd@netcom.com (Beth Dixon) writes:\n>>Bzzzzt.  It was me.  Until I discovered my SR250 Touring Bike has a\n>>nifty little cache on it for things like coins or lipstick.  The\n>>new Duc 750SS doesn\'t, so I\'ll have to go back to carrying my lipstick\n>>in my jacket pocket.  Life is _so_ hard.  :-)\n>\n>\tAm I the only denizen who thinks that the Natural Look is the best\n>look?  The thought of kissing that waxy shit smeared all over a woman\'s lips\n>is a definite turn-off...\nSo does clear lipstick/chapstick/etc. fit under the "natural look" or\nthe "waxy shit" category?  I wear something on my lips to keep them from\ndrying out.  Kissing dry, cracked, parched lips isn\'t too fun either.\n\n>\tNot that I\'ll ever be kissing Beth or Noemi... ;-)\nNot if Tom has anything to say about it you won\'t!  Noemi speaks for\nherself.\n\nBeth\n\n=================================================================\nBeth [The One True Beth] Dixon                   bethd@netcom.com\n1981 Yamaha SR250 "Excitable Girl"                      DoD #0384\n1979 Yamaha SR500 "Spike the Garage Rat"             FSSNOC #1843\n1992 Ducati 750SS                                     AMA #631903\n1963 Ducati 250 Monza -- restoration project         1KQSPT = 1.8\n"I can keep a handle on anything just this side of deranged."\n                                                        -- ZZ Top\n=================================================================\n',
 'From: randy@megatek.com (Randy Davis)\nSubject: Re: V-max handling request\nReply-To: randy@megatek.com\nOrganization: Megatek Corporation, San Diego, California\nLines: 22\n\nIn article <1993Apr15.232009.8534@Newbridge.COM> bradw@Newbridge.COM (Brad Warkentin) writes:\n|Zero to very fast very quickly... lastest rumor is 115 hp at the rear wheel,\n|handles like a dream in a straight line to 80-100, and then gets a tad upset\n|according to a review in Cycle World... cornering, er well, you can\'t have \n|everything...\n\n  Sure you can have everything, if by "everything" you mean fast straight line\nperformance AND handling - present day liter sport bikes have more horsepower\nand have faster 0-60 and 1/4 mile times than the V-max...  Plus, they corner\njust a bit better...\n\n| Seriously, handling is probably as good as the big standards\n|of the early 80\'s but not compareable to whats state of the art these days.\n\n  Very true.\n\nRandy Davis                            Email: randy@megatek.com\nZX-11 #00072 Pilot                            {uunet!ucsd}!megatek!randy\nDoD #0013\n\n       "But, this one goes to *eleven*..." - Nigel Tufnel, _Spinal Tap_\n\n',
 "From: mauaf@csv.warwick.ac.uk (Mr P D Simmons)\nSubject: Why religion and which religion?\nOrganization: Computing Services, University of Warwick, UK\nLines: 46\n\n\n        My family has never been particularly religious - singing Christmas\ncarols is about the limit for them. Thus I've never really believed in God and\nheaven, although I don't actually believe that they don't exist either -\nI'm sort of undecided, probably like a lot of people I guess.\n        Lately I've been thinking about it all a lot more, and I wondered how\nreligious people can be so convinced that there is a God. I feel as though\nI want to believe, but I'm not used to believing things without proof -\njust as I can't believe that there definitely isn't a God, so I can't\ndefinitely believe that there is. I wondered if most of you were brought up by\nreligious families and never believed any different. Can anyone help me to\nunderstand how your belief and faith in God can be so strong.\n\n        Another question that frequently crosses my mind is which religion is\ncorrect?? How do you choose a religion, and how do you know that the Christian\nGod exists and the Gods of other religions don't?? How do you feel about\npeople who follow other religions?? How about atheists?? And people like me -\nagnostics I suppose. Do you respect their religion, and accept their\nbeliefs as just as valid as your own?? Isn't there contradiction between\nthe religions?? How can your religion be more valid than any others?? Do\nyou have less respect for someone if they're not religious, or if they follow\na different religion than you would if they were Christian??\n\n        Also, how much of the scriptures are correct?? Are all events in\nthe bible really supposed to have happened, or are they just supposed to be\nstories with morals showing a true Christian how to behave??\n\n        I generally follow most of the Christian ideas, which I suppose are\nfairly universal throughout all religions - not killing, stealing, etc, and\n'Loving my neighbour' for want of a better expression. The only part I find\nhard is the actual belief in God.\n\n        Finally, what is God's attitude to people like me, who don't quite\nbelieve in Him, but are generally fairly 'good' people. Surely not\nbelieving doesn't make me a worse person?? If not, I find myself wondering why\nI so strongly want to really believe, and to find a religion.\n\n        Sorry if I waffled on a bit - I was just writing ideas as they came\ninto my head. I'm sure I probably repeated myself a bit too.\n\n                        Thanks for the help,\n                                Paul Simmons\n\n[There's been enough discussion about evidence for Christianity\nrecently that you may prefer to respond to this via email rather than\nas a posting.  --clh]\n",
 'From: hambidge@bms.com\nSubject: Re: Gun Control\nReply-To: hambidge@bms.com\nOrganization: Bristol-Myers Squibb\nLines: 94\n\n\nIn article <C51L52.BGo@magpie.linknet.com>, manes@magpie.linknet.com (Steve Manes) writes:\n>\n>I would be surprised if there weren\'t contrary studies.  I might add that\n>Sloan and Kellerman was endorsed by the police departments of both Seattle\n>and Vancouver and is considered by most of the references I have at hand the\n>most exhaustive study of its kind, even by those who take issue with some of\n>the essay\'s conclusions.  S&K\'s statistics speak largely for themselves\n>without postulate.\n\nAnd, I might add, vitamin C has been endorsed by a Nobel Laureate as a\npanacea for almost everything from the common cold to cancer.  \n\n> In order to compare violent crime trends, S&K compared >all<\n>violent crime categories, from simple assault through various mechanisms of\n>homicide.  \n\nWait a minute. S&K did NOT compare trends.  If they did, they would\nhave seen that the advent of Canada\'s gun law had no effect on\nhomicides, total or handgun.  Without a pre- vs. post comparison, one\ncannot speculate as to the utility of anything.  All they have is a\ncorrelation, and correlation DOES NOT prove causality.\n\n\n>If your point is that non-whites commit more handgun crimes than whites\n>then yours is the dubious assumption.  Conventional social theory is that\n>economic status, not color, is the primary motivating factor for crime,\n>especially violent crime.  What\'s your point anyway, that white people\n>are more responsible gun owners?  Should we assume that it\'s a coincidence\n>that there are comparitively fewer white people earning below the poverty\n>line and living in tenement neighborhoods where most violent crime occurs?\n\nHold it again. You dismiss a point about demographics, then you ask\nabout socio-economic demographics? Very slick.\n>\n>:    Differences between the two cities in the\n>:    permit regulations render these two numbers strictly noncomparable.\n>\n>On the contrary, it\'s these differences that are the very basis of the study:\n>the easy availability of legal handguns in Seattle and the much more\n>difficult "restricted-weapons" permit required in Vancouver.\n\nOnce again, correlation does not prove causality.  Looking at pre-vs.\npost data, the Canadian gun law had no effect.\n\n>\n>Not so.  Cook measures suicides and assaultive homicides with\n>firearms against a survey-based estimate of the number of legal and\n>illegal guns in circulation within a city.  \n\nSir, if you were a Canadian, and owned a gun before the restrictive\ngun laws were passed, and decided to hide it rather than turn it in,\nwould you answer truthfully a question about gun ownership from\nsomeone who calls, writes, or asks you on the street?  That is one\nproblem with surveys.  Nobody will answer an incriminating question.\nAnother is that people will often tell you what they THINK you want to\nhere.\n\n>\n>Again, your author misses the core issue: that Vancouver citizens are\n>prohibited from purchasing handguns on the basis of self-defense.  They\n>don\'t have a choice in the matter.\n\nDoes that mean no Vancouver citizens have handguns? I think not. You\nare discounting guns purchased beforehand, and guns purchased for\npurposes other than self-defense, which can also be used for defense.\n\n>\n>Hmmm... sounds like your author might like a bumper sticker that reads "Guns\n>don\'t kill people, black people kill people!"  Honestly, his conjectures,\n>backed up by zero evidence, zero studies and even less common sense, aren\'t\n>worth the considerable time it must have taken you to type in.  His\n>assumptions look frighteningly close to those pseudo-scientific "studies"\n>that the white supremist assholes love... the crap that takes published\n>statistics, twisted around in an attempt to prove the inherent criminal\n>nature of black people.\n\nHe makes valid points about demographic differences.  You then resort\nto the kind of argument that the "Politically Correct" movement often\nuses to stifle any debate.  Nice, real nice.\n\n\n>This author\'s essay contains 0% independent study upon which to base his\n>conclusions, just some strained, disjointed statistical discourse attempting\n>to blame Seattle\'s murder rate on blacks. \n\nOne doesn\'t have to produce his own data in order to point out the\nflaws in the methodology and conclusions of another\'s study. Again,\nyou resort to PC tactics.\n\n\nAl\n[standard disclaimer]\n\n',
 'From: david@c-cat.UUCP (Dave)\nSubject: cents keystroke ? where is it\nOrganization: Intergalactic Rest Area For Weary Travellers\nLines: 14\n\nwhy does my keyboard not have a cents key ?\n|\nC\n|\n\nlike to have my 2 cents worth or $ 0.02 (boaring)\n\n                                                       -David\n\n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\n\nChina Cat BBS                               c-cat!david@sed.csc.com\n(301)604-5976 1200-14,400 8N1               ...uunet!mimsy!anagld!c-cat!david \n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\n',
 'From: tp0x+@cs.cmu.edu (Thomas Price)\nSubject: Re: Serbian genocide Work of God?\nOrganization: School of Computer Science, Carnegie Mellon\nLines: 17\n\nIn article <Apr.24.01.09.19.1993.4263@geneva.rutgers.edu> revdak@netcom.com (D. Andrew Kille) writes:\n>James Sledd (jsledd@ssdc.sas.upenn.edu) wrote:\n>: Are the Serbs doing the work of God?  Hmm...\n>:\n>\n>Are you suggesting that God supports genocide?\n>Perhaps the Germans were "punishing" Jews on God\'s behalf?\n>\n>Any God who works that way is indescribably evil, and unworthy of\n>my worship or faith.\n\nYou might want to re-think your attitude about the Holocaust after\nreading Deuteronomy chapter 28.\n\n      Tom Price   |    tp0x@cs.cmu.edu   |   Free will? What free will? \n *****************************************************************************\n  plutoniumsurveillanceterroristCIAassassinationIranContrawirefraudcryptology\n',
 'From: cpage@two-step.seas.upenn.edu (Carter C. Page)\nSubject: Re: "Accepting Jeesus in your heart..."\nOrganization: University of Pennsylvania\nLines: 34\n\nIn article <Apr.10.05.32.36.1993.14391@athos.rutgers.edu> gsu0033@uxa.ecn.bgu.edu (Eric Molas) writes:\n>Firstly, I am an atheist. . . .\n\n(Atheist drivel deleted . . .)\n\n\t\t\tUntitled\n\t\t\t========\n\n\tA seed is such a miraculous thing,\n\tIt can sit on a shelf forever.\n\tBut how it knows what to do, when it\'s stuck in the ground,\n\tIs what makes it so clever.\n\tIt draws nutrients from the soil through it\'s roots,\n\tAnd gathers its force from the sun\n\tIt puts forth a whole lot of blossoms and fruit,\n\tThen recedes itself when it is done.\n\tWho programmed the seed to know just what to do?\n\tAnd who put the sun in the sky?\n\tAnd who put the food in the dirt for the roots?\n\tAnd who told the bees to come by?\n\tAnd who makes the water to fall from above,\n\tTo refresh and make everything pure?\n\tPerhaps all of this is a product of love,\n\tAnd perhaps it happened by chance.\n\t\t\t\tYeah, sure.\n\n\t\t\t-Johnny Hart, cartoonist for _B.C._\n\n+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=\nCarter C. Page           | Of happiness the crown and chiefest part is wisdom,\nA Carpenter\'s Apprentice | and to hold God in awe.  This is the law that,\ncpage@seas.upenn.edu     | seeing the stricken heart of pride brought down,\n                         | we learn when we are old.  -Adapted from Sophocles\n+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=-+-=+-=-+-=+-=-+=-+-=-+-=-+=-+-=\n',
 "From: sunnyt@coding.bchs.uh.edu\nSubject: Re: When is Apple going to ship CD300i's?\nOrganization: University of Houston\nLines: 22\nReply-To: ln63sdm@sdcc4.ucsd.edu\nNNTP-Posting-Host: franklin.bchs.uh.edu\n\nIn article <1993Apr19.164734.24779@newsgate.sps.mot.com>  \nrjacks@austlcm.sps.mot.com (rodney jacks) writes:\n> I would really like to get one of the new CD300i CDROM\n> drives for my c650, but my local Apple doesn't know \n> when they will be available.  He doesn't even have a part\n> number yet.   Does anyone know what the part number \n> for this drive is and when it will be available?\n> \n> My Apple dealer suggested I buy one of the CD300 external\n> drives, but I don't want to pay extra for a case/power supply\n> I'm not going to use.\n> \n> -Rodney Jacks\n> (rjacks@austlcm.sps.mot.com)\n\nThe CD300 (external) is already shipping and has been shipping for quite awhile  \nnow.  Demand for the units are high, so they are pretty rare.  I've seen them  \nlisted for around $525-550 at local computer stores and the campus Mac  \nreseller.  I've also heard rumors that they are bundled with a couple of CD's,  \nbut I can't confirm it.\n\nSunny   ===>sunnyt@dna.bchs.uh.edu\n",
 'From: d88-jwa@hemul.nada.kth.se (Jon Wtte)\nSubject: Re: Increasing the number of Serial ports\nOrganization: Royal Institute of Technology, Stockholm, Sweden\nLines: 29\nNntp-Posting-Host: hemul.nada.kth.se\n\nIn <1993Apr18.134943.16479@bmers95.bnr.ca> slang@bnr.ca (Steven Langlois) writes:\n\n>If such a device exists, are there are any limits to the number of\n>serial devices I can use?\n\nHow many NuBus slots do you have?\n\nApplied Engineering has something called the QuadraLink, which is\na card with 4 serial ports that you get at through the comms\ntoolbox (in addition to the built-in ones) It also comes with\nsoftware for fooling applications to open an AE port when they\nthink they open a built-in port.\n\nThey also have a more expensive card with DMA (better performance)\nand I _think_ they, or someone else, have a card that handles\n8 ports simultaneously.\n\nAs I said, with NuBus, you\'re green. Learn how to use the Comms\nResource Manager to get at the various installed cards.\n\nCheers,\n\n\t\t\t\t\t/ h+\n \n-- \n -- Jon W{tte, h+@nada.kth.se, Mac Hacker Deluxe --\n  "You NEVER hide the menu bar. You might go about and change the color\n  of it to the color of the BACKGROUND, but you never HIDE the menu bar."\n                      -- Tog\n',
 'From: madhaus@netcom.com (Maddi Hausmann)\nSubject: Re: some thoughts.\nKeywords: Dan Bissell\nOrganization: Society for Putting Things on Top of Other Things\nLines: 28\n\n1.  Did you read the FAQs?\n\n2.  If NO, Read the FAQs.\n\n3.  IF YES, you wouldn\'t have posted such drivel.  The "Lord, Liar\n    or Lunatic" argument is a false trilemma.  Even if you disprove\n    Liar and Lunatic (which you haven\'t), you have not eliminated\n    the other possibilities, such as Mistaken, Misdirected, or\n    Misunderstood.  You have arbitrarily set up three and only\n    three possibilities without considering others.\n\n4.  Read a good book on rhetoric and critical thinking.  If\n    you think the "Lord, Liar, or Lunatic" discussion is an\n    example of a good argument, you are in need of learning.\n\n5.  Read the FAQs again, especially "Constructing a Logical\n    Argument."\n\nIgnore these instructions at your peril.  Disobeying them\nleaves you open for righteous flaming.\n\n\n-- \nMaddi Hausmann                       madhaus@netcom.com\nCentigram Communications Corp        San Jose California  408/428-3553\n\nKids, please don\'t try this at home.  Remember, I post professionally.\n\n',
 "From: mcbride@ohsu.edu (Ginny McBride)\nSubject: Re: Trumpet for Windows & other news readers\nArticle-I.D.: ohsu.mcbride.126\nOrganization: Oregon Health Sciences University\nLines: 31\nNntp-Posting-Host: 137.53.60.24\n\nIn article <ashok.653.0@biochemistry.cwru.edu> ashok@biochemistry.cwru.edu (Ashok Aiyar) writes:\n\n>In article <1993Apr21.082430@liris.tew.kuleuven.ac.be> wimvh@liris.tew.kuleuven.ac.be (Wim Van Holder) writes:\n\n>>What the status of Trumpet for Windows? Will it use the Windows sockets ?\n\n[stuff deleted]\n\n>Currently WinTrumpet is in very late beta.  It looks like an excellent \n>product, with several features beyond the DOS version.\n\n>WinTrumpet supports the Trumpet TCP, Novell LWP, and there is also a direct to \n>packet driver version that some people are using with the dis_pkt shim.\n\n>Ashok \n\n>--\n>Ashok Aiyar                        Mail: ashok@biochemistry.cwru.edu\n>Department of Biochemistry                       Tel: (216) 368-3300\n>CWRU School of Medicine, Cleveland, Ohio         Fax: (216) 368-4544\n\nWhat's it gonna cost?  \n\nGinny McBride       Oregon Health Sciences University\nmcbride@ohsu.edu    Networks & Technical Services\n  \n=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+\n|  The purpose of writing is to inflate weak ideas, obscure poor reasoning,    |\n|  and inhibit clarity. With a little practice, writing can be an intimidating |\n|  and impenetrable fog.  (Academia, here I come)   >Calvin & Hobbes<          |\n=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+\n",
 'From: egreen@east.sun.com (Ed Green - Pixel Cruncher)\nSubject: Re: Observation re: helmets\nOrganization: Sun Microsystems, RTP, NC\nLines: 21\nDistribution: world\nReply-To: egreen@east.sun.com\nNNTP-Posting-Host: laser.east.sun.com\n\nIn article 211353@mavenry.altcit.eskimo.com, maven@mavenry.altcit.eskimo.com (Norman Hamer) writes:\n> \n> The question for the day is re: passenger helmets, if you don\'t know for \n>certain who\'s gonna ride with you (like say you meet them at a .... church \n>meeting, yeah, that\'s the ticket)... What are some guidelines? Should I just \n>pick up another shoei in my size to have a backup helmet (XL), or should I \n>maybe get an inexpensive one of a smaller size to accomodate my likely \n>passenger? \n\nIf your primary concern is protecting the passenger in the event of a\ncrash, have him or her fitted for a helmet that is their size.  If your\nprimary concern is complying with stupid helmet laws, carry a real big\nspare (you can put a big or small head in a big helmet, but not in a\nsmall one).\n\n---\nEd Green, former Ninjaite |I was drinking last night with a biker,\n  Ed.Green@East.Sun.COM   |and I showed him a picture of you.  I said,\nDoD #0111  (919)460-8302  |"Go on, get to know her, you\'ll like her!"\n (The Grateful Dead) -->  |It seemed like the least I could do...\n\n',
 'From: henrik@quayle.kpc.com \nSubject: Re: ARMENIA SAYS IT COULD SHOOT DOWN TURKISH PLANES\nOrganization: NONE\nLines: 57\n\nIn article <C5qu5H.1IF@news.iastate.edu>, oyalcin@iastate.edu (Onur Yalcin) writes:\n|> In article <1993Apr19.155856.8260@kpc.com> henrik@quayle.kpc.com  writes:\n|> >In article <1993Apr17.185118.10792@ee.rochester.edu>, terziogl@ee.rochester.edu (Esin Terzioglu) writes:\n|> >|>\n|> >|>..[cancellum]... \n|> >|>\n|> >\n|> >\nhenrik] Let me clearify Mr. Turkish;\nhenrik] ARMENIA is NOT getting "itchy". SHE is simply LETTING the WORLD KNOW \nhenrik] that SHE WILL NO  LONGER sit there QUIET and LET TURKS get away with \nhenrik] their FAMOUS tricks. Armenians DO REMEMBER of the TURKISH invasion \nhenrik] of the Greek island of CYPRESS WHILE the world simply WATCHED. \n\nOnur Yalcin] It is more appropriate to address netters with their names as \nOnur Yalcin] they appear in their signatures (I failed to do so since you did \nOnur Yalcin] not bother to sign your posting). Not only because it is the \nOnur Yalcin] polite thing to do, but also to avoid addressing ladies with \nOnur Yalcin] "Mr.", as you have done.\n\n\tFine. Please, accept my opology !\n\nOnur Yalcin] Secondly, the island of which the name is more correctly spelled \nOnur Yalcin] as Cyprus has never been Greek, but rather, it has been home to \nOnur Yalcin] a bi-communal society formed of Greeks and Turks. It seems that \n               ^^^^^^^^^^^\nOnur Yalcin] you know as little about the history and the demography of the \nOnur Yalcin] island, as you know about the essence of Turkey\'s \nOnur Yalcin] military intervention to it under international agreements.\n\n\tbi-communal society ? Then why DID NOT Greece INVADE CYPRUS ? \n\t\nOnur Yalcin] Be that as it may, an analogy between an act of occupation in \nOnur Yalcin] history and what is going on today on Azerbaijani land, can only \nOnur Yalcin] be drawn with the expansionist policy that Armenia is now pursuing.\n\n\tBuch of CRAP and you know it. Nagarno-Karabagh has ALWAYS been PART \n        of ARMENIA and it was STALIN who GAVE IT to the AZERIS. Go back and\n        review the HISTORY.  \n\n\tThe Armenians in Nagarno-Karabagh are simply DEFENDING their RIGHTS\n        to keep their homeland and it is the AZERIS that are INVADING their \n        teritory.\n\nOnur Yalcin] But, I could agree that it is not for us to issue diagnoses to \nOnur Yalcin] the political conduct of countries, and promulgate them in such \nOnur Yalcin] terminology as "itchy-bitchy"... \n\n       I was not the one that STATED IT. \n\t\n       However, I hope that the Armenians WILL force a TURKISH airplane \n       to LAND for purposes of SEARCHING for ARMS similar to the one\n       that happened last SUMMER. Turkey searched an AMERICAN plane\n       (carrying humanitarian aid) bound to ARMENIA.\n\n\n\n',
 "From: paula@koufax.cv.hp.com (Paul Andresen)\nSubject: Dick Estelle\nNntp-Posting-Host: koufax.cv.hp.com\nOrganization: Our Lady Of The Stand-Up Triple\nLines: 13\n\nDoes anyone know if the Dick Estelle who does the Radio Reader on NPR is one in\nthe same with the lefty who pitched briefly for the Jints in '64 & '65?\n\nJust curious.\n\n--->Paul, spending too much time reading the baseball encyclopedia\n--------------------------------------------------------------------------------\n           We will stretch no farm animal beyond its natural length\n\n  paula@koufax.cv.hp.com   Paul Andresen  Hewlett-Packard  (503)-750-3511\n\n    home: 3006 NW McKinley    Corvallis, OR 97330       (503)-752-8424\n                            A SABR member since 1979\n",
 'From: goyal@utdallas.edu (MOHIT K GOYAL)\nSubject: Refresh rates of NEC 5fgx?\nNntp-Posting-Host: csclass.utdallas.edu\nOrganization: Univ. of Texas at Dallas\nLines: 5\n\nCan someone tell me the maximum horizontal and vertical refresh rates of the\nNEC 5fgx.(not the 5fge)\n\nThanks.\n\n',
 'From: mhsu@lonestar.utsa.edu (Melinda . Hsu   )\nSubject: Re: The arrogance of Christians\nOrganization: University of Texas at San Antonio\nLines: 74\n\nI\'d like to share my thoughts on this topic of "arrogance of\nChristians" and look forward to any responses.  In my\nencounters with Christians, I find myself dismayed by their\nbelief that their faith is total truth.  According to them,\ntheir beliefs come from the Bible and the bible is the word of\nGod and God is truth - thus they know the truth.  This stance\nmakes it difficult to discuss other faiths with them and my own\nhesitations about Christianity because they see no other way.\nTheir way is the \'truth.\'\n\nBut I see their faith arising from a willful choice to believe\na particular way.  That choice is part faith and part reason,\nbut it seems to me a choice.\n\nMy discussions with some Christians remind me of schoolyard\ndiscussions when I was in grade school:\n\nA kid would say, "All policemen are jerks!"  I\'d ask, "How do\nyou know?"  "Because my daddy told me so!"  "How do you know\nyou\'re daddy is right?"  "He says he\'s always right!"\n\nWell the argument usually stops right there.  In the end,\naren\'t we all just kids, groping for the truth?  If so, do we have\nthe authority to declare all other beliefs besides our own as\nfalse?\n\n-------------\n\nThis is only my third time browsing through this newsgroup.  I\napologize if I\'m covering tired old ground.  Some of the\ndiscussions on this topic have piqued my interest and I welcome\nany comments.\n\n| Louis J. Kim                      ---  _ O                PH:512-522-5556 |\n| Southwest Research Institute    ---  ,/  |\\\\/\'            FAX:512-522-3042 |\n| Post Office Drawer 28510      ----      |__                 lkim@swri.edu |\n| San Antonio, TX 78228-0510   ----    __/   \\\\    76450.2231@compuserve.com |\n-- \n\n[I\'m sort of mystified about how a Christian might respond to this.  I\ncan understand criticisms of Christianity that say there\'s not enough\nevidence to believe it, or that there\'s just as good evidence for\nother religions.  I don\'t agree, but clearly there are plenty of\nintelligent people who don\'t find the evidence convincing.  But that\ndoesn\'t seem to be your point.  Rather, you seem upset that people who\nbelieve Christianity is true also believe that things which contradict\nit are false.\n\nThis suggests a model of spiritual things that\'s rather different than\nthe Christian one.  It sounds more like an existentialist view, where\npeople choose what value to follow, but there\'s no actual independent\nspiritual reality, and so no way to say that a specific choice is in\nsome unique sense right.  This sort of model -- with modifications of\none sort or another -- may be appropriate for some religions.  But\nChristianity is in its essense a "historical" religion.  That is, it\'s\nbased on the concept that there are actual spiritual entities out\nthere, that one of them has intervened in history in specific ways,\nand that we see evidence of that in history.  In the "mundane" world,\nwe are not free to choose how things work.  When we drop something, it\nfalls (aside from well-defined situations where it doesn\'t).  The\nChristian concept is that spiritual matters, there is also an actual\nexternal reality.  I hope we\'re all honest enough not to claim that we\nhave perfect understanding.  But while we may not think we know\neverything, we are confident that we know some things.  And that\nimplies that we think things that contradict them are false.  I don\'t\nsee how else we could proceed.\n\nThis needn\'t result in arrogance.  I\'m certainly interested in talking\nwith people of other religions.  They may have things to teach me, and\neven if they don\'t, I respect them as fellow human beings.  But it\'s\ngot to be possible to respect people and also think that on some\nmatters they are wrong.  Maybe even disasterously wrong.\n\n--clh]\n',
 'From: psionic@wam.umd.edu (Haywood J. Blowme)\nSubject: new encryption\nNntp-Posting-Host: rac3.wam.umd.edu\nOrganization: University of Maryland, College Park\nLines: 120\n\n   As promised, I spoke today with the company mentioned in a Washington\nTimes article about the Clipper chip announcement. The name of the company\nis Secure Communicatiions Technology (Information will be given at the end\nof this message on how to contact them).\n\n   Basically they are disturbed about the announcement for many reasons that\nwe are. More specifically however, Mr. Bryen of Secure Communications\nbrought to light many points that might interest most of the readers.\n\n   His belief is that AT&T was made known of the clipper well before the\nrest of the industry. This is for several reasons, several of which are:\n\n - A company of AT&T\'s size could never be able to make a decision to use\n   the new chip on the SAME DAY it was announced.\n\n - Months ago they proposed using their own chip for AT&T\'s secure telephone\n   devices. AT&T basically blew them off as being not interested at all.\n   This stuck them as strange, until now...\n\n\n   Also I spoke with Art Melnick, their cryptographer, he expressed several\nconcerns over the new Clipper Chip:\n\n  - The obvious backdoor will be able to let many people decrypt the code.\n\n  - Once the key is released to authorities the security of the crypto\n    system is lost forever. These keys can end up in the hands of any agency\n    of the government.\n\n  - The fact that the escrowed keys never change means that the algorithm\n    is vulnerable over time to an attacker.\n\n  - The classified algorithm may hide another backdoor. But he feels that\n    it is probably to keep people from forging fake serial numbers, or\n    changing the keys themselves.\n\n  - Additionally he feels that the NSA has probably spent enough time and\n    money in working on a way to keep this chip from being reversed\n    engineered, that he feels that reverse engineering it will be very\n    difficult to do. He feels that they have developed a suitable technique\n    to protect the chip from this attack. Also he feels that the chip is\n    hardware encoded with the algorithm and not microcoded onto the chip.\n\nAdditonally I spoke with Mr. Melnick about their algorithm. He couldn\'t tell\nme much about their new agorithm because it hasn\'t been patented yet.\nHowever he told me a little:\n\n - The algorithm will be released for public review after patents have been\n   granted for it. This is so the crypto community can see that it is\n   secure.\n\n - The algorithm is called NEA for New Encryption Algorithm.\n   The details were sketchy because now it is held as a trade secret\n   until the patent was issued, but I was told that it will incorporate\n   the following:\n\n    - It will have fast encryption of data (Exact specs not given, but\n      Mr. Melnick stated "Much faster than what an RS-232 can put out.")\n\n    - It is a symmetric cipher, just like IDEA and DES.\n\n    - It will use 64 bit data blocks for encryption (like DES and IDEA).\n\n    - The key length was not given to me, but Mr. Melnick states that\n      it is _adujustable_ and is "More than adequate for security."\n\n    - The algorithm is written in C and Assembler in software form, and\n      can be ported to many platforms (Unlike the the Clipper Chip which\n      is hardware ONLY and cannot be made into software) This I\n      consider a definite plus for the NEA for widespread use.\n\n    - The algorithm will accomodate public key distribution techniques\n      such as RSA or Diffie-Hellman. This will also be supported in the\n      hardware chip.\n\n    - Right now the projected cost of the NEA chip will be about 10 dollars\n      for each!! (Clipper will run 25 each chip [that is if it is produced\n      enough, which probably won\'t happen]).\n\n    - They currently sell a program called C-COM that uses the algorithm\n      and a special streaming protocol that does not divide the encrypted\n      data into "blocks." This could prevent plaintext attacks if you know\n      what the block header is. This program operates at all supported\n      RS-232 speeds and uses the software implementation of the algorithm.\n\n    - Most importantly: IT DOES NOT HAVE A BACKDOOR!!\n\n\n\nRight now the company is afraid that the new clipper chip will put them out\nof business. This is a very real possibility. So they really need help in\nstopping the clipper chip from becoming a standard. If you want to contact\nthem, they can be reached at..\n\nSecure Communications Technology\n8700 Georgia Ave. Suite 302\nSilver Spring, MD\n\n(301) 588-2200\n\nI talked to Mr. Bryen who represents the company. He can answer any\nquestions you have.\n\n\n\n\nAny factual errors occurring in this write up are my own and I apologize for\nthem ahead of time.\n\n \n\n=============================================================================\n      ///    | psionic@wam.umd.edu | Fight the WIRETAP CHIP!! Ask me how!\n __  /// C=  | -Craig H. Rowland-  |\n \\\\\\\\\\\\/// Amiga| PGP Key Available   | "Those who would give up liberty for\n  \\\\///  1200 | by request.         |  security deserve neither."\n=============================================================================\nA\n\n\n',
 'From: chen@nuclear.med.bcm.tmc.edu (ChenLin)\nSubject: Re: Can I get more than 640 x 480 on 13" monitor?\nOrganization: Baylor College of Medicine\nLines: 5\nDistribution: na\nReply-To: chen@nuclear.bcm.tmc.edu\nNNTP-Posting-Host: nuclear.med.bcm.tmc.edu\nKeywords: 13" monitor, 8*24 resolution\n\n\nTry MaxAppleZoom ( a shareware init ) if your monitor is not driven by internal\nvideo.\n\nchen\n',
 "From: armstrng@cs.dal.ca (Stan Armstrong)\nSubject: Re: So far so good\nOrganization: Math, Stats & CS, Dalhousie University, Halifax, NS, Canada\nLines: 22\n\nIn article <C4z5u3.Jxo@spss.com> luomat@alleg.edu writes:\n>\n>This may be a really dumb one, but I'll ask it anyways:\n>\tChristians know that they can never live up to the requirements of  \n>God, right? (I may be wrong, but that is my understanding)  But they still  \n>try to do it.  Doesn't it seem like we are spending all of our lives  \n>trying to reach a goal we can never achieve?  I know that we are saved by  \n>faith and not by works, but does that mean that once we are saved we don't  \n>have to do anything?  I think James tells us that Faith without works is  \n>dead (paraphrase).  How does this work?\n>\nSo long as we think that good things are what we *have* to do rather than\nwhat we come to *want* to do, we miss the point. The more we love God; the\nmore we come to love what and whom He loves.\n\nWhen I find that what I am doing is not good, it is not a sign to try\neven harder (Romans 7:14-8:2); it is a sign to seek God. When I am aware \nof Jesus' presence, I usually want what He wants. It is His strenth, His love \nthat empowers my weakness.\n-- \nStan Armstrong. Religious Studies Dept, Saint Mary's University, Halifax, N.S.\nArmstrong@husky1.stmarys.ca | att!clyde!watmath!water!dalcs!armstrng\n",
 'From: egreen@east.sun.com (Ed Green - Pixel Cruncher)\nSubject: Re: Countersteering_FAQ please post\nOrganization: Sun Microsystems, RTP, NC\nLines: 52\nDistribution: world\nReply-To: egreen@east.sun.com\nNNTP-Posting-Host: laser.east.sun.com\n\nIn article 734954875@zen.sys.uea.ac.uk, mjs@sys.uea.ac.uk (Mike Sixsmith) writes:\n>\n>Secondly, it is the adhesion of the\n>tyre on the road, the suspension geometry  and the ground clearance of the\n> motorcycle which dictate how quickly you can swerve to avoid obstacles, and\n>not the knowledge of physics between the rider\'s ears. Are you seriously\n>suggesting that countersteering knowledge enables you to corner faster\n>or more competentlY than you could manage otherwise??\n\nIf he\'s not, I will.  Put two riders on identical machines.  It\'s the\none who knows what he\'s doing, and why, that will be faster.  It *may*\nbe possible to improve your technique if you have no idea what it is,\nthrough trial and error, but it is not very effective methodology.\nOnly by understanding the technique of steering a motorcycle can one\nimprove on that technique (I hold that this applies to any human\nendeavor).\n\n>that\'s all it is - an interesting bit of knowledge, and to claim that\n>it is essential for all bikers to know it, or that you can corner faster\n>or better as a result, is absurd.\n\nDo you consider an understanding of the physics of traction absurd?\nAre you seriously suggesting that one can form a traction management\npolicy without understanding what it is or what factors increase or\ndecrease available traction?  Braking?\n\nIt is highly unlikely that any biker is going to develop his maximum\nswerving ability without any knowledge of turning techniques.  For most\nof his riding life this may not be a problem, but in an emergency\nsituation it is very definately placing him at a disadvantage.\n\n>But by including countersteering\n>theory in newbie courses we are confusing people unnecessarily, right at\n>the time when there are *far* more important matters for them to learn.\n\nI disagree.  The existance and immense success of riding courses which\nteach the technique indicate that the concept can be taught in a manner\nthat is neither confusing, nor detracts from any other aspects of the\ncourse.\n\n>And that was my original point.\n\nPerhaps, but in the ensuing discussion, you strayed far from that\npoint, to claim that knowledge of steering technique is irrelevant to a\nrider\'s ability.  I find this assertion ludicrous.\n\n---\nEd Green, former Ninjaite |I was drinking last night with a biker,\n  Ed.Green@East.Sun.COM   |and I showed him a picture of you.  I said,\nDoD #0111  (919)460-8302  |"Go on, get to know her, you\'ll like her!"\n (The Grateful Dead) -->  |It seemed like the least I could do...\n\n',
 'From: kimd@rs6401.ecs.rpi.edu (Daniel Chungwan Kim)\nSubject: WANTED: Super 8mm Projector with SOUNDS\nKeywords: projector\nNntp-Posting-Host: rs6401.ecs.rpi.edu\nLines: 9\n\n\tI am looking for Super 8mm Projector with SOUNDS.\nIf anybody out there has one for sale, send email with\nthe name of brand, condition of the projector, and price\nfor sale to kimd@rpi.edu\n(IT MUST HAVE SOUND CAPABILITY)\n\nDanny\nkimd@rpi.edu\n\n',
 'From: "James J. Murawski" <jjm+@andrew.cmu.edu>\nSubject: Re: Don Cherry - Coach\'s Corner summary - April 19, 1993\nOrganization: Administrative Computing & Info Services, Carnegie Mellon, Pittsburgh, PA\nLines: 29\nNNTP-Posting-Host: po2.andrew.cmu.edu\nIn-Reply-To: <allan.735284991@swanlake>\n\n\nOn 20-Apr-93 in Don Cherry - Coach\'s Corner..\nuser Allan Sullivan@cs.UAlber writes:\n>Next, a clip was shown from an earlier episode, in which Don was\n>proclaiming Doug Gilmour to be the best player, not only in\n>the NHL, but in the world. What about players like Lemieux?\n>Don said that Gilmour was the best PLAYER, not "Designated point getter".\n>Its not like baseball, where you have a "designatted hitter" who\n>can score runs but can\'t play defense. Gilmour is a good two way player.\n\nThis clip was shown on local news in Pittsburgh last night (KDKA), complete\nwith animated sarcasm by the sportscaster.  It\'s the second time Cherry\nhas been shown on local Pittsburgh news in the last couple of weeks.  Both\ntimes he was blasting Lemieux.\n\n\n====================================================================\n    Jim Murawski\n    Sr. Software Engineer               (412) 268-2650  [office]\n    Administrative Computing and        (412) 268-6868  [fax]\n         Information Services           jjm+@andrew.cmu.edu\n    Carnegie Mellon University          Office: UCC 155\n    4910 Forbes Avenue\n    Pittsburgh, PA 15213-3890\n\n    "Le Mieux!  Le Magnifique!  Soixante Six!  Claude...NON!"\n\nThere are 1371 days until Clinton (Clinocchio) leaves office (1370 too many).\n\n',
 "From: mvanhorn@desire.wright.edu (H.I.T. ( Hacker-In-Training ))\nSubject: Re: Need to find out number to a phone\nOrganization:  Wright State University \nLines: 12\n\nSince I have seen various different numbers to dial to get your number read\nback to you by the phone company, could someonepost a list or point me to a\nbook where I could get a list of all the different numbers for the U.S.?\nFailing that, could someone tell me Ohio's?\n\n\n-- \n???????????????????????????????????????????????????????????????????????????????\n?\t451                             ?\tI don't speak for Wright      ?\n?  \tmvanhorn@desire.wright.edu\t?       State, I just give them       ?\n?\tWright State University         ?       huge amounts of money.        ?\n???????????????????????????????????????????????????????????????????????????????\n",
 'From: staggers@cup.hp.com (Ken Staggers)\nSubject: Re: warranty extension by credit company: applies to the phurchase of computer?\nArticle-I.D.: cup.C51Cv1.MLL\nDistribution: usa\nOrganization: Hewlett-Packard\nLines: 20\nNntp-Posting-Host: writer.cup.hp.com\nX-Newsreader: TIN [version 1.1 PL9.1]\n\nHUAYONG YANG (yang@titan.ucs.umass.edu) wrote:\n: Most, if not all, credit card companies offer to double the warranty up\n: to one year, namely, if you make a purchase by a credit card, you get\n: additional warranty up to one year. Does it apply to the purchase of\n: computers? I wonder if anyone out there has used it. Is there any catch?\n: Thanks in advance.\n\nI am just about to post the results of my big computer purchase.  One\nof the key points was the ability to use my American Express card.  I \nread the fine print between double warranty policies of Amex and Citibank\nVISA.  Sure, both will allow you double warranty on computers, but Citibank\nhas a maximum claim of $250.00.  Could you imagine trying to get your\nmonitor or mother board fixed for $250.00?  Amex has NO limit on claims.\n\nRemember, if you use Amex, you must either send a copy of the warranty info\nto them in 30 days from purchase, or you must call them to pre-register and\nthen send them the paperwork within 90 days of purchase (my pre-register\npak arrived today).  Citibank VISA requires no pre-registration.\n\n--Ken\n',
 'From: dzk@cs.brown.edu (Danny Keren)\nSubject: Re: The U.S. Holocaust Memorial Museum: A Costly...\nOrganization: Brown University Department of Computer Science\nLines: 47\n\ndgannon@techbook.techbook.com (Dan Gannon) writes:\n\nGannon, why don\'t you tell the readers of these newsgroups\nhow you hail Nazism on your BBS, and post long articles\nclaiming non-Whites are inferior?\n\n# THE U.S. HOLOCAUST MEMORIAL MUSEUM: A COSTLY AND DANGEROUS MISTAKE\n\nThe Museum is entirely funded by private donations, but don\'t\nexpect this fact to deter "Maynard".\n\nBTW, Gannon\'s ideological fathers also had a passion for constructing\nmuseums and collections, some of which served to educate the\npublic about the racial supremacy of the Aryans. One such\ncollection was that of skeletons, and there was no lack of these\naround:\n\nLetter from SS-Standartenfuehrer Sievers to SS-Obersturmbannfuehrer\nDr. Brandt, November 2 1942\n["Trial of the Major War Criminals", p. 520]\n-------------------------------------------------------------------\nDear Comarade Brandt,\n\nAs you know, the Reichsfuehrer-SS has directed that\nSS-Hauptsturmfuehrer Prof. Dr. Hirt be supplied with everything\nneeded for his research work. For certain anthropological\nresearches - I already reported to the Reichsfuehrer-SS on\nthem - 150 skeletons of prisoners, or rather Jews, are\nrequired, which are to be supplied by the KL Auschwitz.\n\n\nHowever, the good Doctor needed some more items to complete his\nresearch:\n\nTestimony of Magnus Wochner, SS guard at the Natzweiler Concentration\nCamp\n["The Natzweiler Trial", Edited by Anthony M. Webb, p. 89]\n--------------------------------------------------------------------\n... I recall particularly one mass execution when about 90 prisoners\n(60 men and 30 women), all Jews, were killed by gassing. This took\nplace, as far as I can remember, in spring 1944. In this case the\ncorpses were sent to Professor Hirt of the department of Anatomy in\nStrasbourg.\n\n\n-Danny Keren.\n\n',
 'From: pom@anke.imsd.uni-mainz.DE (Prof. Dr. Klaus Pommerening)\nSubject: DES: init vector as additional key?\nKeywords: DES, CBC, CFB, key search \nNntp-Posting-Host: anke.imsd.uni-mainz.de\nOrganization: Johannes Gutenberg Universitaet Mainz\nLines: 15\n\nThe recent discussion in this news group suggests that a key search attack  \nagainst DES is quite feasible now. But normally DES is applied in CBC or CFB  \nmode where one chooses a random init vector of 8 bytes. Questions:\n\n - Makes it sense to handle the init vector as an additional key? Then we have  \na 56 + 64 = 120 bit key.\n \n - If yes: Is anything known about the security of this key scheme? Can we  \nbreak it faster than by exhaustive search through the 120 bit key space?\n\n--\nKlaus Pommerening\nInstitut fuer Medizinische Statistik und Dokumentation\nder Johannes-Gutenberg-Universitaet\nObere Zahlbacher Strasse 69, W-6500 Mainz, Germany\n',
 'From: rachford@en.ecn.purdue.edu (Jeffery M Rachford)\nSubject: Ryno correction\nOrganization: Purdue University Engineering Computer Network\nDistribution: na\nLines: 13\n\n\nI made a mistake on the posted article [been fighting food\npoisoning for last 24 hours...]\n\nThe second paragraph should state the following...\n\n"Doctors cleared Sandberg to swing a padded bat at a ball\non a tee and to catch a ball in his gloved hand."\n\nSorry for the error, didn\'t know it until after posting.\n\nJeffery\n\n',
 'From: jaeger@buphy.bu.edu (Gregg Jaeger)\nSubject: Re: The Inimitable Rushdie\nOrganization: Boston University Physics Department\nLines: 17\n\nIn article <16BB112525.I3150101@dbstu1.rz.tu-bs.de> I3150101@dbstu1.rz.tu-bs.de (Benedikt Rosenau) writes:\n \n>I assume that you  say here a religious law is for the followers of the\n>religion. That begs the question why the religion has the right to define\n>who is a follower even when the offenders disagree.\n\nNo, I say religious law applies to those who are categorized as\nbelonging to the religion when event being judged applies. This\nprevents situations in which someone is a member of a religion\nwho, when charged, claims that he/she was _not_ a member of the\nreligion so they are free to go on as if nothing had happened.\n\n\n\nGregg\n\n\n',
 "From: seth@cbnewsh.cb.att.com (peter.r.clark..jr)\nSubject: FLYERS notes 4/17\nOrganization: AT&T\nKeywords: FLYERS/Whalers summary\nLines: 200\n\n\n\nThe FLYERS closed out the season last night with their 8th straight victory,\na 5-4 OT winner over the Hartford Whalers. The OT game winner came from Dimitri\nYushkevich, just his 5th of the season and his first game winner. The FLYERS\nnever led up until that point in the game. For the Whalers, the loss marked an\nNHL record 9th OT loss this season.\n\nRoster move:\n\nGord Hynes was called to to play in place of Ryan McGill\n\nInjuries:\n\nRyan McGill injured his hand in a fight 4/15 and was scratched.\n\nLines:\n\nEklund-Lindros-Recchi\nBeranek-Brind'Amour-Dineen\nLomakin-Butsayev-Conroy\nFaust-Acton-Brown\n\nGalley-Bowen\nYushkevich-Hawgood\nCarkner-Hynes\n\nDominic Roussel\n\nGame Summary:\n\nI didn't get TV coverage of the game, and since it was stormy in these parts\nI didn't have the best radio coverage either. Here's the box score followed by\na few things I did pick up:\n\nFirst Period:\n\tHartford, Nylander 10, 8:51\n\tPhiladelphia, Recchi 53 (Lindros, Brind'Amour), 19:59.8 (pp)\nPenalties - Verbeek, Har (holding), :55; Carkner, Phi (roughing), 13:53; Houda,\nHar (interference) 18:43\n\nSecond Period:\n\tHartford, Burt 6 (Cunneyworth, Kron), 2:00\n\tPhiladelphia, Bowen 1 (Eklund, Recchi), 7:09\n\tHartford, Nylander 11 (Zalapski, Sanderson), 9:38\nPenalties - Galley, Phi, major-game misconduct (spearing) :58; Verbeek, Har\nmajor-game misconduct (spearing), :58; Brown, Phi (tripping), 3:22; Zalapski,\nHar (tripping), 15:51; Brind'Amour, Phi (slashing), 19:50\n\nThird Period:\n\tHartford, Kron 14 (Sanderson, Cassels), 1:24 (pp)\n\tPhiladelphia, Beranek 15 (Lomakin, Yushkevich), 3:11\n\tPhiladelphia, Faust 2 (Brind'Amour, Roussel), 3:38\nPenalties - Houda, Har (tripping), 4:20; Hawgood, Phi (holding), 5:30\n\nOvertime:\n\tPhiladelphia, Yushkevich 5 (Faust), 1:15.\nPenalties - None\n\nPower Play:\n\tPhiladelphia 1 of 4, Hartford 1 of 4\n\nGoalies:\n\tPhiladelphia, Roussel 14-11-5 (30 shots - 26 saves)\n\tHartford, Lenarduzzi, 1-1-1 (38 - 33)\n\nOn the first Hartford goal, Gord Hynes misplayed the puck at the FLYERS blue\nline and Nylander stripped him and took off.\n\nThe Recchi goal was a 2 on 1 with Lindros.\n\nThe Bowen goal was just a puck he threw at the net, got a good carom and it\nended up behind the goalie.\n\nOn the second Nylander goal he got three whacks at the puck before it went in.\nThis is the most frustrating part of the FLYERS defense. Take the body, and if\nthey get one shot and beat you fine. Don't give them another chance. Carkner,\nGalley and McGill are all terrible about this, I'll bet money at least one of\nthem was the closest FLYER to the play.\n\nThat's all I have, my radio got bad after that and I was lucky to know who it\nwas that scored, much less how.\n\nFrom what I heard, Roussel had a very strong game. After the game, Gene Hart\nasked Bobby Taylor to pick the three stars of the season rather than of the\ngame. It was Garry Galley #3 for his career high point total (I'm surprised\nthat a former goalie wouldn't look closer at his defensive play), Tommy \nSoderstrom #2 for his team record tying 5 shutouts in only about 1/2 a season\nand, Mark Recchi #1 for his all time high team single season scoring mark.\nBut here's the odd part. He couldn't decide between Lindros and Recchi for\nnumber 1. If he picks Recchi as #1 after he had a hard time choosing between\nhim and Lindros, doesn't that make Lindros #2????\n\nWhat? You wanna know my three stars of the season? Well, since you asked...\n\n#1 Eric Lindros. Eric dominates a game simply by stepping out onto the ice.\nThe difference between the team's record with him and without him is no\naccident. I believe that the team could have been almost as successful without\nRecchi. There is no question that this team is significantly better with Eric\nLindros on it, and I think that he will deservedly wear the 'C' on his jersey\nnext season.\n\n#2 Tommy Soderstrom. 5 shutouts was second in the league to only Ed Belfour,\nand Tommy didn't have a Chris Chelios (booo) in front of him. He also didn't\nplay a complete season due to heart problems (sentimental edge here, my family\nhas a history of heart problems). There's no question in my mind that Tommy\nSoderstrom is this teams goalie of the future, and if Roussel complains again\nabout being number 2 look for him to be traded within 2 years.\n\n#3 Mark Recchi. Again, you can't argue with an all-time team high single season\nscoring mark. There are an awful lot of teams that didn't have a single player\nget as many points. Plus, Mark is the only FLYER to play the entire season.\nNot a tough choice.\n\nHonorable mentions: Rod Brind'Amour topped his single season high point total\nwhich he set last year. The difference was that he wasn't on the top line\nthis year and didn't get as much playing time. Then again, he didn't get the\ndefensive attention that he got last year from the other team either.\n\nDimtri Yushkevich was the teams most consistent defenseman. Yes, he made rookie\nmistakes, but he was usually fast enough to make up for them. I have a feeling\nthat with his shot he'll score a few more points next year without giving up\nanything in his own zone, and I suspect that he'll be the teams top defenseman\nin years to come.\n\nGarry Galley was the team's point leader from defensemen. Again, there are some\nthings you just can't argue with. And he battled with chronic fatigue syndrome,\nhe certainly deserves kudos for only missing one game, and that was against his\nwishes under doctors orders. But his defensive play often negates his offensive\ncontribution. A little more caution, and a little bit smarter in his own end\nwill make him a much more important part of the team next year.\n\nBrent Fedyk was the leagues biggest improvement over last years point total.\nBut consistency became a problem for him.\n\nA couple misc notes mostly for mailing list members:\n\nTom Misnik, a member of the mailing list, would like to exchange E-mail\naddresses with any list members who want to keep in touch over the summer.\nIf you're interested, you can send him mail at:\n\natt!ACR.ORG!TMISNIK\n\nThe FLYERS end the season 1 game below .500 in 5th place, their best winning\npercentage since going .500 in 1988-89. 14-20-3 within the division (4th in\nPatrick), 23-14-5 at home. They finished 17th overall, will draft 10th in\nnext years entry draft (Quebec had the 1st rounder, though). They scored as\nmany goals as they allowed, 319.\n\nThe 8 straight wins is the most since they won 13 in a row in 1985.\n\nI will be sending out final stats as soon as I get the issue of the Hockey\nNews that contains them, since there are no more games for me to go to I have\nno other way of getting them.\n\nI hope you've all enjoyed this years hockey season as much as I have. Knowing\nthe future that we have coming to us made missing the playoffs one more time\nalmost bearable.\n\nFLYERS team record watch:\n\nEric Lindros:\n\n41 goals, 34 assists, 75 points\n\n(rookie records)\nclub record goals:\t\t\tclub record points:\nEric Lindros\t40 1992-93\t\tDave Poulin\t76 1983-84\nBrian Propp\t34 1979-80\t\tBrian Propp\t75 1979-80\nRon Flockhart\t33 1981-82\t\tEric Lindros\t75 1992-93\nDave Poulin\t31 1983-84\t\tRon Flockhart\t72 1981-82\nBill Barber\t30 1972-73\t\tPelle Eklund\t66 1985-86\n\nMark Recchi:\n\n53 goals, 70 assists, 123 points.\n\nclub record goals:\t\t\tclub record points:\nReggie Leach\t61 1975-76\t\tMark Recchi\t123 1992-93*\nTim Kerr\t58 1985-86,86-87\tBobby Clarke\t119 1975-76\nTim Kerr\t54 1983-84,84-85\tBobby Clarke\t116 1974-75\nMark Recchi\t53 1992-93*\t\tBill Barber\t112 1975-76\nRick Macliesh\t50 1972-73\t\tBobby Clarke\t104 1972-73\nBill Barber\t50 1975-76\t\tRick Macliesh\t100 1972-73\nReggie Leach\t50 1979-80\n\n*More than 80 games.\n\nFLYERS career years:\n\nPlayer\t\tPoints\tBest Prior Season\nMark Recchi\t123\t113 (90-91 Penguins)\nRod Brind'Amour\t86\t77 (91-92 FLYERS)\nGarry Galley\t62\t38 (84-85 Kings)\nBrent Fedyk\t59\t35 (90-91 Red Wings)\n\nThat's all for now...\n\npete clark jr - rsh FLYERS contact and mailing list owner\n\n",
 "From: nyeda@cnsvax.uwec.edu (David Nye)\nSubject: Re: Migraines and scans\nOrganization: University of Wisconsin Eau Claire\nLines: 16\n\n[reply to geb@cs.pitt.edu (Gordon Banks)]\n \n>>If you can get away without ever ordering imaging for a patient with\n>>an obviously benign headache syndrome, I'd like to hear what your magic\n>>is.\n \n>I certainly can't always avoid it (unless I want to be rude, I suppose).\n \nI made a decision a while back that I will not be bullied into getting\nstudies like a CT or MRI when I don't think they are indicated.  If the\npatient won't accept my explanation of why I think the study would be a\nwaste of time and money, I suggest a second opinion.\n \nDavid Nye (nyeda@cnsvax.uwec.edu).  Midelfort Clinic, Eau Claire WI\nThis is patently absurd; but whoever wishes to become a philosopher\nmust learn not to be frightened by absurdities. -- Bertrand Russell\n",
 "From: pmetzger@snark.shearson.com (Perry E. Metzger)\nSubject: Re: More technical details\nOrganization: Partnership for an America Free Drug\nLines: 15\n\nsrt@duke.cs.duke.edu (Stephen R. Tate) writes:\n>\n>Now, I'm not one of the people who distrusts the government at every\n>turn, but taking someone's word for it that the S1/S2 pairs are not kept\n>around is pushing what I'm willing to believe just a little bit too far.\n>\n\nEven if they somehow address this issue it is unlikely to be the only\nback door in -- they might even have a few intentionally visible to\ndistract from the ones that aren't visible.\n\n--\nPerry Metzger\t\tpmetzger@shearson.com\n--\nLaissez faire, laissez passer. Le monde va de lui meme.\n",
 "From: tarq@ihlpm.att.com\nSubject: Forsale - Steyr 9mm Parabellum\nOrganization: AT&T\nLines: 25\n\n\n\t\tFOR SALE - Steyr GB 9mm Parabellum\n\t\t----------------------------------\n\t\t\t\n\t\n\tThis is an excellent handgun for the first time buyer or\n\tan experienced handgunner. It is in excellent condition.\n\tI never had a misfire with it.\n\t\n\tMake:\t\tSteyr Model GB 9mm Parabellum\n\t\n\tMagazine:\t18 rounds\n\t\n\tBarrel:\t\tHard-chrome-plated inside and outside for\n\t\t\tlong term durability and wear resistance.\n\t\t\tFixed mount.\n\t\t\t\n\tPrice:\t\t$375, obo.\n\t\n\tComes with 2 magazines, original owner's manual.\n\t\n\tContact:\tT. Ahmad, ihlpm!tarq, (708)979-0838 (weekdays)\n\t\n\t\n\n",
 'Subject: prozac\nFrom: agilmet@eis.calstate.edu (Adriana Gilmete)\nOrganization: Calif State Univ/Electronic Information Services\nLines: 3\n\nCan anyone help me find any information on the drug Prozac?  I am writing\na report on the inventors , Eli Lilly and Co., and the product.  I need as\nmuch help as I can get.   Thanks a lot, Adriana Gilmete.\n',
 'From: hasch@jhuvms.hcf.jhu.edu (Bruce \'DoppleAckers Anonymous\' Hasch)\nSubject: Re: DAVE KINGMAN FOR THE HALL OF FAME\nOrganization: The Johns Hopkins University - HCF\nLines: 132\nDistribution: na\nNNTP-Posting-Host: jhuvms.hcf.jhu.edu\nSummary: Dave Winfield was a marginal ballplayer.  Yeah, right.\nKeywords: Hall of Fame, Winfield, Kingman, Murray, Joe Lundy, :-)\nNews-Software: VAX/VMS VNEWS 1.41    \n\nIn article <1993Apr15.093231.5148@news.yale.edu>,  (Steve Tomassi) writes...\n>     Hi, baseball fans! So what do you say? Don\'t you think he deserves it?\n>I mean, heck, if Dave Winfield (ho-hum) is seriously being considered for it,\n>as is Lee Smith (ha), then why don\'t we give Dave Kingman a chance? Or Darrell\n>Evans! Yeah, yeah! After the Hall of Fame takes in them, it can take in\n>Eddie Murray and Jeff Reardon.\n\n\tOh, yeah.  Dave Winfield--marginal player.  Guy didn\'t hit a lick, had\nnegligible power, was a crap fielder and had no staying power.  Dave Winfield,\nnow entering his (I believe) 20th big league season, is still a damn decent\nhitter.  Admittedly, his defense has slipped a great deal, but in his prime,\nhe had a powerful arm and great range.  Take a look at the stats:  I don\'t \nknow where you even BEGIN to make an argument that Winfield and Kingman are\nsimilar players.  Kingman was a one-dimension power hitter--he couldn\'t field,\nhe ran like an anvil, hit for a low average (though, if I remember right, his\nOBP wasn\'t THAT hideous...), and (for those who consider such things important)\nwas a absolute-primo-dick.  \n\tEddie Murray?  Yup, only the best 1st baseman of the 80\'s.  I know that\nMVP votes are conducted by mediots, but given that he got jobbed out of the\nMVP he deserved in 1983, it seems that he wasn\'t overrated by the media.  \n\tLee Smith?  Hmmmm... This one\'s actually pretty close.  He\'s had a s\nsolid, dependable career as a closer despite pitching in some nasty parks \n(Wrigley, Fenway...).  I\'d have to take a closer look at the stats (it\'s been \na while), but it seems Lee Arthur is of HOF caliber.  \n\tYou do make a legitimate point about the HOF credentials of relievers,\nsimply racking up a lot of saves doesn\'t mean a whole hell of a lot if you \nblow a bunch, too.  Simply because Minnesota and Boston and (for a month)\nAtlanta used Reardon as a closer for longer than he should have been one, \nthe Equalizer has racked up an impressive number of saves.  No way should \nHomerMan be in the HOF, IMHO.\n\tDarrell Evans?  Nice career, actually a bit underrated (kinda like\nTed Simmons, IMHO), but not a HOF\'er.\n\n>     Well, in any case, I am sick and tired (mostly sick) of everybody\n>giving Hall of Fame consideration to players that are by today\'s standards,\n>marginal.\n\n\tLemme ask you this.  Who the hell playing the game ISN\'T marginal?\n\n>Honestly, Ozzie Smith and Robin Yount don\'t belong there. They\'re both\n>shortstops that just hung around for a long time. Big deal.\n>Let\'s be a little more selective, huh? Stop handing out these honors so\n>liberally. Save them for the guys who really deserve it. Face it, if something\n\n\tNow, wait a goddamn minute here.  Ozzie Smith absolutely REDEFINED the\nposition of shortstop.  His defense was SO good that he\'s won something along\nthe lines of 10 Gold Gloves.  Again, Gold Gloves are mediot-biased, and a \ngood argument could be made that Larkin deserved one or two of Ozzie\'s more\nrecent awards, but usually, this is tempered by someone else in the early\n80\'s getting the Gold Gloves Ozzie deserved earlier in his career.  Ozzie\'s\noffense, you ask?  Good OBP, great speed numbers, in a park which, for most of his\ncareer, depressed offense, admittedly, no power (\'cept against Tom Niedenfuer\n:-|), but still, a definite asset offensively.\n\tYount?  3,000 hits, MVP at two different positions, uh-huh, a real\nstiff.  His \'82 was one of the great years EVER by a player in recent memory,\nand probably ranks behind only the peak seasons of Wagner and Banks, as far as\nSS numbers go.  He\'s a clear HOF\'er, IMHO.\n\n>isn\'t done, there will be little prestige in the Hall of Fame anymore. When \n>certain individuals believe that Steve Garvey or Jack Morris are potential \n>candidates, the absurdity is apparent. Gee, can these guys even compare to\n>the more likely future Hall of Famers like Kirby Puckett or Nolan Ryan?\n\n\tWell, as far as Garvey goes, you\'re right.  Garvey is a "mediot" \ncandidate, pushed because of his "winning attitude" (a minor factor, if one\nat all), and his "great defense" (no errors, admittedly, but the range of\na tree stump...).  Garvey shouldn\'t be in the HOF.\n\tSkyJack?  I\'ve said a lot of nasty things about SkyJack in the last\nyear or so, but this is mostly in response to mediots and woofers who talk\nabout Morris\' "ability to win" which is nothing more than Morris\' "ability\nto pitch when Toronto to score tons of runs".  At this point, Morris is an\naverage pitcher (although from his early returns in \'93, he may be damned \nclose to done.).  But, in all fairness, Morris was a dominant pitcher in the\n80\'s for up-and-down Tiger teams.  While 1984 was (obviously) a great year\nfor Detroit, the rest of the decade, the team was generally in contention, but\nnot favorites.  Morris\' career numbers are quite good, and worthy of HOF\n"consideration".  \n\tRyan?  Of course, but be careful.  I guarantee you that someone will\nthrow back your earlier logic about "Yount and Smith being shortstops who \nhung around a long time".  After all, Nolan never won a Cy...  Damn, he\'s \njust pitcher who hung around for 99 years...  His W-L record is mediocre...\n(Of course, Nolan\'s a HOF\'er...)\n\tPuck?  Probably, although he\'s got to play reasonably well for a few\nmore years (10 years, even good ones, aren\'t enough to make the HOF, most\nlikely).  That said, I believe Puckett WILL make the HOF, pretty much\nregardless of how the rest of his career turns out (barring something REALLY \ntragic or sudden).  He\'s very popular in the media and with fans, and\nlegitimately has been one of the best CF\'s in the game since he joined the\nleague.  I\'ve always liked the guy, and I hope he does make it.  And, in the\nend, I think the Puck will make it in.  But, really, it\'s too early to sell.\n\n\tThis debate comes up rather frequently on the net, and, believe it \nor not, I never tire of it.  It\'s an interesting subject.  Here\'s an off\nthe top of my head list of potential HOF\'ers from each team.  I probably\nleft a couple of guys off, so feel free to follow up.  I won\'t consider ANYONE\nwho started playing after about 1985 (again, too early to tell.) [Note: these\nare all active players, I\'m not counting recent retirees]\n\nBaltimore:  Cal Ripken (should be a lock by now, even if Gehrig\'s record stands)\nBoston: Roger Clemens (might be a lock already, which is amazing), Dawson (?)\nDetroit: Alan Trammell and Lou Whitaker (possibilities)\nMilwaukee: Robin Yount (discussed earlier)\nNew York: Wade Boggs (possibly), Mattingly (long shot)\nToronto: Paul Molitor and Jack Morris (possibilities)\n\nKansas City: George Brett (lock)\nMinnesota: Kirby (too early to tell), Winfield (lock)\nOakland: Eckersley (lock), McGwire (too early), Rickey (lock), Welch (LONG shot)\nTexas: The Mighty Nolan [Too early to consider Canseco or Strange :-)]\n\nCubs: Sandberg (lock)\nSt. Louis: Ozzie (lock), Lee Smith (probably)\nNew York: Murray (almost a lock), Saberhagen (obviously, he\'s got to regain\n\t\t\t\t  \t      past form)\n[And most certainly, NOT Vince Coleman, despite what he\'ll tell you :-)]\n\nLos Angeles: Butler, Strawberry, and Hershiser are all long shots.\nSan Diego: Tony Gwynn (pretty good shot)\nColorado: Dale Murphy (a good shot), Ryan Bowen (just to see if you\'re awake)\n\n\t[Before I get flames: this is an off-the-top-of-the-head list, there\'s\nprobably a few deserving candidates that I left off, and, I didn\'t include\nBarry Bonds, Will Clark, Any Atlanta Starting Pitcher, Frank Thomas, Canseco,\nMcGriff, etc. because I only considered guys who started playing before\n1985)]\n\n\tE-mail or post, I almost fear what I may have started here...\n\n-------------------------------------------------------------------------------\nBruce Hasch                hasch@jhuvms.hcf.jhu.edu        Sell the team, Eli!!\n"If a hitter is a good fastball hitter, does that mean I should throw him a \n\t\tbad fastball?"-- Larry Andersen\n',
 "From: feustel@netcom.com (David Feustel)\nSubject: Re: WACO: Clinton press conference, part 1\nOrganization: DAFCO: OS/2 Software Support & Consulting\nLines: 10\n\nI predict that the outcome of the study of what went wrong with the\nFederal Assault in Waco will result in future assaults of that type\nbeing conducted as full-scale military operations with explicit\nshoot-to-kill directives.\n-- \nDave Feustel N9MYI <feustel@netcom.com>\n\nI'm beginning to look forward to reaching the %100 allocation of taxes\nto pay for the interest on the national debt. At that point the\nfederal government will be will go out of business for lack of funds.\n",
 'From: "danny hawrysio" <danny.hawrysio@canrem.com>\nSubject: radiosity\nReply-To: "danny hawrysio" <danny.hawrysio@canrem.com>\nOrganization: Canada Remote Systems\nDistribution: comp\nLines: 9\n\n\n-> I am looking for source-code for the radiosity-method.\n\n I don\'t know what kind of machine you want it for, but the program\nRadiance comes with \'C\' source code - I don\'t have ftp access so I\ncouldn\'t tell you where to get it via that way.\n--\nCanada Remote Systems - Toronto, Ontario\n416-629-7000/629-7044\n',
 'From: miner@kuhub.cc.ukans.edu\nSubject: Re: Ancient Books\nOrganization: University of Kansas Academic Computing Services\nLines: 20\n\nIn article <Apr.11.01.02.37.1993.17787@athos.rutgers.edu>, atterlep@vela.acs.oakland.edu (Cardinal Ximenez) writes:\n\n>   I don\'t think it\'s possible to convince atheists of the validity of \n> Christianity through argument.  We have to help foster faith and an\n> understanding of God.  I could be wrong--are there any former atheists here\n> who were led to Christianity by argument?\n\nThis is an excellent question and I\'ll be anxious to see if there are\nany such cases.  I doubt it.  In the medieval period (esp. 10th-cent.\nwhen Aquinas flourished) argument was a useful tool because everyone\n"knew the rules."  Today, when you can\'t count on people knowing even\nthe basics of logic or seeing through rhetoric, a good argument is\noften indistinguishable from a poor one.\n\nSorry; just one of my perennial gripes...<:->\n\nKen\n-- \nminer@kuhub.cc.ukans.edu | Nobody can explain everything to everybody.\nopinions are my own      | G. K. Chesterton\n',
 'From: hudson@athena.cs.uga.edu (Paul Hudson Jr)\nSubject: Re: *** The list of Biblical contradictions\nOrganization: University of Georgia, Athens\nLines: 14\n\nIn article <bskendigC51CqB.K0r@netcom.com> bskendig@netcom.com (Brian Kendig) writes:\n\n>Specifically: when I bring up the fact that Genesis contains two\n>contradictory creation stories, I usually get blank stares or flat\n>denials.  I\'ve never had a fundamentalist acknowledge that there are\n>indeed two different accounts of creation.\n\nThat is because two creation stories is one of the worst examples of \na difficulty with the Bible.  "were formed" can also be translated "had been\nformed" in chapter two without any problems.  So the text does not demand\nthat there are two creation stories.  \n\nLink Hudson.\n\n',
 'From: maynard@ramsey.cs.laurentian.ca (Roger Maynard)\nSubject: Re: div. and conf. names\nOrganization: Dept. of Computer Science, Laurentian University, Sudbury, ON\nDistribution: na\nLines: 50\n\nIn <1993Apr19.191126.27651@newshub.ists.ca> dchhabra@stpl.ists.ca (Deepak Chhabra) writes:\n\n>However, that aside, the real question is whether you like the idea of\n>changing the names based on the reasons given for it (making it easier for\n>the \'casual fan\'), or whether you like the idea of unique divisional names\n>based on individuals who do deserve the honour.  IMO, the latter is a nice\n>and unique touch that differs from other sports.  In addition, I do not\n>think that changing divisional names will have an effect on the number of\n>people that are interested in hockey, so it\'s a pointless exercise anyway.\n\nThere are several problems with the way the game is being presented to the\nfans.  I feel that geographical names would enhance regional loyalties\nmore than names honouring personages.  And of course, they would not appear\nnearly as confusing to one approaching the sport for the first time.  \nAnother thing that bothers me is the points system.  Percentages, as used in\nthe other major sports are clearly more informative.  When I look at the\nNHL standings the first thing I have to do is make a quick calculation to\naccount for games in hand (which is almost always the case).  Some will\nobject to percentages, claiming perhaps, that it is an "Americanization"\nof the sport but I feel that using percentages is more informative and\nwhether it is "American" or not is irrelevant.\n \n>If the current names are inappropriate, then that is a separate issue, not \n>central to the original article.  Something to consider additionally is\n>whether or not players like Orr who \'contributed to the glory of the sport\'\n>would have been able to do so _without_ an organized professional league to\n>play in.  In this case, honouring builders of the _league_ as opposed to\n>builders of the _sport_ becomes a chicken-and-egg type question. (although\n>it was the chicken.....)\n\nEven if Orr couldn\'t have contributed without the likes of Norris, you would\nhave to agree that Norris couldn\'t have contributed without the likes of Orr.\nAnd taking a poll of most fans would quickly tell you who the fans feel made\nthe more meaningful contribution.\n\n>>Exactly true.  Naming divisions and trophies after Smythe and the bunch\n>>is the same kind of nepotism that put Stein in the hall of fame.  I have\n>>always thought that this was nonsense.\n\n>Dunno if the Stein comparison is justifiable, since it doesn\'t look as though\n>his \'unanimous acceptance\' to the Hall will hold up.\n\nIt doesn\'t look as if the division names are going to hold up either does it?\n\n\n-- \n\ncordially, as always,                      maynard@ramsey.cs.laurentian.ca \n                                           "So many morons...\nrm                                                   ...and so little time." \n',
 "From: pgf5@cunixa.cc.columbia.edu (Peter Garfiel Freeman)\nSubject: Re: Deriving Pleasure from Death\nNntp-Posting-Host: cunixa.cc.columbia.edu\nReply-To: pgf5@cunixa.cc.columbia.edu (Peter Garfiel Freeman)\nOrganization: Columbia University\nLines: 22\n\n\nWith regards to my condemnation of Marc's ridiculous attacks on the\nAmerican Department of Justice, and further attacks on Jews, to\nanyone who took offense to my calling Marc stupid, I\napologize for pointing out the obvious.  It was a waste of the\nNet's time.  I hope, though, that most American citizens have\nthe basic knowlege of the structure of American government to\nunderstand the relationship between the Justice Department\nas a part of the Executive Branch, and the Courts, which\nare of the Judicial Branch.  \nMarc's ignorance of basic civic knowlege underscores his\ninability to comprehend and interpret foreign affairs.  \n\n\nPeace,\nPete\n\n\n\n\n\n\n",
 'From: Clinton-HQ@Campaign92.Org (Clinton/Gore \'92)\nSubject: CLINTON: President Names Officials at Transp., Comm., Defen., OPIC\nOrganization: MIT Artificial Intelligence Lab\nLines: 130\nNNTP-Posting-Host: life.ai.mit.edu\n\n\n\n                         THE WHITE HOUSE\n\n\n                  Office of the Press Secretary\n\n                                                                  \nFor Immediate Release                             April 14, 1993\n\n\n\n                  PRESIDENT NAMES OFFICIALS AT \n           TRANSPORTATION, COMMERCE, DEFENSE, AND OPIC\n\n\n\n(Washington, DC)    President Clinton announced his intention \ntoday to nominate Albert Herberger to be Administrator of the \nFederal Maritime Administration, Loretta Dunn to be Assistant \nSecretary of Commerce for Import Administration, and Christopher \nFinn to be Executive Vice President of the Overseas Private \nInvestment Corporation.  \n\n     Additionally, he has approved the appointments of Joan Yim \nto be Deputy Administrator of the Federal Maritime \nAdministration, Alice Maroni to be Principal Deputy Comptroller \nof the Department of Defense, and Deborah Castelman to be Deputy \nAssistant Secretary of Defense for Command, Control, and \nCommunications.\n\n     "We are continuing to move forward with putting together a \ngovernment of excellent, diverse Americans who share my \ncommitment to changing the way that Washington works," said the \nPresident.  "These six people I am naming today fit that bill."\n\n     Biographical sketches of the nominees are attached.\n\n\n\n                               ###\n\x0c\n                BIOGRAPHICAL SKETCHES OF NOMINEES\n                          April 14, 1993\n\n\n     Albert Herberger, a thirty-five year Navy veteran who \nretired with the rank of Vice Admiral, is the Vice President of \nthe International Planning and Analysis Center (IPAC).  Among the \npositions he held during his naval service were Deputy Commander-\nin-Chief of the U.S. Transportation Command, Director of \nLogistics on Staff for the Atlantic Fleet Commander-in-Chief, and \nDirector of the Military Personnel Policy Division for the Office \nof Naval Operations.  A surface warfare expert and a merchant \nmarine officer with over eighteen years operational experience, \nHerberger is also Vice Chairman of the National Defense \nTransportation Association\'s Sealift Committee.  He is a graduate \nof the U.S. Merchant Marine Academy and the Naval Postgraduate \nSchool.\n\n     Loretta Dunn has served on the staff of the Senate Committee \non Commerce, Science, and Transportation since 1979.  Since 1983 \nshe has been the Committee\'s Senior Trade Counsel, responsible \nfor drafting trade legislation and reports, planning and \nconducting hearings, managing legislation on the Senate floor and \nin conferences with the House, overseeing a variety of executive \nbranch agencies, including the Department of Commerce.  She was \npreviously a Staff Counsel for the Committee.  Dunn holds a B.A. \nin History from the University of Kentucky, a J.D. from the \nUniversity of Kentucky College of Law, and an L.M. from the \nGeorgetown University Law Center.\n\n     Christopher Finn is the Executive Vice President of Equities \nfor the American Stock Exchange.  Previous positions he has held \nhave included Senior Vice President of the Air and Water \nTechnologies Corporation, Chief of Staff to Senator Daniel P. \nMoynihan, Deputy Commissioner of the New York State Department of \nEconomic Development, and Chief Legislative Aide to Congressman \nJames R. Jones.  Finn is a graduate of Harvard College.\n\n     Joan Yim is a professional planner with over 17 years \nexperience in community based planning, policy analysis, project \ndesign and management, inter-agency coordination and government \naffairs.  From 1975-92, she was with the Hawaii Office of State \nPlanning as a planner on issues relating to natural resource and \ncoastal zone management and public infrastructure financing, \namong other issues. Currently, she is Supervising Planner with \nthe Honolulu firm of Parsons Brinckerhogg Quade & Douglas.  \nBefore going to work for the state, she was Executive \nNeighborhood Commission Secretary for the City and County of \nHonolulu, and Chair on the Kaneohe Community Planning Committee.  \nA Democratic National committeewoman, Yim holds a B.A. from \nConnecticut College and pursued graduate studies at the \nUniversity of Hawaii.\n\n                              (more)\n\x0c\nApril 14, 1993\npage two\n\n\n     Alice Maroni is a professional staff member of the House \nArmed Services Committee specializing in defense budget issues.   \nShe previously worked as a national defense specialist in the \nForeign Affairs and National Defense Division of the \nCongressional Research Service, and as an international risk \nanalyst for Rockwell International.  She has written extensively \non defense budget related topics.  Maroni received her B.A. from \nMount Holyoke College, and an M.A. from the Fletcher School of \nLaw and Diplomacy at Tufts University.  She has also completed \nthe senior service program at the National War College and \nHarvard\'s Program for Senior Executives in National and \nInternational Security.\n\n     Deborah Castleman is currently on leave from RAND, where she \nis a Space and Defense Policy Analyst.  She was an advisor to the \nClinton/Gore campaign on space, science and technology, and \nnational security issues.  Prior to joining RAND in 1989, \nCastleman held engineering positions with the Hughes Space and \nCommunications Group, General Dynamics, and Electrac, Inc.  She \nserved as an Avionics Technician in the Air Force from 1974-77.  \nCastleman holds a B.S. in Electrical and Electronic Engineering \nfrom California State Polytechnic University, M.S. in Electrical \nEngineering from the California Institute of Technology, and M.A. \nin International Studies from Claremont Graduate School.\n\n                               ###\n\n\n\n',
 'From: donb@igor.tamri.com (Don Baldwin)\nSubject: Re: Good Neighbor Political Hypocrisy Test\nOrganization: TOSHIBA America MRI, South San Francisco, CA\nLines: 21\n\nIn article <1993Apr15.193603.14228@magnus.acs.ohio-state.edu>\nrscharfy@magnus.acs.ohio-state.edu (Ryan C Scharfy) writes:\n>>Just _TRY_ to justify the War On Drugs, I _DARE_ you!\n>\n>A friend of mine who smoke pot every day and last Tuesday took 5 hits of acid \n>is still having trouble "aiming" for the bowl when he takes a dump.  Don\'t as \n>me how, I just have seen the results.\n\nGee, the War on Drugs has been going on for all these years and they\'re\nstill getting drugs!  Imagine that...\n\nMy friends who like grass (I don;t agree but it\'s pretty harmless) are\nunable to get it, yet I know a number of places where someone stupid\nenough could get crack cocaine within a half hour of leaving my office.\n\nThe War on Drugs has been completely unsuccessful, yet it\'s lead to really\nhorrible abuses of peoples\' COnstitutional rights.  I don\'t see how a\nthinking person could justify it.\n\n   don\n\n',
 "From: issa@cwis.unomaha.edu (Issa El-Hazin)\nSubject: Re: 300ZX or SC300???\nOrganization: University of Nebraska at Omaha\nLines: 20\n\nip02@ns1.cc.lehigh.edu (Danny Phornprapha) writes:\n\n>Hi everyone,\n\n>I'm getting a car in the near future.  I've narrow it down to 300ZX and SC300.\n>Which might be a better choice?\n\n>Thanks for your opnion,\n>Danny\n>-- \n\nI've been asking myself this same question for the past year, so, if/when\nyou find out, would you please share the magistic answer with me.. \n\nThe way I see it right now, work twice as hard so you can have both.\n\ncheers :)\n\nIssa\n\n",
 'From: af664@yfn.ysu.edu (Frank DeCenso, Jr.)\nSubject: Re: *** The list of Biblical contradictions\nOrganization: Youngstown State/Youngstown Free-Net\nLines: 12\nNNTP-Posting-Host: yfn.ysu.edu\n\n\nSomeone posted a list of x number of alleged Bible contradictions.  As Joslin\nsaid, most people do value quantity over quality.  Dave Butler posted some good\nquality alleged contradictions that are taking a long time to properly exegete.\n\nIf you want a good list (quantity) - _When Critics Ask, A Popular Handbook On\nBible Difficulties_ by Dr. Norman Geisler deals with over 800 alleged contradictions.\n\nFrank\n-- \n"If one wished to contend with Him, he could not answer Him one time out\n of a thousand."  JOB 9:3\n',
 "From: 8910782@sunvax.sun.ac.za\nSubject: Rayshade query\nArticle-I.D.: sunvax.1993Apr23.104107.5742\nOrganization: University of Stellenbosch\nLines: 23\n\nHi there\n\nI am very interested in Rayshade 4.00. I have managed to make a chessboard\nfor Rayshade. Unfortunately I still have to do the knight (horse). Any ideas?\nI am also looking for a surface for the chesspieces. The board is marble.\nUnfortunately black won't work very well for the one side. Anybody with ideas\nfor nice surfaces?\n\nI would also like to use the image command of rayshade and the heightfield\ncommand. Unfortunately the manual is very vague about this, and I don't have\nCraig Kolb's email address. Anybody with ideas, because this is essential\nfor my next venture into raytracing.\n\nWhere should I post the finished chessboard?\n\nIs there anybody else using rayshade on non-Unix systems?\n\nHow fast does Unix render?\n\nThanks\n\nRayshade is the best program for people who loves graphics, but have no\nartistic talent.\n",
 'From: stimpy@dev-null.phys.psu.edu (Gregory Nagy)\nSubject: Re: Good for hockey/Bad for hockey\nArticle-I.D.: dev-null.1praf3INNj2s\nOrganization: Penn State, Null Device Department\nLines: 35\nNNTP-Posting-Host: dev-null.phys.psu.edu\n\nIn article <91548@hydra.gatech.EDU> gtd597a@prism.gatech.EDU (Hrivnak) writes:\n>>>> > >I prefer the Miami Colons myself.  Headline: FLAMES BLOW OUT COLONS, 9-1\n>>>> > Would Kevin Dineen play for the Miami Colons???\n>>>> As a Flyers fan, I resent you making Kevin Dineen the butt of your\n>>>> jokes:-)!\n>>> Aw, just take a moment to digest it and I\'m sure you\'ll see the humour...\n>>If anybody is having problems following the thread be sure to ask the\n>>origonal poster to rectify your misunderstanding.\n>\n>\tWhat about his rectum?\n\nIt\'s bad jokes like that which draws crohns, I mean groans from the crowd...\nDon\'t bother looking it up in the appendix, it\'s useless anyway.\n         \nJust one more word of advice...\n\nIf you go to a Miami game, stay away from any foods made with "natural casings"\n\n:)\n--\n\n      __-----__     _______________________\n     / _______ \\\\   /                       \\\\\n    |_// \\\\/ \\\\ \\\\_| / Hockey! Hockey! Hockey! \\\\\n    /__|O||O|__U\\\\ \\\\   Joy!    Joy!    Joy!  /\n   |/_ \\\\_/\\\\_/ _U | \\\\_______________________/\n   | | (____) | ||  //    Stimpson J Kat\n   \\\\/\\\\___/\\\\__/  // //     stimpy@dev-null.phys.psu.edu\n   (_/  _5_  ~~~| //      nagy@physci.psu.edu           \n    |   \\\\*/     |\\\\/       nagy@cs.psu.edu\n     \\\\___v_____/_/        nagy@crayola.cs.psu.edu\n      \\\\____/---//         nagy@love-shack.com\n     __|| _-----               and oh yeah...              \n    (____(____)           GGN100@psuvm.[psu.edu,bitnet]     \n     ~~~~ ~~~~\n',
 "From: baileyc@ucsu.Colorado.EDU (Christopher R. Bailey)\nSubject: How do I cause a timeout?\nSummary: how can I force a strip chart to update\nNntp-Posting-Host: ucsu.colorado.edu\nOrganization: University of Colorado, Boulder\nLines: 20\n\n\nI have a problem where an Athena strip chart widget is not calling it's\nget value function.  I am pretty sure this is happening because I am\nnot using XtAppMainLoop, but am dealing with events via sockets.  (ya ya).\n\nAnyway, I want to cause a timeout so that the strip chart widget(s) will\ncall their get value callback.  Or if someone knows another FAST way around\nthis (or any way for that matter) let me know.  I cannot (or I don't think)\ncall the XtNgetValue callback myself because I don't have the value for\nthe third parameter of the get value proc (XtPointer call_data).  \n\nIn other words, I want to force a strip chart widget to update itself.\n\nAny ideas anyone?  \n\n-- \nChristopher R. Bailey            |Internet: baileyc@dendrite.cs.colorado.edu\nUniversity of Colorado at Boulder|CompuServe: 70403,1522\n/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\\nRide Fast, Take Chances!\n",
 'From: rwag@gwl.com (Rodger Wagner)\nSubject: Running C++ EXE under Windows 3.1\nReply-To: rwag@gwl.com\nOrganization: The Great-West Life Assurance Company.\nX-Disclaimer:  The views expressed in this message are those of an\n\tindividual at The Great-West Life Assurance Company and do\n\tnot necessarily reflect those of the company.\nLines: 17\n\nPreface: I am a novice user at best to the Windows environment.\n\nI am trying to execute a MS C++ 7.0 executable program which accesses a Btrieve\ndatabase to build an ASCII file.  \n\nWhen I execute it under windows the screen goes blank and my PC locks up.  The only\nway for me to return is to reset the machine.\n\nDoes anyone have any insight on what I may have to do in order for the program to\ncorrectly under windows?  (By the way it runs fine in DOS 5.0)\n\nSystem:  Gateway 486/DX250 \n\t ATI Graphics Ultra Card 640x480\n\nAny help would be greatly appreciated.\n\nRodger  \n',
 'From: randall@informix.com (Randall Rhea)\nSubject: Re: Power, signal surges in home...\nOrganization: Informix Software, Inc.\nLines: 39\n\ngstovall@crchh67.NoSubdomain.NoDomain (Greg Stovall) writes:\n>Anyway, over the weekend, I was resting on the sofa (in between chores),\n>and noticed that I briefly picked up what sounded like ham radio traffic\n>over my stereo and television, even though both were off.  Also, all the\n>touch sensitive lights in my house start going wacko, cycling through \n>their four brightness states.\n\n>I presume that some ham operator with an illegal amplifier drove past\n>my house (I live on a busy thoroughfare); would this be a correct presumption?\n>What kind of power must he be putting out to cause the effects?  \n>The affected equipment is about 100 feet from the road...\n\nHams can legally run up to 1500 watts.  It is very unlikely, however,\nthat a ham would be running that kind of power from a car.  Ham rigs\nfor cars put out around 100 watts.  It is possible that a 100 watt\nradio would cause interference to consumer electronic 100 feet \naway.  Most TVs, stereos, and VCRs have very poor RF shielding.\nIf you experience the problem frequently, it may be \ncaused by a ham, CBer, or other radio operator in a base station\nnearby.    The interference may have been caused by a radio \ntransmitter used for other purposes, such as police, fire,\netc.  If you heard voices over your stereo, I think you are\ncorrect in assuming that the source is an RF transmitter.\n\nIf you have frequent trouble, you may want to try the RF ferrite\nchokes available at Radio Shack.  The interference is probably\nbeing picked up by your speaker wires, and those chokes can\nbe installed on the wires very easily (without cutting them).\nGood instructions are included with the chokes.\nIf that does not solve the problem, you may want to search your\nneighborhood for a radio operator.  Look for antennas on the roof\nor car.  Talk to him/her about your problem.  There are things\na radio operator can do to reduce interference.\n\n-- \n\n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\nRandall Rhea                                        Informix Software, Inc. \nProject Manager, MIS Sales/Marketing Systems    uunet!pyramid!infmx!randall\n',
 "From: bcherkas@netcom.com (Brian Cherkas)\nSubject: Re: HELP! Duo 230 problems\nOrganization: NETCOM On-line Communication Services (408 241-9760 guest)\nLines: 41\n\nchess@cats.ucsc.edu (Brian Vantuyl Chess) writes:\n\n\n>  I just got a Duo 230, and I'm having some difficulties.\n>If the machine is plugged in to the wall adapter, put to sleep,\n>unplugged from the wall, and woken up, it crashes 75% of the time.\n>(There's nothing but the original system software on the machine.)\n\n>The battery has plenty of life - I think this must be a power manager\n>problem, but I don't know what to do about it.\n\n>Also, the speaker occasionally makes a high-pitched hiss.  The noise\n>is irregular, but seems to favor sleep and restart commands.\n\nI've had my Duo 230 for a few weeks now and suffer from both\nof the above problems. I reinstalled my system software twice\nin an effort to combat the problems - thinking they were\nsystem software problems. Initially reinstalling the system\nseemed to help but not anymore. Occasionally when I try to\nwake up the Duo I get a solid screen of horizontal lines on\nthe screen - it freezes.\n\nI also get the high-pitched hiss occasionally - but only at\nstartup.\n\nI've called the apple hotline (800 SOS-APPL) three times\nalready and finally they agreed something is astray after my\nDuo's screen would go dim and the hard drive spun down by\nitselft and put itself to sleep. This problem only occured\ntwice. Apple sent me a box to ship my Duo to be looked at in\nNew York but the problem now is intermittent and I can't\nafford to be without my Duo at this time.\n\nAnyone out there with these same problems?\n\n-- \nBrian Cherkas     * *    bcherkas@netcom.com\n                   I   \nAOL/BrianC22      \\\\_/    compuserve/71251,3253\nNetcom - Online Communication Services San Jose, CA\n\n",
 'From: livesey@solntze.wpd.sgi.com (Jon Livesey)\nSubject: Re: Morality? (was Re: <Political Atheists?)\nOrganization: sgi\nLines: 47\nDistribution: world\nNNTP-Posting-Host: solntze.wpd.sgi.com\n\nIn article <1ql667INN54a@gap.caltech.edu>, keith@cco.caltech.edu (Keith Allan Schneider) writes:\n|> livesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n|> \n|> >I don\'t expect the lion to know, or not know anything of the kind.\n|> >In fact, I don\'t have any evidence that lions ever consider such \n|> >issues.\n|> >And that, of course, is why I don\'t think you can assign moral\n|> >significance to the instinctive behaviour of lions.\n|> \n|> What I\'ve been saying is that moral behavior is likely the null behavior.\n|> That is, it doesn\'t take much work to be moral, but it certainly does to\n|> be immoral (in some cases).\n\nThat\'s the craziest thing I ever heard.   Are you serious?\n\n\t"it doesn\'t take much work to be moral?"\n\n|> Also, I\'ve said that morality is a remnant of evolution.  \n\nReally?   And that\'s why people discuss morality on a daily basis?\nBecause it\'s a kind of evolutionary hangover, like your little toe?\n\n|> Our moral system is based on concepts well practiced in the animal \n|> kingdom.\n\nThis must be some novel use of the phrase "based on" with which I\nam not sufficiently familiar.    What do you mean by "based on" and \nwhat is the significance of it for your argument?\n\n|> \n|> >>So you are basically saying that you think a "moral" is an undefinable\n|> >>term, and that "moral systems" don\'t exist?  If we can\'t agree on a\n|> >>definition of these terms, then how can we hope to discuss them?\n|> >\n|> >No, it\'s perfectly clear that I am saying that I know what a moral\n|> >is in *my* system, but that I can\'t speak for other people.\n|> \n|> But, this doesn\'t get us anywhere.  Your particular beliefs are irrelevant\n|> unless you can share them or discuss them...\n\nWell, we can.   What would you like to know about my particular moral\nbeliefs?\n\nIf you raise a topic I\'ve never considered, I\'ll be quite happy to \ninvent a moral belief out of thin air.\n\njon.\n',
 'From: cdm@pmafire.inel.gov (Dale Cook)\nSubject: Re: Good Neighbor Political Hypocrisy Test\nOrganization: WINCO\nLines: 45\n\nIn article <C5L4rp.EBM@news.iastate.edu> jrbeach@iastate.edu (Jeffry R Beach) writes:\n>In article <1993Apr15.165139.6240@gordian.com> mike@gordian.com (Michael A. Thomas) writes:\n>>> I really don\'t want to waste time in\n>>> here to do battle about the legalization of drugs.  If you really want to, we\n>>> can get into it and prove just how idiotic that idea is!  \n>>\n>>  Read: I do not know what the fuck I\'m talking about, and am\n>>not eager to make a fool of myself.\n>\n>Oh, you foolish person.  I do know what the fuck I\'m talking about\n>and will gladly demonstrate for such ignorants as yourself if you\n>wish.\n>\n>The legalization of drugs will provide few if any of the benefits\n>so highly taunted by its proponents:  safer, cheaper drugs along\n>with revenues from taxes on those drugs; reduced crime and reduced\n>organized crime specifically; etc, etc\n\nAhhh, the classic Truth By Blatant Assertion technique.  Too bad it\'s\nso demonstrably false.  Take a look at Great Britain sometime for a \nnice history on drug criminalization.  The evidence there shows that\nduring periods of time when drugs (such as heroin) were illegal, crime\nwent up and people did die from bad drugs.  During times when drugs\nwere legalized, those trends were reversed.\n\n>\n>If you would like to prove how clueless you are, we can get into\n>why - again a lot of wasted posts that I don\'t think this group\n>was intended for and something easily solved by you doing a little\n>research.\n\nNow this is a great example of an ironclad proof.  Gosh, I\'m convinced.\n( :-} for the humor impaired).  First, assert something for which you\nhave no evidence, then dodge requests for proof by claiming to know\nwhat this group was intended for.  As to research, if you\'d done any\nat all, you\'d realize that there is plenty of reason to believe that\nlegalizing drugs will have many benefits to society.  There are some\nplausible arguments against it, too, but they aren\'t enough to convince\nme that criminalization of drugs is the answer.  I\'m willing to be\nconvinced I\'m wrong, but I seriously doubt the likes of you can do it.\n--------------------------------------------------------------------------\n...Dale Cook    "Any town having more churches than bars has a serious\n                   social problem." ---Edward Abbey\nThe opinions are mine only (i.e., they are NOT my employer\'s)\n--------------------------------------------------------------------------\n',
 "From: ad215@Freenet.carleton.ca (Rachel Holme)\nSubject: Re: CBC Game Choices (was LA ON CBC...)\nReply-To: ad215@Freenet.carleton.ca (Rachel Holme)\nOrganization: The National Capital Freenet\nLines: 39\n\n\nIn a previous article, 35002_2765@uwovax.uwo.ca () says:\n\n>In article <boora.735182771@sfu.ca>, boora@kits.sfu.ca (The GodFather) writes:\n>> \n>> \tCBC had a great chance for some double headers:  Toronto/Detroit\n>> and Vancouver/Winnipeg, but today they said that the East gets the Leafs\n>> and the West get the Vancouver game.  I thought that they would show them\n>> both.\n\nI'm totally p*-o'd, too!  Vancouver-Winnipeg is great west-coast hockey -\nfast-paced and loads of talent.  What I've seen so far is hardly\nentertaining, with the exception of the odd shift every now & then (of\ncourse I missed Calgary-LA & Pitts-Jersey...)\n\n>No, because the PINHEADS at CBC figure everyone here in Ontario cares\n>for the Leafs, the Maple Leafs, and nothing but the Leafs.  Half of\n>Southern Ontario is people who moved from out west, but the good folks\n>in Toronto couldn't care less.  They should show the doubleheader\n>(heck the second game would have two Canadian teams!), and let those\n>desperate for news watch The National on Newsworld, but they don't.\n>Why? Because Canada ends at Windsor, don'cha know!   Grrrrr.\n\nAmen...\n\n>Now I have to get updates every 30 mins. on CNN Headline News, for\n>crying out loud...\n\nThat's cheaper than what I do - PHONE CALLS.  (There must be a better\nsystem - one ring, Adams to Linden, he SCORES; two rings Bure rushes up\nthe ice, he SCORES, etc etc :-))\n\n-- \nad215@freenet.carleton.ca (Rachel Holme)]\n",
 "From: prb@access.digex.com (Pat)\nSubject: Re: Command Loss Timer (Re: Galileo Update - 04/22/93)\nOrganization: Express Access Online Communications USA\nLines: 20\nNNTP-Posting-Host: access.digex.net\nKeywords: Galileo, JPL\n\n\n\nINteresting question about Galileo.\n\nGalileo's HGA  is stuck.   \n\nThe HGA was left closed,  because galileo  had a venus flyby.\n\nIf the HGA were pointed att he sun,  near venus,  it would\ncook the foci elements.\n\nquestion:  WHy couldn't Galileo's  course manuevers have been\ndesigned such that the HGA  did not ever do a sun point.?\n\nAfter all,  it would normally be aimed at earth anyway?\n\nor would it be that an emergency situation i.e. spacecraft safing\nand seek might have caused an HGA sun point?\n\npat\n",
 "From: slegge@kean.ucs.mun.ca\nSubject: Re: NHL Team Captains\nLines: 12\nOrganization: Memorial University. St.John's Nfld, Canada\n\nNJ> : >And, while we are on the subject, has a captain ever been \ntraded,  \nNJ> : >resigned, or been striped of his title during the season? Any \nother \nNJ> : >team captain trivia would be appreciated.    \n \nMike Foligno was captain of the Buffalo Sabres when he was traded to\nToronto.\n \nStephen Legge\nSLEGGE@kean.ucs.mun.ca\n\\\\\n",
 "From: house@helios.usq.EDU.AU (ron house)\nSubject: Re: some thoughts.\nKeywords: Dan Bissell\nOrganization: University of Southern Queensland\nLines: 42\n\nbissda@saturn.wwc.edu (DAN LAWRENCE BISSELL) writes:\n\n>\tFirst I want to start right out and say that I'm a Christian.  It \n\nI _know_ I shouldn't get involved, but...   :-)\n\n[bit deleted]\n\n>\tThe book says that Jesus was either a liar, or he was crazy ( a \n>modern day Koresh) or he was actually who he said he was.\n>\tSome reasons why he wouldn't be a liar are as follows.  Who would \n>die for a lie?  Wouldn't people be able to tell if he was a liar?  People \n>gathered around him and kept doing it, many gathered from hearing or seeing \n>someone who was or had been healed.  Call me a fool, but I believe he did \n>heal people.  \n>\tNiether was he a lunatic.  Would more than an entire nation be drawn \n>to someone who was crazy.  Very doubtful, in fact rediculous.  For example \n>anyone who is drawn to David Koresh is obviously a fool, logical people see \n>this right away.\n>\tTherefore since he wasn't a liar or a lunatic, he must have been the \n>real thing.  \n\nRighto, DAN, try this one with your Cornflakes...\n\nThe book says that Muhammad was either a liar, or he was crazy ( a \nmodern day Mad Mahdi) or he was actually who he said he was.\nSome reasons why he wouldn't be a liar are as follows.  Who would \ndie for a lie?  Wouldn't people be able to tell if he was a liar?  People \ngathered around him and kept doing it, many gathered from hearing or seeing \nhow his son-in-law made the sun stand still.  Call me a fool, but I believe \nhe did make the sun stand still.  \nNiether was he a lunatic.  Would more than an entire nation be drawn \nto someone who was crazy.  Very doubtful, in fact rediculous.  For example \nanyone who is drawn to the Mad Mahdi is obviously a fool, logical people see \nthis right away.\nTherefore since he wasn't a liar or a lunatic, he must have been the \nreal thing.  \n\n--\n\nRon House.                 USQ\n(house@helios.usq.edu.au)  Toowoomba, Australia.\n",
 'From: djf@cck.coventry.ac.uk (Marvin Batty)\nSubject: Re: Vandalizing the sky.\nNntp-Posting-Host: cc_sysk\nOrganization: Starfleet, Coventry, UK\nLines: 30\n\nIn article <C5t05K.DB6@research.canon.oz.au> enzo@research.canon.oz.au (Enzo Liguori) writes:\n>From the article "What\'s New" Apr-16-93 in sci.physics.research:\n>\n>........\n>WHAT\'S NEW (in my opinion), Friday, 16 April 1993  Washington, DC\n>\n>1. SPACE BILLBOARDS! IS THIS ONE THE "SPINOFFS" WE WERE PROMISED?\n>In 1950, science fiction writer Robert Heinlein published "The\n>Man Who Sold the Moon," which involved a dispute over the sale of\n>rights to the Moon for use as billboard. NASA has taken the firsteps toward this\n> hideous vision of the future.  Observers were\n>startled this spring when a NASA launch vehicle arrived at the\n>pad with "SCHWARZENEGGER" painted in huge block letters on the\n>side of the booster rockets. \n\nThings could be worse. A lot worse! In the mid-eighties the\nteen/adult sci-fi comic 2000AD (Fleetway) produced a short story\nfeaturing the award winning character "Judge Dredd". The story\nfocussed on an advertising agency of the future who use high powered\nmulti-coloured lasers/search lights pointed at the moon to paint\nimages on the moon. Needless to say, this use hacked off a load of lovers,\nromantics and werewolfs/crazies. The ad guys got chopped, the service\ndiscontinued. A cautionary tale indeed!\n\nMarvin Batty.\n-- \n****************************************************************************  \n                  Marvin Batty - djf@uk.ac.cov.cck\n"And they shall not find those things, with a sort of rafia like base,\nthat their fathers put there just the night before. At about 8 O\'clock!"\n',
 "From: walsteyn@fys.ruu.nl (Fred Walsteijn)\nSubject: built-in video problems on Mac IIsi !!??!!\nOrganization: Physics Department, University of Utrecht, The Netherlands\nLines: 30\n\nDear Mac-friends,\n\nI've seen the following problem om three Mac IIsi machines\nall with 17 Mb RAM installed (70 or 80 ns SIMMs).\n\nIf the contents of a window are being calculated and updated\na lot of strange horizontal lines are temporarily generated\non the screen.  The lines translate to the top of the screen and\nhave a slightly lower brightness than their surroundings (they\nare a few millimeters apart).\nI admit that they are vague, but they can still be distinguished clearly,\nespecially if the environment (i.e. the rest of the room) is a bit dark.\nApplications which produce this effect are:\n- the previewer of DirectTeX 1.2 (i.e. DVIReader 1.2)\n- Kaleidagraph 2.1.1/FPU\n\nThe machines use their built-in video and drive the old \nApple Hires Monochrome screen (two monitors/cable sets tried).  \nThe effect is independent of the settings in the following control \npanels: Memory (adressing mode, disk cache) \n        and Monitors (nr of greys/colors).\n\nHave you ever seen this effect too ?   Is there a solution ?\n\nThanks,\nFred\n-----------------------------------------------------------------------------\nFred Walsteijn                                | Internet: walsteyn@fys.ruu.nl\nInstitute for Marine and Atmospheric Research | FAX:      31-30-543163\nUtrecht University, The Netherlands           | Phone:    31-30-533169\n",
 'Subject: Re: Albert Sabin\nFrom: rfox@charlie.usd.edu (Rich Fox, Univ of South Dakota)\nReply-To: rfox@charlie.usd.edu\nOrganization: The University of South Dakota Computer Science Dept.\nNntp-Posting-Host: charlie\nLines: 91\n\nIn article <1993Apr15.012537.26867@nntpd2.cxo.dec.com>, sharpe@nmesis.enet.dec.com (System PRIVILEGED Account) writes:\n>\n>In article <C5FtJt.885@sunfish.usd.edu>, rfox@charlie.usd.edu (Rich Fox, Univ of South Dakota) writes:\n>|>\n>|>In article <1993Apr10.213547.17644@rambo.atlanta.dg.com>, wpr@atlanta.dg.com (Bill Rawlins) writes:\n>|>\n>|>[earlier dialogue deleted]\n>|>\n>|>>|> Perhaps you should read it and stop advancing the Bible as evidence relating \n>|>>|> to questions of science.  \n>|>\n>|>[it = _Did Jesus exist?_ by G. A. Wells]\n>|>\n>|>>     There is a great fallacy in your statement. The question of origins is\n>|>>     based on more than science alone.  \n>|>\n>|>Nope, no fallacy.  Yep, science is best in determining how; religions handle\n>|>why and who.\n>|>\n>\n>Rich, I am curious as to why you and others award custody of the baby to\n>theists and religion?\n\nI hope I didn\'t award custody, Rich.  I purposely used "handle" in order to \navoid doing so - i.e., that happens to be what religions do (of course there are\naberrations like "scientific" creationism).  I used "best" in part to indicate \nthat science currently has a time of it with why and who, so these domains are\nmostly ignored.  I also attempted to be brief, which no doubt confused the\nmatter.  As an aside, for science I should have written "how and when".  Nobody\nseems to argue over what.\n\n>Are they [theists, theologians] any better equiped to investigate the "who and \n>why" than magicians, astrologers, housewives [not being sexists], athiests or \n>agnostics.\n\nSeems to me that the answer would vary from individual to individual.  I\'m not\ntrying to be evasive on this, but from a societal perspective, religion works.\nOn the other hand, sometimes it is abused and misused, and many suffer, which\nyou know.  But the net result seems positive, this from the anthropological\nperspective on human affairs.  You might call me a neo-Fruedian insofar as I \nthink the masses can\'t get along without religion.  Not that generally they are \nincapable; they just don\'t, and for myriad reasons, but the main one seems to \nbe the promise of immortality.  Very seductive, that immortality.  Therefore \nit seems that theologians are better equipped than the others you mention for \ndispensing answers to "who and why".  I suggest that this holds regardless of \nthe "truth" in their answers to who and why simply because people believe.  \nIn the end, spiritual beliefs are just as "real" as scientific facts and \nexplanation (CAUTION TO SOME: DO NOT TAKE THIS OUT OF CONTEXT).  \n\n>Do you suggest that the "who and why" will forever be closed to scientific \n>investigation?\n\nNo.  In fact, I don\'t think it is closed now, at least for some individuals. \nIsn\'t there a group of theoretical physicists who argue that matter was \ncreated from nothing in a Big Bang singularity?  This approach might \npresuppose an absence of who and why, except that it seems it could be argued \nthat something had to be responsible for nothing?  Maybe that something doesn\'t\nhave to be supernatural, maybe just mechanistic.  But that\'s a tough one for\npeople today to grasp.  In any case, theory without empirical data is not \nexplanation, but then your question does not require data.  In other words, \nI agree that theorizing (within scientific parameters) is just as scientific \nas explaining.  So the answer is, who and why are not closed to scientists, but \nI sense that science in these realms is currently very inadequate.  Data will \nbe necessary for improvement, and that seems a long way off, if ever.  Pretty \nconvoluted here; I hope I\'ve made sense.  \n\n>It seems to me that 200 or so years ago, the question of the origin of life on\n>earth was not considered open to scientific enquiry.\n\nI agree generally.  But I prefer to put it this way - the *questions* of how, \nwhen, who and why were not open to inquiry.  During the Enlightenment, \nreason was reponsible for questioning the theological answers to how and when, \nand not, for the most part, who and why.  Science was thus born out of the \nnaturalists\' curiosity, eventually carting away the how and when while largely \nleaving behind the who and why.  The ignorant, the selfish, the intolerant, and\nthe arrogant, of course, still claim authority in all four domains.\n\n>|>Rich Fox, Anthro, Usouthdakota\n\n>Did like your discussion around AMHs, and I did figure out what AMH was from\n>your original post :-)\n\nMuch obliged.  Funny how facts tend to muddle things, isn\'t it?  Well, I am\nsure there are plenty of "scientific" creationist "rebuttals" out there \nsomewhere, even if they have to be created from nothing.\n\n[just for the record, again, AMH = anatomically modern humans] \n\nBest regards :-),\n\nRich Fox, Anthro, Usouthdakota\n',
 "From: marka@hcx1.ssd.csd.harris.com (Mark Ashley)\nSubject: Re: IDE vs SCSI\nOrganization: Ft. Lauderdale, FL\nLines: 17\nNNTP-Posting-Host: hcx1.ssd.csd.harris.com\n\n>: >>I almost got a hernia laughing at this one.\n>: >>If anything, SCSI (on a PC) will be obsolete-> killed off by Vesa Local\n>: >>Bus IDE.  It must be real nice to get shafted by $20-$100 bucks for the\n>: >>extra cost of a SCSI drive, then pay another $200-$300 for a SCSI controller.\n\nFirst off, with all these huge software packages and files that\nthey produce, IDE may no longer be sufficient for me (510 Mb limit).\nSecond, (rumor is) Microsoft recognizes the the importance of SCSI\nand will support it soon. I'm just not sure if it's on DOS, Win, or NT.\nAt any rate, the deal is with Corel who makes (I hear) a good\ncohesive set of SCSI drivers.\n\n-- \n-------------------------------------------------------------------------\nMark Ashley                        |DISCLAIMER: My opinions. Not Harris'\nmarka@gcx1.ssd.csd.harris.com      |\nThe Lost Los Angelino              |\n",
 "From: jack@multimedia.cc.gatech.edu (Tom Rodriguez)\nSubject: composite video - what are HD and VD?\nArticle-I.D.: multimed.JACK.93Apr6032642\nOrganization: Multimedia Computing Group\nLines: 19\n\n\n\tI've got an rgb Mistubishi monitor and on the back it has 5\nBNC connectors labeled like this:\n\n    composite\n  HD          VD\n  +           +        +       +       +\n             sync     red    green    blue\n\n\tI've used it as a straight RGB monsitor but i can't figure out\nhow to use it for composite.  Could someone explain what these markings\nmean?  Thanks for any help.\n\n\ttom\n--\nTom Rodriguez  (jack@cc.gatech.edu)\nMultimedia Computing Group - GVU Lab\nGeorgia Institute of Technology\nAtlanta, Georgia 30332-0280\n",
 'Subject: Re: Shaft-drives and Wheelies\nFrom: lotto@laura.harvard.edu (Jerry Lotto)\nDistribution: rec\nOrganization: Chemistry Dept., Harvard University\nNNTP-Posting-Host: laura.harvard.edu\nIn-reply-to: xlyx@vax5.cit.cornell.edu\'s message of 19 Apr 93 21:48:42 GMT\nLines: 10\n\n>>>>> On 19 Apr 93 21:48:42 GMT, xlyx@vax5.cit.cornell.edu said:\nMike> Is it possible to do a "wheelie" on a motorcycle with shaft-drive?\n\nSure.  In fact, you can do a wheelie on a shaft-drive motorcycle\nwithout even moving.  Just don\'t try countersteering.\n\n:-)\n--\nJerry Lotto <lotto@lhasa.harvard.edu>         MSFCI, HOGSSC, BCSO, AMA, DoD #18\nChemistry Dept., Harvard Univ.  "It\'s my Harley, and I\'ll ride if I want to..."\n',
 "From: acheng@ncsa.uiuc.edu (Albert Cheng)\nSubject: Re: hard times investments was: (no subject given)\nArticle-I.D.: news.C52t8L.5CH\nOrganization: Nat'l Ctr for Supercomp App (NCSA) @ University of Illinois\nLines: 10\nOriginator: acheng@shalom.ncsa.uiuc.edu\n\n\nIn article <1938@tecsun1.tec.army.mil>, riggs@descartes.etl.army.mil (Bill Riggs) writes:\n>\tMy mother-in-law, who grew up in Germany, doesn't believe in \n>money at all. She started out as a real estate developer, and now raises\n>horses. She keeps telling me that inflation is coming back, and to lock\n>in my fixed rate mortgage as low as possible.\n\nIf time is really hard, can a bank selectively call in some mortgage\nloans early?  What if the bank folds, can its creditors call in the\nloans?\n",
 'From: rdc8@cunixf.cc.columbia.edu (Robert D Castro)\nSubject: Contact person for boots\nKeywords: combat\nNntp-Posting-Host: cunixf.cc.columbia.edu\nReply-To: rdc8@cunixf.cc.columbia.edu (Robert D Castro)\nOrganization: Columbia University\nLines: 16\n\nWould anyone out there in DoDland be able to help me out in giving me\na contact to purchase a pair of military air-borne combat boots (9 1/2\nD in size).  These boots (so I have read here on rec.moto) are calf\nheight boots that use only velcro for enclosure.  I have phoned around\nand nobody seems to carry such an item.  I admit I have not gone into\nthe deepest bowels of NYC yet for the search but I have made some\ncalls to several of the bigger army/navy type stores with no luck.\n\nAnyone out there know of a place that does carry such an item as well\nas does mail order?  Any help would be appreciated.\n\no&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>  o&o>\n    Rob Castro     | email - rdc8@cunixf.cc.columbia.edu | Live for today\n    1983 KZ550LTD  | phone - (212) 854-7617              | For today you live!\n    DoD# NYC-1     | New York, New York, USA             |        RC (tm)\n<o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o  <o&o\n',
 "From: alanf@eng.tridom.com (Alan Fleming)\nSubject: Re: New to Motorcycles...\nNntp-Posting-Host: tigger.eng.tridom.com\nReply-To: alanf@eng.tridom.com (Alan Fleming)\nOrganization: AT&T Tridom, Engineering\nLines: 22\n\nIn article <1993Apr20.163315.8876@adobe.com>, cjackson@adobe.com (Curtis Jackson) writes:\n|> In article <1993Apr20.131800.16136@alw.nih.gov> gregh@niagara.dcrt.nih.gov (Gregory Humphreys) writes:\n> }1)  I only have about $1200-1300 to work with, so that would have \n> }to cover everything (bike, helmet, anything else that I'm too \n> }ignorant to know I need to buy)\n> \n> The following numbers are approximate, and will no doubt get me flamed:\n> \n> Helmet (new, but cheap)\t\t\t\t\t$100\n> Jacket (used or very cheap)\t\t\t\t$100\n> Gloves (nothing special)\t\t\t\t$ 20\n> Motorcycle Safety Foundation riding course (a must!)\t$140\n                                                         ^^^\nWow!  Courses in Georgia are much cheaper.  $85 for both.\n>\n\nThe list looks good, but I'd also add:\n  Heavy Boots (work, hiking, combat, or similar)         $45\n\nThink Peace.\n-- Alan (alanf@eng.tridom.com)\nKotBBBB (1988 GSXR1100J)  AMA# 634578  DOD# 4210  PGP key available\n",
 'From: sysmgr@king.eng.umd.edu (Doug Mohney)\nSubject: I want that Billion\nOrganization: Computer Aided Design Lab, U. of Maryland College Park\nLines: 37\nReply-To: sysmgr@king.eng.umd.edu\nNNTP-Posting-Host: queen.eng.umd.edu\n\nIn article <C5x86o.8p4@zoo.toronto.edu>, henry@zoo.toronto.edu (Henry Spencer) writes:\n>In article <1r6rn3INNn96@mojo.eng.umd.edu> sysmgr@king.eng.umd.edu writes:\n>>You\'d need to launch HLVs to send up large amounts of stuff.  Do you know \n>>of a private Titan pad? \n>\n>You\'d need to launch HLVs to send up large amounts of stuff *if* you assume\n>no new launcher development.  If you assume new launcher development, with\n>lower costs as a specific objective, then you probably don\'t want to\n>build something HLV-sized anyway.\n>\n>Nobody who is interested in launching things cheaply will buy Titans.  It\n>doesn\'t take many Titan pricetags to pay for a laser launcher or a large\n>gas gun or a development program for a Big Dumb Booster, all of which\n>would have far better cost-effectiveness.\n\nHenry, I made the assumption that he who gets there firstest with the mostest\nwins. \n\nOhhh, you want to put in FINE PRINT which says "Thou shall do wonderous R&D\nrather than use off-the-shelf hardware"? Sorry, didn\'t see that in my copy.\nMost of the Pournellesque proposals run along the lines of <some dollar\namount> reward for <some simple goal>.  \n\nYou go ahead and do your development, I\'ll buy off the shelf at higher cost (or\neven Russian; but I also assume that there\'d be some "Buy US" provos in there)\nand be camped out in the Moon while you are launching and assembling little\nitty-bitty payloads in LEO with your laser or gas gun.  And working out the\nbugs of assembly & integration in LEO. \n\nOh, hey, could I get a couple of CanadARMs tuned for the lunar environment?  I\nwanna do some teleoperated prospecting while I\'m up there...\n\n\n\n\n    Software engineering? That\'s like military intelligence, isn\'t it?\n  -- >                  SYSMGR@CADLAB.ENG.UMD.EDU                        < --\n',
 'From: wsun@jeeves.ucsd.edu (Fiberman)\nSubject: Re: Is MSG sensitivity superstition?\nKeywords: MSG, Glu\nOrganization: University of California, San Diego\nLines: 5\nNntp-Posting-Host: jeeves.ucsd.edu\n\nI have heard that epileptic patients go into seizures if they\neat anything with MSG added.  This may have something to do with\nthe excitotoxicity of neurons.\n\n-fm\n',
 'From: full_gl@pts.mot.com (Glen Fullmer)\nSubject: Needed: Plotting package that does...\nNntp-Posting-Host: dolphin\nReply-To: glen_fullmer@pts.mot.com\nOrganization: Paging and Wireless Data Group, Motorola, Inc.\nComments: Hyperbole mail buttons accepted, v3.07.\nLines: 27\n\nLooking for a graphics/CAD/or-whatever package on a X-Unix box that will\ntake a file with records like:\n\nn  a  b  p\n\nwhere n = a count  - integer \n      a = entity a - string\n      b = entity b - string\n      p = type     - string\n\nand produce a networked graph with nodes represented with boxes or circles\nand the vertices represented by lines and the width of the line determined by\nn.  There would be a different line type for each type of vertice. The boxes\nneed to be identified with the entity\'s name.  The number of entities < 1000\nand vertices < 100000.  It would be nice if the tool minimized line\ncross-overs and did a good job of layout.  ;-)\n\n  I have looked in the FAQ for comp.graphics and gnuplot without success. Any\nideas would be appreciated?\n\nThanks,\n--\nGlen Fullmer,          glen_fullmer@pts.mot.com,                  (407)364-3296\n*******************************************************************************\n*  "For a successful technology, reality must take precedence                 *\n*   over public relations, for Nature cannot be fooled." - Richard P. Feynman *\n*******************************************************************************\n',
 "From: charlie@elektro.cmhnet.org (Charlie Smith)\nSubject: Re: Bikes And Contacts\nOrganization: Why do you suspect that?\nLines: 20\n\nIn article <1993Apr12.042749.2557@news.columbia.edu> scs8@cunixb.cc.columbia.edu (Sebastian C Sears) writes:\n>In article <1993Apr12.022233.17927@linus.mitre.org> cookson@mbunix.mitre.org (Cookson) writes:\n>>In article <C5CKp9.C5D@news.cso.uiuc.edu> cs225a82@dcl-nxt19.cso.uiuc.edu (cs225 student) writes:\n>>>\n>>>I have a quick question.  I recently got a bike and drive it often, but my  \n>>>one problem is the wind messing with my contacts.  I have gas permeable  \n\n>>How about a full face helmet with the face sheild down.  Works for me.\n>\n>\tActually, this doesn't always work for me either. I have wind that\n>\tblows around inside my RF200 some, and it'll dry my eyes out / get dust\n>\tin them eventually unless I'm also wearing sunglasses inside my\n>\thelmet.\n\nI too, usually wear sunglasses inside my full face helmet to keep dirt & wind\nout of my contacts.  Mumble, mumble, mumble ...\n\n\nCharlie Smith,  DoD #0709,  doh #0000000004,  1KSPT=22.85\n\n",
 "Subject: Re: Utility for updating Win.ini and system.ini\nFrom: Stephen.Gibson@sonoma.edu <Stephen Gibson>\nDistribution: world\nOrganization: Sonoma State University\nNntp-Posting-Host: computer_ctr.sonoma.edu\nX-UserAgent: Nuntius v1.1.1d1\nLines: 32\n\n\n\nIn article <1993Apr20.220556.19652@news.uit.no> Svein Pedersen,\nsp@odin.fna.no writes:\n>Sorry, I did`nt tell exactly what I need.\n>\n>I need a utility for automatic updating (deleting, adding, changing) of\n*.ini \n>files for Windows. \n>The program should run from Dos batchfile or the program run a script\nunder Windows.\n>\n>I will use the utility for updating the win.ini (and other files) on\nmeny PC`s.  \n>\n>Do I find it on any FTP host?\n>\n> Svein\n>\n\nIf you are managing PC's on a Novell network, get the network management\ntools provided by either Sabre Software or Automated Design Systems. \nAmong the many features, you'll find utilities that can help you to\nmanage .INI files stored on users' workstations or home directories. \nThis is commercial software and well worth the money.  To date, I have\nnot found ANYTHING available via FTP that could compare.  Reply to the\naddress in my .SIG for more info.\n----------------------------------\nStephen Gibson, System Support Specialist\nSonoma State University\neMAIL:\tgibsonst@sonoma.edu\n\t\t\t\t\t\tStephen.Gibson@sonoma.edu\n",
 'From: edm@twisto.compaq.com (Ed McCreary)\nSubject: Re: YOU WILL ALL GO TO HELL!!!\nIn-Reply-To: \'s message of Fri, 16 Apr 1993 15: 50:02 EDT\nOrganization: Compaq Computer Corp\nLines: 11\n\n>>>>> On Fri, 16 Apr 1993 15:50:02 EDT, <JSN104@psuvm.psu.edu> said:\n\nJ> YOU BLASHEPHEMERS!!! YOU WILL ALL GO TO HELL FOR NOT BELIEVING IN GOD!!!!  BE\nJ> PREPARED FOR YOUR ETERNAL DAMNATION!!!\n\nHmm, I\'ve got my MST3K lunch box, my travel scrabble, and a couple of\nkegs of Bass Ale.  I\'m all set!  Let\'s go everybody! \n--\nEd McCreary                                               ,__o\nedm@twisto.compaq.com                                   _-\\\\_<, \n"If it were not for laughter, there would be no Tao."  (*)/\'(*)\n',
 'From: rlglende@netcom.com (Robert Lewis Glendenning)\nSubject: Re: Organized Lobbying for Cryptography\nOrganization: Netcom - Online Communication Services (408 241-9760 guest)\nLines: 21\n\nGenerally, an organization has influence in proportion to:\n\n\tThe narrowness of its objectives\n\tThe number of members\n\tThe strength of belief of its members\n\nThis is why the pro- and anti-abortion groups are so strong: narrow objectives,\nlots of interested members who are real passionate.\n\nFor this reason, mixing with the NRA is probably a bad idea.  It diffuses\nthe interests of both groups.  It may well diminish the Passion Index\nof the combined organization.  It is not clear it would greatly enlarge\nthe NRA.\n\nSo, I believe a new organization, which may cooperate with NRA where the\ntwo organization\'s interest coincide, is the optimum strategy.\n\nlew\n-- \nLew Glendenning\t\trlglende@netcom.com\n"Perspective is worth 80 IQ points."\tNiels Bohr (or somebody like that).\n',
 'From: urathi@net4.ICS.UCI.EDU (Unmesh Rathi)\nSubject: Motif++ and Interviews\nLines: 12\n\nHi,\n\tI am in the process of making the decision whether I should\nwrite c++ wrappers for motif myself or use Motif++ or Interviews.\nThough I have downloaded the tar files, I fail to see any\ndocumentation. I have two questions:\n\t1) If you have used these or similar c++sy toolkits what has been\nyour experience?\n\t2) Where do I find reference books /documentation for them?\n\nany and all input will be greatly appreciated.\n\n/unmesh\n',
 'From: brr1@ns1.cc.lehigh.edu (BRANT RICHARD RITTER)\nSubject: computer graphics to vcr?\nOrganization: Lehigh University\nLines: 15\n\n\n    HELP   MY FRIEND AND I HAVE A CLASS PROJECT IN WHICH WE ARE TRYING TO MAKE\n    A COMPUTER ANIMATED MOVIE OF SORTS WITH THE DISNEY ANIMATION AND WOULD\n    LIKE TO PUT WHAT WE HAVE ON A VCR IS THIS POSSIBLE?  IS IT EASY AND\n    RELATIVELY CHEAP? IF SO HOW? WE BOTH HAVE 386 IBM COMPATIBLES BUT ARE\n    RELATIVELY CLUELESS WITH COMPUTERS IF YOU COULD HELP PLEASE DO.\n\n                                THANX.\n-- \nBRANT RITTER\n-----------------------------------------------------\nmoshing--   "a cosmic cesspool of physical delight."\n                                  -A. Kiedas\n                                     RHCP\n-----------------------------------------------------\n',
 "From: dannyb@panix.com (Daniel Burstein)\nSubject: Re: What do Nuclear Site's Cooling Towers do?\nOrganization: PANIX Public Access Unix, NYC\nLines: 27\n\n<lots of pretty good stuff about how the huge towers near most nuclear\npower plants are there to cool the used steam back into near ambient\ntemperature water deleted>\n\n>>water.  As I recall the water isn't as hot (thermodynamically) in many\n>>fossil fuel plants, and of course there is less danger of radioactive\n>>contamination.\n\n>       Actually, fossil fuel plants run hotter than the usual \n>boiling-water reactor nuclear plants.  (There's a gripe in the industry\n>that nuclear power uses 1900 vintage steam technology).  So it's\n>more important in nuclear plants to get the cold end of the system\n>as cold as possible.  Hence big cooling towers.  \n\n    as a point of info, some of the early nuclear power plants in this\ncountry used the fission pile as a first stage to get the water hot, and\nthen had a second stage -fossil fuel- step to get the water (actually\nsteam) VERY HOT.\n\n   I remember seeing this at Con Edison's Indian Point #1 power plant,\nwhich is about 30 miles north of NYC, and built more or less 1958.\n\n\ndannyb@panix.com\n\n(all the usual disclaimers apply, whatever they may be)\n\n",
 'From: eshneken@ux4.cso.uiuc.edu (Edward A Shnekendorf)\nSubject: Re: Ten questions about Israel\nOrganization: University of Illinois at Urbana\nLines: 23\n\nbackon@vms.huji.ac.il writes:\n\n>In article <1483500349@igc.apc.org>, cpr@igc.apc.org (Center for Policy Research) writes:\n>>\n\n>>\n>> 4.      Is it true that in Israeli prisons there are a number of\n>> individuals which were tried in secret and for which their\n>> identities, the date of their trial and their imprisonment are\n>> state secrets ?\n\n\n>Apart from Mordechai Vanunu who had a trial behind closed doors, there was one\n>other espionage case (the nutty professor at the Nes Ziona Biological\n>Institute who was a K.G.B. mole) who was tried "in camera". I wouldn\'t exactly\n>call it a state secret. The trial was simply tried behind closed doors. I hate\n>to disappoint you but the United States has tried a number of espionage cases\n>in camera.\n\nOne of those US cases was John Pollard.\n\nEd.\n\n',
 'From: nichael@bbn.com (Nichael Cramer)\nSubject: Re: Some questions from a new Christian\nReply-To: ncramer@bbn.com\nOrganization: BBN, Interzone Office\nLines: 49\n\nOFM responds to a query about reference works:\n\n   [Aside from a commentary, you might also want to consider an\n   introduction.  These are books intended for use in undergraduate Bible\n   courses.  They give historical background, discussion of literary\n   styles, etc.  And generally they have good bibligraphies for further\n   reading.  I typically recommend Kee, Froehlich and Young\'s NT\n   introduction...\n\nTwo other Intros to consider:\n\nThe "Introduction" by Ku:mmel is a translation of a strandard NT text.\nThe references are slightly dated and the style is somewhat dense, but\nthe book contains a wealth of information.\n\nPerrin and Duling\'s Intro is also very good.  It\'s somewhat more\nmodern than Ku:mmel\'s but not quite so densely packed.  Also the\nauthors tend to go through the books of the NT in the historical order\nof composition; this gives a very useful perspective on the\ndevelopment of the NT.\n\n   ... There are also some good one-volume commentaries.  ... Probably the\n   best recommendation these days would be Harper\'s Bible Commentary.\n\nA slight dissent: I think the Harper\'s is "OK" but not great.  One\nparticular problem I have is that it tends to be pretty skimpy on\nbibliographic material.  My feeling is that it is OK for quick\nlook-ups, but not real useful for study in depth (e.g. I keep a copy\nin my office at work).\n\n   ... (I think there may be a couple of books with this title...\n\nSo far as I know there is the only one book with this exact title\n(James L Mays, general editor, Harper and ROw, 1988) although I think\nI recall a (older) series under the name "Harper Commentaries".  Also\nthere\'s a separate Harper\'s Bible Dictionary (most of my comments on\nthe HC also apply to the HBD.)\n\nMy favorite one-volume commentary is the "New Jerome Biblical\nCommentary".  The NJBC is rather Catholic in focus and somewhat biased\ntowards the NT.  (The reader can decide for her- or himself whether\nthese are pluses or minuses.)  In any case the scholarship is by and\nlarge excellent.\n\nNOTE: The NJBC is a completely reworked, updated version of the\n"Jerome Biblical Commentary", copies of which can still be found on\nsale.\n\nNichael\n',
 'From: MUNIZB%RWTMS2.decnet@rockwell.com ("RWTMS2::MUNIZB")\nSubject: Space Event in Los Angeles, CA\nX-Added: Forwarded by Space Digest\nOrganization: [via International Space University]\nOriginal-Sender: isu@VACATION.VENARI.CS.CMU.EDU\nDistribution: sci\nLines: 52\n\n   FOR IMMEDIATE RELEASE           Contact:  OASIS (310) 364-2290\n\n   15 April 1993                                Los Angeles, CA\n\n     LOCAL NATIONAL SPACE SOCIETY CHAPTERS SPONSOR TALK BY L.A.\n  ADVOCATE OF LUNAR POWER SYSTEM AS ENERGY SOURCE FOR THE WORLD\n\n   On April 21, the OASIS and Ventura County chapters of the National \nSpace Society will sponsor a talk by Lunar Power System (LPS) co-\ninventor and vice-president of the LPS Coalition, Dr. Robert D.\nWaldron.  It will be held at 7:30 p.m. at the Rockwell Science\nCenter in Thousand Oaks, CA.\n\n   Dr. Waldron is currently a Technical Specialist in Space\nMaterials Processing with the Space Systems Division of Rockwell\nInternational in Downey, California.  He is a recognized world\nauthority on lunar materials refinement.  He has written or\ncoauthored more than 15 articles or reports on nonterrestrial\nmaterials processing or utilization.  Along with Dr. David\nCriswell, Waldron invented the lunar/solar power system concept.\n\n   Momentum is building for a coalition of entrepreneurs, legal\nexperts, and Soviet and U.S. scientists and engineers to build\nthe Lunar Power System, a pollution-free, energy source with a\npotential to power the globe.\n\n   For the past three years members of the coalition, nearly half\nfrom California, have rejuvenated the commercial and scientific\nconcept of a solar power system based on the Moon.\n\n   The LPS concept entails collecting solar energy on the lunar\nsurface and beaming the power to Earth as microwaves transmitted\nthrough orbiting antennae.  A mature LPS offers an enormous\nsource of clean, sustainable power to meet the Earth\'s ever\nincreasing demand using proven, basic technology.\n\n   OASIS (Organization for the Advancement of Space\nIndustrialization) is the Greater Los Angeles chapter of the\nNational Space Society, which is an international non-profit\norganization that promotes development of the space frontier.\nThe Ventura County chapter is based in Oxnard, CA.\n\n       WHERE:  Rockwell Science Center Auditorium, 1049 Camino\n               Dos Rios, Thousand Oaks, CA.\n\n   DIRECTIONS: Ventura Freeway 101 to Thousand Oaks, exit onto\n               Lynn Road heading North (right turn from 101\n               North, Left turn from 101 South), after about 1/2\n               mile turn Left on Camino Dos Rios, after about 1/2\n               mile make First Right into Rockwell after Camino\n               Colindo, Parking at Top of Hill to the Left\n\n',
 'From: fredm@media.mit.edu (Fred G Martin)\nSubject: Re: Put ex. syquest in Centris 610?\nOrganization: MIT Media Laboratory\nLines: 54\n\nI\'ve just installed a 5.25" tape backup in my C610; lot of the issues\nare the same.  So, to answer your questions...\n\nIn article <1993Apr16.141820.1@cstp.umkc.edu> kmoffatt@cstp.umkc.edu writes:\n\n> My PLI 80M syquest drive has a wire from the\n> drive to an id# switch on the outside of the case.  Where do I connect\n> this switch??  Can the computer just "tell" with internal drives?\n\nYou probably want to hard-wire the SCSI ID with shorting jumpers.  Put\nit at a convenient number like "1".  You *could* cut a hole in the\nback of the machine to route the ID switch, but why go through the\nhassle?  You probably won\'t be needing to frequently change the ID of\nyour internal drive.\n\n>\tI noticed that the drive will lay over part of the motherboard (I\n>didn\'t look closely, but I seem to recall it laying over the ram that\'s\n>soldered onto the motherboard?  Would that cause problems?\n\nYeah, when I first installed the tape drive I was a little concerned\ntoo.  But it\'s no problem, the device is designed to fit just fine\nwith the overhang.  It shouldn\'t reach back beyond the ROM/RAM/VRAM\nSIMMs, though.\n\n>\tOne last question!  Is there anywhere to order a faceplate cover?  \n>the drive\'s front panel is smaller than the space left in the case (the\n>drive\'s panel is the same size as the spotsBM clone\'s cases).  Should I just\n>cut a hole in the plastic panel that is currently holding tmpty place?\n\nYou can special-order parts to mount the device from your local Apple\ndealer.  The relevant parts are:\n\n  922-0358  blank bezel faceplate\n  922-0850  CD-ROM carrier [i.e., generic 5.25" device mounting bracket]\n\nNote Apple\'s unfortunate choice of name for the slide-in bracket to\nmount a 5.25" device.  The service techs I talked to said, "Oh sure,\nwe stock those."  Of course they were thinking of the CD caddies to\nhold a CD disk when you stick it in the drive.\n\nAs far as I can tell, Apple does not sell a bezel faceplate already\ncut out for a standard 5.25" device.  (Why not?  They advertise\nthese machines as being able to accept any standard device in the\n5.25" bay, why not provide the faceplate?)   They do sell a cutout for\ntheir CD-ROM drive (of course), but that\'s of no use.\n\nI\'m going to hack up the extra bezel I ordered to make a cutout for my\ntape drive, which is a standard 5.25" device.\n\nGood luck with your SyQuest.\n\n\t-Fred\n\n\n',
 'From: heatonn@yankee.org (Neal Heaton)\nSubject: Sam, are you there?\nOrganization: The Johns Hopkins University - HCF\nLines: 9\nDistribution: na\nNNTP-Posting-Host: jhuvms.hcf.jhu.edu\nNews-Software: VAX/VMS VNEWS 1.41    \n\nTo Mr. Millitello -\n\n\tListen, Sammy, can you explain why Buck pitched you in relief\nyesterday?  I figure no-one would know this better than you yourself.\n\nJason A. Miller\n"some doctor guy"\n\nP.S. Tell Bam-Bam he should\'ve made good on his thread to retire :-)\n',
 "From: johnson@spectra.com (boyd johnson)\nSubject: Re: Automotive crash test, performance and maintenance stats?\nOrganization: Spectragraphics Corporation\nDistribution: usa\nLines: 23\n\n<<I wrote>\n<Is there a resource available to the consumer comparing all of the makes\n<and models of automobiles, trucks, vans, etc. for survivability in a\n<crash of different severities?\n<...\n<Also, I've found very little objective data comparing different\n<vehicles for handling, pick-up, braking, expected maintenance, etc.\n<I recall years ago Consumer Reports annual buyer's guide was much more\n<informative in those aspects than it is now.\n\nThanks to a reply from someone I looked a little further and found what\nI was looking for.  The April CR magazine has most of the above things.\nDespite recent articles here the ratings looked pretty good for\nrelative comparison purposes.  Unfortunately the crash test comparisons\ndidn't include half of the cars I'm comparing.\nAnybody know how '93 Honda Civic hatchbacks and Toyota Tercels fare in\nan accident?\n\n\n-- \n====== Boyd Johnson   nosc!spectra.com!johnson  San Diego, California ======\n\tIntermittent newsfeed at best and only to selected groups.\n\tMy opinions certainly don't match those of my employer.\n",
 'From: jerry@sheldev.shel.isc-br.com (Gerald Lanza)\nSubject: Re: \'61 Orioles Trivia\nOrganization: Olivetti North America (Shelton, CT)\nLines: 20\n\nIn article <1993Apr14.190432.1706@hpcvaac.cv.hp.com> paula@koufax.cv.hp.com (Paul Andresen) writes:\n>In article <1993Apr13.151809.1286@galileo.cc.rochester.edu>, sparky@balsa.lle.rochester.edu (Michael Mueller) writes:\n>|> Hi All,\n>|> \n>|> Does anyone know who were the 4 pitchers for the 1961 Orioles \n>|> that were referred to as the "Kiddy Corp" because they were so young?\n>\n>Steve Barber  22   18-12\n>Chuck Estrada 23   15-9\n>Jack Fisher   22   10-13\n>Milt Pappas   22   13-9\n>\n\n\tThis list brings to mind possible the worst trade since Babe for\n\tNONO NANNETTE, i.e., Milt Pappas for Frank Robinson, I think in\n\t1965 ?. Robinson proceeded to win the triple crown in 1966 and\n\tmay have beaten out Yaz in \'67 but was injured on a slide into \n\tsecond when he collided with the mighty Al Weis (Chisox). \n\n\t\t\t\t\tjerry\n',
 "From: carrd@iccgcc.decnet.ab.com\nSubject: Re: David Wells\nLines: 5\n\nHas David Wells landed with a team yet?  I'd think the Tigers with their \nanemic pitching would grab this guy pronto!\n\nDC\n\n",
 'From: mjones@watson.ibm.com (Mike Jones)\nSubject: Re: Jack Morris\nReply-To: mjones@donald.aix.kingston.ibm.com\nDisclaimer: This posting represents the poster\'s views, not necessarily those of IBM.\nNntp-Posting-Host: fenway.aix.kingston.ibm.com\nOrganization: IBM AIX/ESA Development, Kingston NY\nLines: 57\n\nmaynard@ramsey.cs.laurentian.ca (Roger Maynard) writes:\n>It sure does.  And it all depends on the definition that you use for "better".\n>Yours is based on what could have been and mine is based on what really\n>happened.\n\nWell, actually, most of ours is based on what really happened and yours is\nbased on some fantasy of how it happened. But that\'s OK, I understand you\nhave a hockey background. Stats like "plus/minus" make RBI look good.\n\n>>Is it Viola\'s fault that Boston had no offense?  Is it *because* of Morris that\n>>the Blue Jays had such a strong offense?  Don\'t tell me that Morris has this\n>>magical ability to cause the offensive players to score more runs.\n>This is the perfect example of your problem.  You are isolating Viola\'s\n>contribution from the rest of the team\'s efforts.  You can only do\n>this if you can say for sure what the team would have done without \n>Viola.  Only then can you compare.  But you cannot know how the team\n>would have done without Viola.  Your analysis is fallacious.\n\nOK, how about a straigh answer, then. Here\'s a very simele question to which\nI\'m sure a fair number of us are very interesed in the answer to. Please\nanswer yes or no, Roger:\n Can a pitcher cause the offensive players on his team to score more runs?\nAL only, please.\n\nFor anyone else following along, it is a well-known and demonstrable fact\nthat a team\'s win-loss record is closely related to the number of runs the\nteam scores and the number the team allows. It\'s not a definite,\nhard-and-fast function, but there is definitely a correlation. In fact, as a\nrule of thumb, if teams A and B both score X runs and team A allows Y runs,\nfor every 10 runs fewer than Y that team B allows, it will win another game.\nSo, for instance, if we look at the 1991 Toronto Blue Jays, we find that\nthey scored 780 runs and allowed 682, of which Morris allowed 114. All other\nthings being equal, if Frank Viola, with his 3.44 ERA had replaced Jack\nMorris for the 240.2 innings Morris threw (plausible, since Viola threw 238\nfor Boston), the "Red Jays" would have allowed about 15 fewer runs, or\nenough for 1-2 more wins. Now, that doesn\'t take into account that Viola\npitched half his innings in Fenway, which is a harder park to pitch in\n(particularly for a lefthander) than Skydome. So, um, Roger. Unless you\nreally do believe that a pitcher can somehow affect the number of runs\nhis team scores, could you enlighten us to the fallacy in this\nanalysis? Clearly, it would be foolhardy to claim that Viola would\nnecessarily have put up a 3.44 if he had been on the Jay last year, but\nthat is not the claim. We look at what the actual performances were and\nevaluate Viola\'s as better than Morris\' in the sense that "had Morris\nperformed as Viola did, his team would have been better off."\n\n>It takes an open mind to really truly understand what is happening out\n>here in the real world guys.\n\nThis is true, but not so open that your brain falls out.\n\n Mike Jones | AIX High-End Development | mjones@donald.aix.kingston.ibm.com\n\nComputer...if you don\'t open that exit hatch this moment I shall zap straight\noff to your major data banks and reprogram you with a very large ax. Got\nthat?\n\t- Zaphod Beeblebrox\n',
 'From: R_Tim_Coslet@cup.portal.com\nSubject: Re: What do Nuclear Site\'s Cooling Towers do?\nOrganization: The Portal System (TM)\nDistribution: world\nLines: 41\n\nIn article: <1qlg9o$d7q@sequoia.ccsd.uts.EDU.AU>\n\tswalker@uts.EDU.AU (-s87271077-s.walker-man-50-) wrote:\n>I really don\'t know where to post this question so I figured that\n>this board would be most appropriate.\n>I was wondering about those massive concrete cylinders that\n>are ever present at nuclear poer sites. They look like cylinders\n>that have been pinched in the middle. Does anybody know what the\n>actual purpose of those things are?. I hear that they\'re called\n>\'Cooling Towers\' but what the heck do they cool?\n\nExcept for their size, the cooling towers on nuclear power plants\nare vertually identical in construction and operation to cooling\ntowers designed and built in the 1890\'s (a hundred years ago) for\ncoal fired power plants used for lighting and early electric railways.\n\nBasicly, the cylindrical tower supports a rapid air draft when\nits air is heated by hot water and/or steam circulating thru a network\nof pipes that fill about the lower 1/3 of the tower. To assist cooling\nand the draft, water misters are added that spray cold water over the\nhot pipes. The cold water evaporates, removing the heat faster than\njust air flow from the draft would and the resulting water vapor is\nrapidly carried away by the draft. This produces the clouds frequently\nseen rising out of these towers.\n\nThat slight pinch (maybe 2/3 of the way up the tower) is there because\nit produces a very significant increase in the strength and rate of\nthe air draft produced, compared to a straight cylinder shape.\n\nThe towers are used to recondense the steam in the sealed steam\nsystem of the power plant so that it can be recirculated back to the\nboiler and used again. The wider the temperature difference across\nthe turbines used in the power plant the more effecient they are and\nby recondensing the steam in the cooling towers before sending it\nback to the boilers you maintain a very wide temperature difference\n(sometimes as high as 1000 degrees or more from first stage "hot"\nturbine to final stage "cold" turbine).\n\n                                        R. Tim Coslet\n\nUsenet: R_Tim_Coslet@cup.portal.com\n        technology, n.  domesticated natural phenomena\n',
 'From: mtf@vipunen.hut.fi (Antti Lahelma)\nSubject: Re: Atheists and Hell\nOrganization: Helsinki University of Technology, Finland\nLines: 40\n\nIn <Apr.19.05.14.08.1993.29279@athos.rutgers.edu> atterlep@vela.acs.oakland.edu (Cardinal Ximenez) writes:\n\n>  Hello,\n\n>  I have seen two common threads running through postings by atheists on the \n>newsgroup, and I think that they can be used to explain each other.  \n>Unfortunately I don\'t have direct quotes handy...\n\n>1) Atheists believe that when they die, they die forever.\n\n More correctly: when people die, they cease to exist.\n\n>2) A god who would condemn those who fail to believe in him to eternal death\n>   is unfair.\n\n>  I don\'t see what the problem is!  To Christians, Hell is, by definition, \n>eternal death--exactly what atheists are expecting when they die.\n\n The idea I\'ve gotten is that to christians, Hell is -- like Heaven --\n afterlife; i.e, you don\'t cease to exist, but are subjected to eternal \n torture (well, that\'s the orthodox idea anyway; "eternal death" if you\n prefer that). Atheists don\'t believe in any sort of afterlife.\n\n>  Literal interpreters of the Bible will have a problem with this view, since\n>the Bible talks about the fires of Hell and such.  Personally, I don\'t think\n>that people in Hell will be thrust into flame any more than I expect to Jesus\n>with a double-edged sword issuing from his mouth--I treat both these state-\n>ments as metaphorical.\n\n I think it\'s safe to say that Hell was never intended metaphorical. Certainly\n not the equivalent of ceasing to exist. Some christian concepts are indeed\n metaphors, but your idea of Hell is a 20th century interpretation. It is, of\n course, nice to see that even christianity might evolve to fit the worldview \n of modern age, but I fear the church will not accept it. Understandably, per-\n haps, because if you accept that Hell is a metaphor, then you\'re one step\n closer to turning God into a metaphor as well.\n-- \nAntti Lahelma   |\t      mtf@saha.hut.fi \t           |   GNOTHI SEAUTON \nLehtotie 3     -O-\t      stel@purkki.apu.fi          -*-  ====== ======= \n00630 HELSINKI  | <<Jumalat ovat pakanoille suosiollisia>> |    TUNNE ITSESI   \n',
 'From: wrat@unisql.UUCP (wharfie)\nSubject: Re: Too fast\nOrganization: UniSQL, Inc., Austin, Texas, USA\nLines: 22\n\nIn article <1qmcih$dhs@armory.centerline.com> jimf@centerline.com (Jim Frost) writes:\n>They light the highways in Texas?  Funny, everywhere else I\'ve been\n>they only light \'em at junctions.\n\n\tAnd armadillo crossings.\n\n>Texas is pretty much an edge-case -- you can\'t assume that everywhere\n>has roads in such good condition, such flat terrain, and such\n>wide-open spaces.  It just ain\'t so.\n\n\tWell, let\'s see, in just my own _personal_ experience there\'s\nNevada, New Mexico, Texas, Wyoming, Utah, South Dakota, Nebraska, \nMinnesota, Montana, Florida, and parts of Louisianna.\n\n\tNobody said "Let\'s go into town and drive 130 on Main St."\nAnd you couldn\'t go that fast on the graveled washboard that passes\nfor highway in some parts.  But that "only really expensive cars should\nbe driven fast" crap, is, well, crap...\n\n\t\t\t\t\t\t\t\twr\n\n\n',
 'From: mserv@mozart.cc.iup.edu (Mail Server)\nSubject: Re: phone number of wycliffe translators UK\nLines: 37\n\n>  I\'m concerned about a recent posting about WBT/SIL.  I thought they\'d\n>pretty much been denounced as a right-wing organization involved in\n>ideological manipulation and cultural interference, including Vietnam\n>and South America. A commission from Mexican Academia denounced them in\n>1979 as " a covert political and ideological institution used by the\n>U.S. govt as an instrument of control, regulation, penetration, espionage and\n>repression."\n>  My concern is that this group may be seen as acceptable and even\n>praiseworthy by readers of soc.religion.christian. It\'s important that\n>Christians don\'t immediately accept every "Christian" organization as\n>automatically above reproach.\n> \n>                                                                  mp\n\nGood heavens, you mean my good friend Wes Collins, who took his wife and two \nsmall children into the jungles of Guatemala, despite dangers from primitive \nconditions and armed guerillas, so that the indigenous people groups their \ncould have the Bible in their native languages--the young man who led Bible \nstudies in our church, who daily demonstrated and declared his deep abiding \nfaith in the Lord of Love--you mean he really was a sneaky imperialistic *SPY* \nwhose _real_ reason for going was to exploit and oppress the ignorant and \nunsuspecting masses?  Imagine my surprise!  I never would have thought it of \nhim.\n\nHow was this terrible deceit discovered?  What exactly was the "cultural \ninterference" they were caught committing?  Attempting to persuade the locals \nthat their ancestral gods were false gods, and their sacrifices (including \nhuman sacrifices in some cases) were vain?  Destroying traditional lifestyles \nby introducing steel tools, medical vaccines, and durable clothes?  Oh and by \nthe way, who did the denouncing?\n\nI am terribly shocked to hear that my friend Wes, who seemed so nice, was \nreally such a deceitful tool of the devil.  Please provide me with specific \ndocumentation on this charge.  There is some risk that I may not believe it \notherwise.\n\n- Mark\n',
 "From: aboyko@dixie.com (Andrew boyko)\nSubject: Re: Sega Genesis for sale w/Sonic 1/2\nOrganization: Dixie Communications Public Access.  The Mouth of the South.\nLines: 15\n\naboyko@dixie.com (Andrew boyko) writes:\n\n>4 month old Sega Genesis, barely used, one controller, in original\n>box, with Sonics 1 and 2.  $130 gets the whole bundle shipped to you.\n\n>Turns out they're not as addictive when they're yours.  Anyway, mail me if \n>you're interested in this marvel of modern technology.\n\nWell, I've been informed that the price on the whole thing I'm selling is now\nless than the price I'm selling it for.  That will teach me to wait that long\nbefore getting rid of electronic equipment.  Nevermind, everyone, I'm keeping\nthe thing.\n\n---\nAndrew Boyko              aboyko@dixie.com\n",
 'From: mahan@TGV.COM (Patrick L. Mahan)\nSubject: Re: need shading program example in X\nOrganization: The Internet\nLines: 35\nNNTP-Posting-Host: enterpoop.mit.edu\nTo: beck@irzr17.inf.tu-dresden.de, xpert@expo.lcs.mit.edu\n\n# \n# I think the original post was searching for existing implementations of\n# f.i. Gouroud-shading of triangles. This is fairly complex to do with plain\n# X. Simpler shading models are implemented already, f.i. in x3d (ask archie\n# where to get the latest version).\n# For Gouroud, a fast implementation will be possible utilizing some extension\n# only, either MIT-SHM to do the shade in an image and fast update the window\n# with it, or PEX/OpenGL which should be able to shade themselves. The portable\n# \'vanilla X\' way would be to shade in a normal XImage and use XPutImage(),\n# what would be good enough to do static things as f.i. fractal landscapes\n# or such stuff.\n# \n# To speak about POVRay, the X previewer that comes with the original source\n# package is not that good, especially in speed, protocol-friendlyness and\n# ICCCM compliance. Have a look on x256q, my own preview code. It is on\n# \n# 141.76.1.11:pub/gfx/ray/misc/x256q/\n# \n# The README states the points where it is better than xwindow.c from\n# POVRay 1.0\n# \n\nThe version I have is using the x256q code instead of the default X Windows\ncode.  I have it currently running on a DEC Alpha running OpenVMS AXP and\nso far have been pretty impressed.  The only "side-effect" of x256q is that\nit requires xstdcmap -best be run before it will work, annoyning but not a\nshow stopper.\n\nPatrick L. Mahan\n\n--- TGV Window Washer ------------------------------- Mahan@TGV.COM ---------\n\nWaking a person unnecessarily should not be considered  - Lazarus Long\na capital crime.  For a first offense, that is            From the Notebooks of\n\t\t\t\t\t\t\t  Lazarus Long\n',
 'From: pjaques@camborne-school-of-mines.ac.UK (Paul Jaques)\nSubject: Problem with dni and openwin 3.0\nOrganization: The Internet\nLines: 23\nTo: xpert@expo.lcs.mit.edu\n\nCan anyone help me?\n\nI am having a problem displaying images greater than 32768 bytes from a\nDecwindows program running on a Vax 6310, and displaying on a Sparc IPC\nrunning Openwindows 3.0 and dni. The program works fine with Openwindows 2.0.\n\nThe code segment which fails is given below, the program simply crashes\nout with an Xlib I/O error at the XPutImage() call.\n\n\tXImage          *ximage;\n\tximage = XCreateImage(myDisplay, DefaultVisual(myDisplay, myScreen), \n\t\t\t      ddepth, ZPixmap, 0, image,\n\t\t\t      xwid, ywid, 8, 0);\n\tXPutImage(myDisplay, myWindow, myGC,\n\t\t  ximage, 0, 0, xpos, ypos, xwid, ywid);\n\n\n-----------------------------------------------------------------------------\n| Paul Jaques                                                               |\n| Systems Engineer, Camborne School of Mines,                               |\n|                   Rosemanowes, Herniss, Penryn, Cornwall.                 |\n| E-Mail: pjaques@csm.ac.uk Tel: Stithians (0209) 860141 Fax: (0209) 861013 |\n-----------------------------------------------------------------------------\n',
 'From: Gordon_Sumerling@itd.dsto.gov.au (Gordon Sumerling)\nSubject: Re: Grayscale Printer\nOrganization: ITD/DSTO\nLines: 2\nDistribution: na\nNNTP-Posting-Host: iapmac2.dsto.gov.au\n\nHave you considered the Apple Laserwriter IIg. We use it for all our B&W\nimage printing.\n',
 "From: ab245@cleveland.Freenet.Edu (Sam Latonia)\nSubject: Re: HELP! TONIGHT! Determine this 387??-25MHz chip!\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 5\nNNTP-Posting-Host: slc10.ins.cwru.edu\n\n\nDid it ever accrue to you to just call INTEL'S 800 number and ask?\n-- \nGosh..I think I just installed a virus..It was called MS DOS6...\nDon't copy that floppy..BURN IT...I just love Windows...CRASH...\n",
 'From: db7n+@andrew.cmu.edu (D. Andrew Byler)\nSubject: Re: Revelations - BABYLON?\nOrganization: Freshman, Civil Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 38\n\nRex (REXLEX@fnal.fnal.gov) writes:\n\n>It is also of interest to note that in 1825, on the occasion of a\njubilee, Pope >Leo the 12th had a medallion cast with his own image on\none side and on >the other side, the Church of Rome symbolized as a\n"Woman, holding in >her left hand a cross, and in her right a cup with\nlegend around her, >\'Sedet super universum\',  \'The whole world is her\nseat."\n\n\tYou read more into the medal than it is worth.  The Woman is the\nChurch.  Catholics have always called our Church "Holy Mother Church"\nand our "Mother."  An example would be from St. Cyprian of Carthage, who\nwrote in 251 AD, "Can anyone have God for his Father, who does not have\nthe Church for his mother?"\n\tHence the image of the Church as a woman, holding a Cross and a Cup,\nwhich tell of the Crucifxition of Our Lord, and of the power of His\nBlood (the grail legend, but also, more significantly, it shows that\n"This is the Cup of the New Covenant in my blood, which shall be shed\nfor you and for many." (Luke 22.20), the Cup represents the New Covenant\nand holds the blood of redemption).  The fact that the woman is holding\nboth and is said to have the whole world for her seat, is that the\nCatholic Church is catholic, that is universal, and is found throughout\nthe world, and the Church shows the Crucifixtion and applies the blood\nof redemption to all mankind by this spread of hers, thorugh which the\nHoly Sacrafice of the Mass, can be said and celebrated in all the\nnations as Malachi predicted in Malachi 1.11, "From the rising of the\nsun to its setting, my name is great among the gentiles, and everywhere\nthere is sacrafice, and there is offered to my Name a clean oblation,\nfor my Name is great among the gentiles, says the Lord of hosts."  And\nso we acknowledge what St. Paul wrote "For as often as you eat this\nbread and drink this cup, you show the Lord\'s death until he comes." (1\nCorinthians 11.26)\n\n\tYou are quite right about the identification of "Babylon the Great,\nMother of all Harlots" with Rome.  I think we simply disagree as to what\ntime period of Rome the Apostle John is talking about.\n\nAndy Byler\n',
 "From: N020BA@tamvm1.tamu.edu\nSubject: Re: Help! Need 3-D graphics code/package for DOS!!!\nOrganization: Texas A&M University\nLines: 32\nNNTP-Posting-Host: tamvm1.tamu.edu\n\nIn article <1993Apr19.101747.22169@ugle.unit.no>\nrazor@swix.nvg.unit.no (Runar Jordahl) writes:\n>\n>N020BA@tamvm1.tamu.edu wrote:\n>:     Help!! I need code/package/whatever to take 3-D data and turn it into\n>: a wireframe surface with hidden lines removed. I'm using a DOS machine, and\n>: the code can be in ANSI C or C++, ANSI Fortran or Basic. The data I'm using\n>: forms a rectangular grid.\n>: is a general interest question.\n>:    Thank you!!!!!!\n \n      I'm afraid your reply didn't get thru. I do appreciate you trying to\nreply, however. Please try again.\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n",
 'From: jaeger@buphy.bu.edu (Gregg Jaeger)\nSubject: Re: The Inimitable Rushdie\nOrganization: Boston University Physics Department\nLines: 35\n\nIn article <1993Apr15.135650.28926@st-andrews.ac.uk> nrp@st-andrews.ac.uk (Norman R. Paterson) writes:\n\n>I don\'t think you\'re right about Germany.  My daughter was born there and\n>I don\'t think she has any German rights eg to vote or live there (beyond the\n>rights of all EC citizens).  She is a British citizen by virtue of\n>her parentage, but that\'s not "full" citizenship.  For example, I don\'t think\n>her children could be British by virtue of her in the same way.\n\nI am fairly sure that she could obtain citizenship by making an\napplication for it. It might require immigration to Germany, but\nI am almost certain that once applied for citizenship is inevitable\nin this case.\n\n>More interesting is your sentence, \n\n>>In fact, many people try to come to the US to have their children\n>>born here so that they will have some human rights.\n\n>How does the US compare to an Islamic country in this respect?  Do people\n>go to Iran so their children will have some human rights?  Would you?\n\nMore interesting only for your propaganda purposes. I have said several\ntimes now that I don\'t consider Iran particularly exemplary as a good\nIslamic state. We might talk about the rights of people in "capitalist\nsecular" third world countries to give other examples of the lack of\nrights in third world countries broadly. Say, for example, Central\nAmerican secular capitalist countries whose govt\'s the US supports\nbut who Amnesty International has pointed out are human rights vacua.\n\n\nGregg\n\n\n\n\n',
 "From: leo@cae.wisc.edu (Leo Lim)\nSubject: FAST DOS'VGA and 1024x768x256 windows video card info needed.\nOrganization: College of Engineering, Univ. of Wisconsin--Madison\nLines: 24\n\nok, i have a 486dx50(ISA) w/ Diamond Stealth VRAM 1MB.\nI was really satisfied w/ its performance in windows.\nbut now more and more games needs higher frame rates in DOS' VGA,\nespecially this new Strike Commander. ;-)\nthis stealth vram can only give me 17.5 fps. ;-( (i use 3dbench).\nmy winmark was 6.35 million, i think.\n\nso right now i'm considering to replace it w/ a new card, which hopefully\ncan perform approx same w/ my current VRAM in windows and also\ncan perform DOS' VGA preferably >30fps.\n\ni also saw the 3dbench benchmark list from someone who compiled it\nin csipg and it looked that SpeedStar 24X and Orchid Prodesigner 2d-s\nware the fastest for non local bus motherboard.\nboth can give >30fps in DOS' VGA w/ 486dx2/66.\nDoes anyone have a winmarks for both of those cards above with the processor\ntype ? which one is the worthiest(not necessarily fastest)?\nany other card recommendation is welcomed too.\n\nalso, if possible, where can i get 'this' card for the cheapest? ;-)\n\nthanks in advance, folks!\n\n===Martin\n",
 'From: Shane Cheney Wang <sw3n+@andrew.cmu.edu>\nSubject: conner 120mb problem\nOrganization: Freshman, Electrical and Computer Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 14\nNNTP-Posting-Host: po5.andrew.cmu.edu\n\n\nHI,\n    Recently, when I run the Norton Disk surface test, I realize a slow\ndown in harddisk accessing.  At begining of the test, the harddisk will\nbe checked at the speed that usually is.  As the surface test scaned\nhalf way through my harddisk, a tremendous slow down occured.  The\nexpected time for operation will jump from 3 to 6 minutes.  I try to use\nsome of the harddisk tools to check if there is any physical damage to\nmy harddisk and report always turn out to be none.  The surface test\nonly slow down for a certain section of the disk and turn back to the\noriginal speed after it gets over the section.  I am wondering whether\nit is a harddisk problem or some other problems. Anyway help or comment\nwill be appriciate....\n                                                 Shane Cheney Wang\n',
 'From: jlevine@rd.hydro.on.ca (Jody Levine)\nSubject: Re: Ok, So I was a little hasty...\nOrganization: Ontario Hydro - Research Division\nLines: 17\n\nIn article <speedy.155@engr.latech.edu> speedy@engr.latech.edu (Speedy Mercer) writes:\n>In article <jnmoyne-190493111630@moustic.lbl.gov> jnmoyne@lbl.gov (Jean-Noel Moyne) writes:\n>>       Ok, hold on a second and clarify something for me:\n>\n>>       What does "DWI" stand for ? I thought it was "DUI" for Driving Under\n>>Influence, so here what does W stand for ?\n>\n>Driving While Intoxicated.\n>\n>This was changed here in Louisiana when a girl went to court and won her \n>case by claiming to be stoned on pot, NOT intoxicated on liquor!\n\nHere it\'s driving while impaired. That about covers everything.\n\nI\'ve        bike                      like       | Jody Levine  DoD #275 kV\n     got a       you can        if you      -PF  | Jody.P.Levine@hydro.on.ca\n                         ride it                 | Toronto, Ontario, Canada\n',
 "From: hagenjd@wfu.edu (Jeff Hagen)\nSubject: Re: Will Italy be the Next Domino to Fall?\nOrganization: Wake Forest University\nLines: 51\nNNTP-Posting-Host: ac.wfunet.wfu.edu\n\n(NOTE: cross-posted to alt.politics.italy and talk.politics.misc\n This is a reply to an article by Ed Ipser which also appeared in\n alt.politics.usa.misc and alt.politics.libertarian, but no longer belongs)\n\n\nI hate to defend Ed (the article was very poorly written) but here goes:\n\nhallam@dscomsa.desy.de (Phill Hallam-Baker) writes:\n>Ed should take a look at the budget deficit Regan and Bush created together\n>before he starts to make claims about europe collapsing based on the budget\n>deficits here. None of them are serious on the USA scale.\n\nItaly's per-capita debt is much higher than USA's.\n\n\n>We do not want our countries to be run by a narrow elite of rich lawyers\n>for the benefit of the super wealthy.\n\nThis is *exactly* what the public in France & Italy perceive to be the\nproblem-- thus the French election and Italian pulizia.\n\n\nRegarding the post-pulizia Italy:\n>What looks likely to happen is the fringe parties are going to do much\n>better in the next election. Most of the parliamentary deputies are going\n>to get replaced and the parties are going to be forced to look to people\n>who are free of any hint of corruption. Look out for a parliament of\n>Pavarotti's and porn stars.\n\nWrong.  This is true perhaps only for the Lega Nord.\nThe referendum Sunday is expected to establish a British/American style\nfirst-past-the-post system in the Senate.  If implemented, it would\nencourage a two- (or perhaps three-) party system in Italy.\nMost likely the DC and PSI will not be these parties; rather there will\nbe a shakeup of the entire party structure from which 2 new parties\nwill emerge to dominate.  Will Lega Nord be one of these?  Who knows.\n\n(The Camera dei Deputati (lower house) will likely remain with\nProportional Representation for a while, but there is talk of switching a\nportion of that house, too. Maybe as much as 40% first-past-the-post)\n\nOverall, the electoral reform in Italy is a welcome change.  Italians\nare tired of having crappy government.  Porn stars, Pavarotti's and\nHunters & Fishers won't gain seats because PR is dead.  A good two-party\nsystem will bring Italy efficient, accountable government.\n\nIt's about time.\n\nJeff Hagen\nhagenjd@ac.wfu.edu\n\n",
 'From: lhenso@unf6.cis.unf.edu (Larry Henson)\nSubject: IBM link to Imagewriter -- HELP!! \nOrganization: University of North Florida, Jacksonville\nLines: 10\n\n\tHello, I am trying to hook an Apple Imagewriter to my IBM Clone.\nI seem to have a problem configuring my lpt port to accept this.  How can\nyou adjust baud, parity, etc. to fit the system?  I tried MODE, but it did\nnot work.  If anyone can help, post of e-mail.  Thanx.\n\n-- \n\t"Abort, Retry, FORMAT?!?!?\n\tDoctor, give me the chainsaw...\n\tTrust me! I\'m a scientist!"\n\t\t\t\tLarry Henson\n',
 "From: jkjec@westminster.ac.uk (Shazad Barlas)\nSubject: Re: Improvements in Automatic Transmissions\nOrganization: University of Westminster\nLines: 5\n\nI just wanted to know:\n\nTo wheelspin in an auto, you keep the gear in N - gas it - then stick the \ngear in D... I've never tried this but am sure it works - but does this screw \nup the autobox? We're having a bit of a debate about it here...\n",
 "From: jamull01@starbase.spd.louisville.edu (Joseph A. Muller)\nSubject: JFK autograph for sale (serious inquiries only)\nNntp-Posting-Host: starbase.spd.louisville.edu\nOrganization: University of Louisville\nLines: 12\n\n\n   After hearing about the McGovern House story on Paul Harvey I never had any\nidea how much it was worth.  The autograph is on a Senate Pass card\nand is signed 'John Kennedy.'  I don't remember if it was signed \n'Senator John Kennedy' or whether or not it was dated, because I haven't\nlooked at it in quite a while.  Currently it is in a safety deposit box.\nI would rather sell to a private collector rather then go through an auction\nhouse such as Christy's since that would tend to take away from the profit. \nIf you (or any collector you may know) has an interest in this please send\nme an e-mail expressing your interest.  I will see what I can do to make \na scanned gif of it available to prospective buyers.\n\n",
 'From: moakler@romulus.rutgers.edu (bam!)\nSubject: The Bob Dylan Baseball Abstract\nDistribution: na\nOrganization: Rutgers Univ., New Brunswick, N.J.\nLines: 42\n\n\nJust a little something I found while reading the Village Voice, which\nis not noted for its sports coverage, but occasionally the print some\ninteresting features.  This year, the predictions/team analyses for\nthe 1993 season were presented in the form of Bob Dylan lyrics.  I\ndon\'t have the article in front of me, so I\'ll only give the memorable\nones here that I remember and know the melody to.  I could dig up more\nif there is interest.\n\nYankess (to the tune of "Subterranean Homesick Blues")\n\nHowe is in the basement, mixing up the medicine.\nGeorge is on the pavement thinking \'bout the government.\nWade Boggs in a trench coat, bat out, paid off,\nSays he\'s got a bad back, wants to get it laid off.\nLook out kids, it\'s somethin\' you did.\nDon\'t know when, but it\'s Columbus again.\n\nMets (to the tune of "Like a Rolling Stone")\n\nOnce upon a time you played so fine\nyou threw away Dykstra before his prime, didn\'t you?\nPeople said "Beware Cone, he\'s bound to roam"\nBut you thought they were just kidding you.\nYou used to laugh about, \nThe Strawberry that was headin\' out.\nBut now you don\'t talk so loud,\nNow you don\'t seem so proud,\nAbout having to shop Vince Coleman for your next deal....\n\nPhillies (to the tune of "Highway 61")\n\nWell Daulton and Dykstra should have some fun,\nJust keep them off of Highway 61!\n\nGiants (to the tune of "The Ballad of Rubin \'Hurricane\' Carter")\n\nThis is the story of the Magowan,\nThe man St. Petersburg came to pan,\nFor something that he never done,\nHe\'s sit in the owner\'s box but one...\nDay he could have the Tampian of the world!\n',
 "From: don@hunan.rastek.com (Donald Owen Newbold)\nSubject: Re: ATM...  ==>  Now HPLJ 4 Pricing\nOrganization: Rastek Corporation, Huntsville, AL\nLines: 41\n\nWhile there are too many PS clones to count, some of which are quite poor,\ntrying to clone something that goes through regular modifications does require\nsome patience. Three questions come to mid real quick for something like\nthis.\n\nQ:\tWhich version of Adobe PS will we clone?\n\tAside from the level 1 and level 2 issues, Adobe has in the past released\n\tnew code that incorporates modifications/upgrades/fixes just as all other\n\tsoftware vendors do. The level 2 stuff may seem sound now, but I assure\n\tyou,changes will become more frequent as their customer list begins to\n\tdwindle in the face of competition. This allows them to shift people to\n\tmaintenance, as well as design efforts for level 3.\n\nQ:\tDo we duplicate the bugs, or do we make it work correctly?\n\tFrom the LaserWriter to the LaserJet 4 there have been bugs. (If I had\n\ta number to call at HP or Adobe, they'ld have heard from me.) Deciding\n\twhich approach to take depends on which printer you want to emulate.\n\nQ:\tDo we follow the Red Book, or do we follow someone's implementation?\n\tWithout a doubt, there are differences between the Red Book and Adobe's\n\tPS. With level 2 many issues have been refined but the Red Book does\n\tleave big, big holes in the implementation specific stuff. It would be\n\tnice it the Red Bood at least pined things down enough so that two\n\tdifferent implementations of Adobe's PS don't do the exact opposite given\n\tan identical set of conditions.\n\nQ:\tPSCRIPT.DRV?\n\tHaving done a lot of PS clone testing myself, the unfortunate side of\n\ttesting is the limited number of sources for test files. The primary\n\tsource we use is Genoa. And having characterizes their 1992 PS ATS files,\n\t(1300+ of them) over half are taken from PSCRIPT.DRV. It may not ideal,\n\tbut the ATS files are what the printer vendors use. I'm sure that Adobe\n\tuses them too, but Adobe's output is by definition correct, even if its\n\twrong.\n\nYes, there are some very poor clones. We've seen them here at Rastek (a sub\nof Genicom which has its own clone called GeniScript). Some are poor for lack\nof design, some are poor because they followed the Red Book, and some are poor\nbecause the vendors don't know what PS is.\n\nDon Newbold\t\t\t\t\t\t\t\t\tdon@rastek.com\n",
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: Re: Armenian killings in Kelbadjar ( Azerbadjan ) continues.....\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 28\n\nIn article <1993Apr5.064028.24746@kth.se> hilmi-er@dsv.su.se (Hilmi Eren) writes:\n\n>Armenian killings in Kelbadjar ( Azerbadjan ) continues, Armenian\n>attackers continues it\'s attack against Kelbadjar, Azerbadjan.\n>45,000 people have been evacuated from Kelbadjar, 15,000 are still in\n>town.\n\nThe fascist x-Soviet Armenian Government also hired mercenaries\nto slaughter Azeris this time.\n\n>The Armenian government says that the forces aren\'t from Armenia\n>but from Nagorno-Karabag. Heavy weapons and ordertaking\n>from France is the result.....Turkey\'s President, Turgut Ozal,says:\n>"If UN doesn\'t act then we may have to show our teeth before the\n> situation becomes worse.".\n\nFinally...about time...\n\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n',
 "From: LesleyD@cup.portal.com (Lesley Volta Davidow)\nSubject: Re: Zeos Computers\nOrganization: The Portal System (TM)\nDistribution: world\nLines: 11\n\nI recently purchased the then current Pkg.# 486dx-33 for $2395 (but changed\nto NEC 3FGx monitor upgrade). Buy this Pkg. #3 now - for $100 more, you now\nget a bigger HD - 340mb with @256 HD cache. 30 days ago, when I bought this\npkg., it was 245mb with @132K HD cache. This is a great deal although it is\ngenerally recommended you at least upgrade to the 15' Zeos (CTX) monitor for\n$99 more I believe.  Whether you also upgrade to the Diamond Viper video\ncard is your choice. I stayed with the Diamond Speedstar Pro. Zeos Tech\nSupport is really good - call after normal business hours to get the \nfastest access. The hardest part about buying a Zeos is the wait till it is\ndelivered - once you order you can hardly wait to get it! There are quite a\nfew good mail order houses around - lots of bang for buck with Zeos.\n",
 'From: cmk@athena.mit.edu (Charles M Kozierok)\nSubject: Re: Baseball spreads?\nOrganization: Massachusetts Institute of Technology\nLines: 9\nNNTP-Posting-Host: marinara.mit.edu\n\nIn article <1993Apr18.225909.16116@colorado.edu> davewood@bruno.cs.colorado.edu (David Rex Wood) writes:\n} How does one read the betting spreads for baseball?  They tend to be something\n} like 8-9 which means it must not be runs!\n\nthat spread means you bet $5 on the underdog to win $8, or $9 on the\nfavorite to win $5.\n\n-*-\ncharles\n',
 'From: backon@vms.huji.ac.il\nSubject: Re: Ten questions about Israel\nDistribution: world\nOrganization: The Hebrew University of Jerusalem\nLines: 134\n\nIn article <1483500349@igc.apc.org>, cpr@igc.apc.org (Center for Policy Research) writes:\n>\n> From: Center for Policy Research <cpr>\n> Subject: Ten questions about Israel\n>\n>\n> Ten questions to Israelis\n> -------------------------\n>\n> I would be thankful if any of you who live in Israel could help to\n> provide\n>  accurate answers to the following specific questions. These are\n> indeed provocative questions but they are asked time and again by\n> people around me.\n>\n> 1.      Is it true that the Israeli authorities don\'t recognize\n> Israeli nationality ? And that ID cards, which Israeli citizens\n> must carry at all times, identify people as Jews or Arabs, not as\n> Israelis ?\n\n\nAlthough the Hebrew expression LE\'UM is used, the ID card specifically states on\nthe 2nd page: EZRACHUT YISREALIT: Israeli citizen. This is true for all\nIsraeli citizens no matter what their ethnicity. In the United States most\nofficial forms have RACE (Caucasian, Black, AmerIndian, etc.).\n\n>\n> 2.      Is it true that the State of Israel has no fixed borders\n> and that Israeli governments from 1948 until today have refused to\n> state where the ultimate borders of the State of Israel should be\n> ?\n>\n\nFunny, I have a number of maps and ALL of them have fixed borders.\n\n\n\n> 3.      Is it true that Israeli stocks nuclear weapons ? If so,\n> could you provide any evidence ?\n\nProbably yes. So what ?\n\n\n\n>\n> 4.      Is it true that in Israeli prisons there are a number of\n> individuals which were tried in secret and for which their\n> identities, the date of their trial and their imprisonment are\n> state secrets ?\n\n\nApart from Mordechai Vanunu who had a trial behind closed doors, there was one\nother espionage case (the nutty professor at the Nes Ziona Biological\nInstitute who was a K.G.B. mole) who was tried "in camera". I wouldn\'t exactly\ncall it a state secret. The trial was simply tried behind closed doors. I hate\nto disappoint you but the United States has tried a number of espionage cases\nin camera.\n\n\n>\n> 5.      Is it true that Jews who reside in the occupied\n> territories are subject to different laws than non-Jews?\n>\n\nNot Jews. Israeli citizens. Jordanian law is in effect in the West Bank but the\nKNESSET passed a law that Israeli law would be binding on Israeli citizens\nresiding in the West Bank. These citizens could be Jews, Israeli Muslims, Druze,\nor Israeli Christians. It has NOTHING to do with religion.\n\n\n\n\n> 6.      Is it true that Jews who left Palestine in the war 1947/48\n> to avoid the war were automatically allowed to return, while their\n> Christian neighbors who did the same were not allowed to return ?\n\nAnyone who was registered (Jew, Muslim, Christian) could return. You might be\nconfusing this with the census taken in June 1967 on the West Bank after the\nSix Day War. In *this* instance, if the Arab was not physically present he\ncouldn\'t reside on the West Bank (e.g. if he had been visting Jordan).\n\n\n>\n> 7.      Is it true that Israel\'s Prime Minister, Y. Rabin, signed\n> an order for ethnical cleansing in 1948, as is done today in\n> Bosnia-Herzegovina ?\n>\n\nNo. Not even if you drowned him in bourbon, scotch or brandy :-)\n\n\n\n> 8.      Is it true that Israeli Arab citizens are not admitted as\n> members in kibbutzim?\n\nNot true. Although a minority, there *are* some Israeli Arabs living on\nkibbutzim. On the other hand, at my age (42) I wouldn\'t be admitted to a\nkibbutz nor could the family join me. Not that I would be so thrilled to do so\nin the first place. The kibbbutz movement places candidates under rigorous\nmembership criteria. Many Israeli Jews are not admitted.\n\n\n>\n> 9.      Is it true that Israeli law attempts to discourage\n> marriages between Jews and non-Jews ?\n\nThe religious status quo in Israel has marriage and divorce  handled by the\nreligious courts. The RABBANUT handles marriage and divorce for Jews, the\nMuslim SHAARIA  courts are for Muslims, the Christian denominations have their\nreligious courts, and the Druze have their own courts. The entire religious\nestablishment (Jewish, Muslim, Druze, Christian) wants to keep it that way.\n\n>\n> 10.     Is it true that Hotel Hilton in Tel Aviv is built on the\n> site of a muslim cemetery ?\n\nI believe it\'s adjacent to a former Muslim cemetary. From what I heard (and I\'d\nlike to get feedback from Muslins  on the net) sanctity of cemetaries is not\nheld that sancrosanct as it is held by Jews. The current Israeli Ministry of\nTrade and Industry on Agron Road in Jerusalem is housed in a former hotel that\nwas built by Arabs in the 1920\'s on the site of an Arab cemetary.\n\n\nJosh\nbackon@VMS.HUJI.AC.IL\n\n\n\n>\n\n\n> Thanks,\n>\n> Elias Davidsson Iceland email:   elias@ismennt.is\n\n',
 "From: terry.walter@outlan.ersys.edmonton.ab.ca (Terry Walter) \nSubject: LOOKING\nReply-To: terry.walter@outlan.ersys.edmonton.ab.ca (Terry Walter) \nDistribution: world\nOrganization: Outland BBS\nLines: 12\n\nLooking for a VIDEO in and OUT Video card for the IBM.  One that will\nallow you to watch TV (coax) or video IN, and will do Video out,\ndigitize pictures.  and if I am in Windows, and would like to be able to\nlook the RCA out for the card to my TV and have it display on there, as\nwell as DOS apps.\n\nI heard of these SNES and Genesis copiers, that will copy any games, are\nthose for real?\n                                                                                                                            \n----\nMessage was posted at outlan.ersys.edmonton.ab.ca\n#403-478-4010  HST and v.32bis  Try it, you'll like it!\n",
 'From: cf947@cleveland.Freenet.Edu (Chun-Hung Wan)\nSubject: Re: your opinion of the LaserWriter Select 310?\nArticle-I.D.: usenet.1prg8a$psr\nReply-To: cf947@cleveland.Freenet.Edu (Chun-Hung Wan)\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 25\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, jcav@ellis.uchicago.edu (JohnC) says:\n\n>This model is one of the two low-cost laser printers that Apple just\n>introduced.  I\'m thinking of getting one to use at home.  Have any of you\n>had any experience with this printer?   Does it have Level-2 PostScript?\n>If you\'ve bought one, are you happy with it?\n>\n>-- \n>John Cavallino                  |  EMail: jcav@midway.uchicago.edu\n>University of Chicago Hospitals |         John_Cavallino@uchfm.bsd.uchicago.edu\n>Office of Facilities Management | USMail: 5841 S. Maryland Ave, MC 0953\n>B0 f++ w c+ g++ k+ s++ e h- p   |         Chicago, IL  60637\n>\n\nFrankly, I think this model is a screwup.  It does not have PostScriptlevel\n2, only has 13 fonts, and does not even have  fine print or photograde, or\ngrayshare.  Even the 300 model has this!  I am shocked by the kind of\nfeatures you get for this printer.  I myself was hoping for some decent\nprinter to replace the Personal Laser Writers.  \n-- \nA motion picture major at the Brooks Institute of Photography, CA\nSanta Barbara and a foreign student from Kuala Lumpur, Malaysia.\n\n"The mind is the forerunner of all states."\n',
 'From: mjp@austin.ibm.com  (Michael Phelps)\nSubject: Re: Is it really apples to apples?  (Lawful vs. unlawful use of guns)\nOriginator: mjp@bwa.kgn.ibm.com\nReply-To: mjp@vnet.ibm.com (Michael J. Phelps)\nOrganization: IBM Kingston NY\nLines: 51\n\n\nIn article <1993Apr16.092618.22936@husc3.harvard.edu>,\nkim39@scws8.harvard.edu (John Kim) writes:\n|> I have been convinced of the right of AMericans to an effective \n|> self-defense, but something strikes me as odd among the\n|> pro-RKBA arguments presented here.\n|> \n|> The numbers comparing hundreds of thousands (indeed, even a\n|> million) of instances of law abiding citizens deterring\n|> criminal activity, seem valid to me.  Likewise the number\n|> of gun-caused homicides each year (about 11,000/year?).  However,\n|> it is surprising that the "Evil AntiGun Empire " (Darth Vader\n|> breathing sound effect here) never tries to compare\n|> "All legitimate gun defenses" vs. "All gun crimes."  Instead, \n|> it\'s always "All legitimate gun defenses,"  which includes\n|> cases in which the criminals are shot but not killed, and\n|> cases in which the criminal is not here, vs. just \n|> criminal gun homicides, which only includes case sin which\n|> the victim died.\n|> \n|> Why is this?  Of course, it wouldn\'t be unreasonable to say\n|> that in each crime already measured (involving guns), the\n|> consequnces are already known and it is safe to assume that\n|> a gun-based bank robbery last week will not suddenly turn\n|> into a gun-basd robbery+homicide.  Whereas in the legitimate\n|> gun defenses, one may assume that all those criminals who\n|> were deterred would have committed more crime or more\n|> serious crimes had they not been deterred.\n\nI think its an attempt to show lives_saved v lives_lost; all other\n gun related crimes don\'t result in lives_lost.  On the other hand,\n its impossible to know how many of the successful self defenses \n prevented lives from being lost.  In other words, the lives_lost\n is pretty clear [its the homicide and non negligent manslaughter\n number], while the lives saved is some percentage of the successful \n self defenses.  Clearly that percentage doesn\'t have to be real \n high to show that lives_saved > lives_lost.\n\nAs a semi-related point, check out Kleck\'s "Point Blank".  I believe\n it goes into some related areas; it also is well written and informative. \n\n|> \n|> -Case Kim\n|> \n|> kim39@husc.harvard.edu\n|> \n\n-- \nMichael Phelps, (external) mjp@vnet.ibm.com ..\n                (internal) mjp@bwa.kgn.ibm.com .. mjp at kgnvmy         \n (and last but not least a disclaimer)  These opinions are mine..       \n',
 "From: holland@CS.ColoState.EDU (douglas craig holland)\nSubject: Re: Screw the people, crypto is for hard-core hackers & spooks only\nNntp-Posting-Host: beethoven.cs.colostate.edu\nOrganization: Colorado State University, Computer Science Department\nLines: 42\n\nIn article <1r47l1INN8gq@senator-bedfellow.MIT.EDU> jfc@athena.mit.edu (John F Carr) writes:\n>\n>In most cases information you come by properly is yours to use as you wish,\n>but there are certainly exceptions.  If you write a paper which includes\n>sufficiently detailed information on how to build a nuclear weapon, it is\n>classified.  As I understand the law, nuclear weapons design is\n>_automatically_ classified even if you do the work yourself.  I believe you\n>are then not allowed to read your own paper.\n>\n\tHate to mess up your point, but it is incredibly easy to learn how\nto make a nuclear weapon.  The hard part is getting the radioactives to\nput in it.  Have you ever read Tom Clancy's _The Sum of All Fears_?  It\ndescribes in great detail how a Palestinian terrorist group constructed a\nnuclear bomb using stolen (actually found) plutonium, with some help from\nan East German nuclear physicist.  For some non fiction, read Tom Clancy's\narticle _Five Minutes Till Midnight_.  It shows how a terrorist group could\nconstruct a nuke using Neptunium, a low grade radioactive waste product\ndumped in toxic waste sites and forgotten about.  He also claims information\non constructing a nuke is easily found in any large library.  Sounds\nkind of scary, doesn't it? :-(\n\n>A less serious example: if you tell drivers about a speed trap they are\n>about to run into, you can be fined, even though you might argue that you\n>broke no law when you discovered the location of the policeman.  The charge\n>is interfering with a police officer, which is quite similar what you would\n>be doing by reverse engineering the Clipper chip.\n>\n>Don't tell me that you think this violates the Constitution -- find some\n>court cases which have struck down such laws.  Many people would not be\n>comforted by the fact that the government violated their rights when it\n>imprisoned them.\n>\n\n\tDon't know whether you could get busted for warning of a speedtrap.\n\nDoug Holland\n\n-- \n----------------------------------------------------------------------------\n|  Doug Holland                | Anyone who tries to take away my freedom  |\n|  holland@cs.colostate.edu    | of speech will have to pry it from my     |\n|  PGP key available by E-mail | cold, dead lips!!                         |\n",
 'From: wats@scicom.AlphaCDC.COM (Bruce Watson)\nSubject: Re: Why not give $1 billion to first year-long moon residents?\nOrganization: Alpha Science Computer Network, Denver, Co.\nLines: 5\n\nThe Apollo program cost something like $25 billion at a time when\nthe value of a dollar was worth more than it is now. No one would \ntake the offer.\n-- \nBruce Watson (wats@scicom.alphaCDC.COM) Bulletin 629-49 Item 6700 Extract 75,131\n',
 'From: masaoki@hpysodk.tky.hp.com (Masaoki Kobayashi)\nSubject: --- CR-ROM Drive Recommendation? ---\nOrganization: YHP Hachioji HSTD R&D, Tokyo Japan\nLines: 24\n\nHi all,\n\n  I would like to purchase CD-ROM drive. The specs I would like to have is:\n\n   * Applicable to Kodak multisession Photo-CD\n   * SCSI(2) Interface\n   * Compatible with Adaptec-1542B\n   * Does not need any caddies\n   * Cheaper ( < $500 if possible)\n   * Double Speeded\n\n  I believe there are no drives satisfying all of the above condition,\n  so I would like to know all of your opinion.  The above conditions\n  are sorted by my priority.\n  I think NEC CDR74-1/84-1 is a little bit expensive, but it DOES satisfy\n  almost all of the above conditions. The problem is that I do not know\n  the compatibility with 1542B. Has someone succeeded to connect these\n  NEC drives to 1542B? I have heard a rumor that NEC drive is incompatible\n  with 1542B adapter.\n  Any suggestions are greatly appreciated.\n\nThanks in advance,\nKobayashi,Masaoki\n(masaoki@tky.hp.com)\n',
 "Subject: 68HC16 public domain software?\nFrom: murashiea@mail.beckman.com (Ed Murashie)\nOrganization: DSG Development Eng Beckman Instruments Inc.\nNntp-Posting-Host: 134.217.245.87\nLines: 11\n\nDoes anyone know of an FTP site where I might find public\ndomain software for the Motorola 68HC16 microprocessor?\nI am looking for a basic interpreter/compilier or a 'C'\ncompiler.  Thanks in advance.\n\t\t\t\t\tEd Murashie\n\n------------------\nEd Murashie                     US Mail :  Beckman Instruments Inc.\nphone: (714) 993-8895                      Diagnostic System Group \nfax:   (714) 961-3759                      200 S. Kraemer Blvd  W-361\nInternet: murashiea@mail.beckman.com       Brea, Ca 92621  \n",
 'From: dbd@urartu.sdpa.org (David Davidian)\nSubject: Re: Accounts of Anti-Armenian Human Right Violations in Azerbaijan #010\nOrganization: S.D.P.A. Center for Regional Studies\nLines: 23\n\nIn article <1993Apr20.050956.25141@freenet.carleton.ca> aa624@Freenet.carleton.\nca (Suat Kiniklioglu) [a.k.a. Kubilay Kultigin] writes:\n\n[KK] david\n\nYes?\n\n[KK] give it a rest. will you ???\n\nNo.\n\n[KK] it is increasingly becoming very annoying...\n\nBarbarism is rather annoying for you, now isn\'t it, especially when it comes \nfrom from a country, Azerbaijan, that claims Turkey as its number one ally, \nprotector, and mentor!\n\n\n-- \nDavid Davidian dbd@urartu.sdpa.org   | "How do we explain Turkish troops on\nS.D.P.A. Center for Regional Studies |  the Armenian border, when we can\'t \nP.O. Box 382761                      |  even explain 1915?" \nCambridge, MA 02238                  |              Turkish MP, March 1992 \n',
 "From: ph12hucg@sbusol.rz.uni-sb.de (Carsten Grammes)\nSubject: ****  WANNA SEX !!!  ****\nOrganization: Universitaet des Saarlandes,Rechenzentrum\nLines: 27\nNNTP-Posting-Host: sbusol.rz.uni-sb.de\n\nHello,\n\nyou're not quite sure if that's a joke or not? Anyway you read the article!\n\n--> You're right!!!\n\n(1. The header (only this) IS a joke, 2. it's worth reading)\n\nPerhaps some of you know my regular 'List of IDE Harddisk specs' where I\ngive all available information about IDE Harddrives. I am strongly\ninterested in contacting the manufacturers directly. But I have no money\nfor overseas calls, so I need\n\n\tHARDDISK MANUFACTURER's  EMAIL ADDRESSES\n\nPlease help if you can!\n\nCarsten.\n\n\n*********************************************************************\nCarsten Grammes\t\t\tInternet: ph12hucg@rz.uni-sb.de\nExperimental Physics\t\tVoicenet: 49-681-302-3032\nUniversitaet Saarbruecken\tFaxnet  : 49-681-302-4316\n6600 Saarbruecken\nGermany\n*********************************************************************\n",
 'From: felixg@coop.com (Felix Gallo)\nSubject: Re: Once tapped, your code is no good any more.\nOrganization: Cooperative Computing, Inc.\nDistribution: na\nLines: 31\n\npat@rwing.UUCP (Pat Myrto) writes:\n\n>If the Clinton Clipper is so very good, [...]\n\nPlease note that Bill Clinton probably has little if anything to do\nwith the design, implementation or reasoning behind this chip or behind\nany "moves" being made using this chip as a pawn.\n\nRemember, when you elect a president of the united states, it\'s not\nthe case that all the Republicans, etc. in the NSA and FBI and CIA\nimmediately pack their bags and get replaced by a team of fresh young\nDemocrats.  Most of the government -- say, 96% -- is appointed or\nhired rather than elected.  Since this Clipper device has been in\nproduction for over six months, it probably has little or no \nfoundation in the currently elected Democratic Executive body.\n\n>BTW - those who suggest that this is just an attack on Clinton, believe\n>this:  I would be going ballistic reagardless WHO seriously proposed\n>this thing.  It is just another step in a gradual erosion of our rights\n>under the Constitution or Bill of Rights.  The last couple of decades\n>have been a non-stop series of end-runs around the protections of the\n>Constitution.  It has to stop.  Now is as good a time as any, if it\n>isn\'t too late allready.\n\nCould be.  However, the sky hasn\'t fallen yet, Chicken Little.\n\n>-- \n>pat@rwing.uucp      [Without prejudice UCC 1-207]     (Pat Myrto) Seattle, WA\n>         If all else fails, try:       ...!uunet!pilchuck!rwing!pat\n>WISDOM: "Only two things are infinite; the universe and human stupidity,\n>         and I am not sure about the former."              - Albert Einstien\n',
 "From: steve-b@access.digex.com (Steve Brinich)\nSubject: Re: Once tapped, your code is no good any more.\nOrganization: Express Access Online Communications, Greenbelt, MD USA\nLines: 5\nDistribution: na\nNNTP-Posting-Host: access.digex.net\n\n > I wonder if she landed such a fat fee from cooperation with the NSA in\n >the design and propoganda stages that she doesn't care any more? \n\n  Which is to say: is the NSA -totally- perfidious, or does it at least\nhave the redeeming virtue of taking care of its own? <g>\n",
 "From: mmadsen@bonnie.ics.uci.edu (Matt Madsen)\nSubject: SE/30 acc & graphics card?\nNntp-Posting-Host: bonnie.ics.uci.edu\nReply-To: mmadsen@ics.uci.edu (Matt Madsen)\nOrganization: Univ. of Calif., Irvine, Info. & Computer Sci. Dept.\nLines: 9\n\nAre there any graphics cards for the SE/30 that also have, say, an 040\naccelerator?  There seem to be plenty of accelerator/graphics cards for\nthe _SE_, but none (that I've seen) for the SE/30.\n\nThanks\n\nMatt Madsen\nmmadsen@ics.uci.edu\n\n",
 'From: pharvey@quack.kfu.com (Paul Harvey)\nSubject: Christians above the Law? was Clarification of personal position\nOrganization: The Duck Pond public unix: +1 408 249 9630, log in as \'guest\'.\nLines: 24\n\nIn article <C5MuIw.AqC@mailer.cc.fsu.edu> \ndlecoint@garnet.acns.fsu.edu (Darius_Lecointe) writes:\n>... other good stuff deleted ...\n>You can worship every day of the week.  The issue is not whether\n>Christians are at fault for going to church on Sunday or for not going to\n>church on Saturday.  Attending a church service does not mean you have\n>recognized the holiness of that day (my apologies to  Paul Hudson).  The\n>question is "On what authority do we proclaim that the requirements of the\n              ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n>fourth commandment are no longer relevant to modern Christians?"  Please\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n>note that the commandment does not command you to go to church, only to\n>keep it holy unto the Lord by refraining from doing on it what only serves\n>to give you pleasure and satisfaction.\n\nWhen are we going to hear a Christian answer to this question? \n\nIn paraphrase: \n\nOn what or whose authority do Christians proclaim that they\nare above the Law and above the Prophets (7 major and 12 minor) and not \naccountable to the Ten Commandments of which Jesus clearly spoke His opinion \nin Matthew 5:14-19? What is the source of this pseudo-doctrine? Who is\nthe pseudo-teacher? Who is the Great Deceiver?\n',
 'From: meyers@leonardo.rtp.dg.com (Bill Meyers)\nSubject: Re: Some more about gun control...\nOrganization: N/I\nLines: 16\n\nIn article <1993Apr14.232806.18970@beaver.cs.washington.edu> graham@cs.washington.edu (Stephen Graham) writes:\n[ ... ]\n>It\'s worth noting that US vs. Miller sustained Miller\'s conviction\n>of possession of an illegal firearm, noting that a sawed-off shotgun\n>was not a proper militia weapon. Therefore, US vs. Miller supports\n>limited government regulation of firearms.\n\nThen it also supports basing such regulations on ignorance.\n\nMiller had disappeared, and nobody bothered to present _his_\nside to the Supreme Court -- in particular, that sawed-off\nshotguns were used in the World War I trenches, and in other\ntight spots ever since guns had been invented.  Would _you_\nturn one down if you had to "clean" an alley in E. St. Louis?\n--------\nVegetarians kill, too\n',
 'From: res@colnet.cmhnet.org (Rob Stampfli)\nSubject: Re: The Old Key Registration Idea...\nOrganization: Little to None\nLines: 18\n\nIn article <1qn1ic$hp6@access.digex.net> pcw@access.digex.com (Peter Wayner) writes:\n>That leads me to conjecture that:\n...\n>2) The system is vulnerable to simple phone swapping attacks\n\nI seriously doubt that any practical implementation of this proposal would\nplace the onus on the individual to register keys.  Realistically, the\nClipper-Chip will probably emit an ID code which will serve as the identifier\nwhen requesting the key fragments.  The chip manufacturer would register\nthis identifier code vs. key combination when the chip is made and the\n(uninitiated) end-user can therefore remain completely outside the loop.\nThe chip could be used in a cellular phone, a modem, or other device --\nit really makes no difference:  When the authorities detect the use of this\nencryption standard during surveillance, they would then capture the ID\nand apply for the key in order to decrypt the data.\n-- \nRob Stampfli  rob@colnet.cmhnet.org      The neat thing about standards:\n614-864-9377  HAM RADIO: kd8wk@n8jyv.oh  There are so many to choose from.\n',
 "From: shz@mare.att.com (Keeper of the 'Tude)\nSubject: Re: Riceburner Respect\nOrganization: Office of 'Tude Licensing\nNntp-Posting-Host: binky\nLines: 17\n\nIn article <1993Apr19.013752.22843@research.nj.nec.com>, behanna@syl.nj.nec.com (Chris BeHanna) writes:\n>         On a completely different tack, what was the eventual outcome of\n> Babe vs. the Bad-Mouthed Biker?\n\nI thought I posted this last year.\n\nThe women came to court with three witnesses; the two women that were in\nthe car and one neighbor that heard me shouting.  My lawyer didn't like\nthe odds since there were multiple complaints both ways and the judge had\na history of finding everyone guilty of at least something, so he convinced\nus (she came without a lawyer) to drop everything.  The net result was\na $500 laywer bill for me and $35 court costs for her.\n\nThe only consolation was that she had trouble scraping together the $35\nwhile $500 is not quite one week's beer money for me...\n\n- Roid\n",
 'From: bauer@informatik.uni-ulm.de (Christian Bauer)\nSubject: Re: CD300 & 300i\nNntp-Posting-Host: christian.informatik.uni-ulm.de\nOrganization: University of Ulm\nLines: 18\n\nIn article <Afi9sHS00VohMrYlEe@andrew.cmu.edu>, "Donpaul C. Stephens"\n<deathbird+@CMU.EDU> wrote:\n> \n> What is the difference?\n> I want a double-spin CD-ROM drive by May\n> \n> looking into NEC and Apple, doublespins only\n> what is the best?\n\nNec Toshiba and Sony (Apple) nearly deliver the same speed.\nAs apples prices are very low (compared to there RAM SIMMS)\nYou should buy what is inexpencive. But think of Driver revisions.\nIt is easier to get driver kits from Apple than from every other\nmanufacturer\n\nChristian Bauer\n\nbauer@informatik.uni-ulm.de\n',
 'From: kolstad@cae.wisc.edu (Joel Kolstad)\nSubject: Re: Wanted: A to D hardware for a PC\nArticle-I.D.: doug.1993Apr6.053736.23113\nOrganization: U of Wisconsin-Madison College of Engineering\nLines: 22\n\n>In <3889@ncr-mpd.FtCollinsCO.NCR.COM> Brad Wright writes:\n>\n>>\tIf you know much about PC\'s (IBM comp) you might try the joystick\n>>port.  Though I haven\'t tried this myself, I\'ve been told that the port\n>>has built in A-D converters.  This would allow the joystick to be a couple of \n>>pots.  If you could find the specs this might just work for you...\n\nI believe that the "A-D converters" found on a joystick port are really\ntimers that tick off how long it takes an R-C circuit (the R being your\npaddle) to charge up to something like 1/2 Vcc.  For games this works\npretty well, but you certainly wouldn\'t want to try to take lab\nmeasurements off something as non-linear as that.\n\nHmm... I suppose you could linearize it in software, but the real problem\nis that the precision of your measurement is no longer constant (higher\nvoltages would be more precise).\n\nOn the other hand, I could be wrong and perhaps the game card designers\nsplurged for the extra $.50 to make a cheap constant current source out of\nan op amp.  But I wouldn\'t expect that...\n\n\t\t\t\t\t---Joel Kolstad\n',
 'From: callison@uokmax.ecn.uoknor.edu (James P. Callison)\nSubject: Re: Too fast\nNntp-Posting-Host: uokmax.ecn.uoknor.edu\nOrganization: Engineering Computer Network, University of Oklahoma, Norman, OK, USA\nLines: 66\n\nIn article <1qqv7k$e5g@usenet.INS.CWRU.Edu> aas7@po.CWRU.Edu (Andrew A. Spencer) writes:\n>In a previous article, callison@uokmax.ecn.uoknor.edu (James P. Callison) says:\n>>In article <1qn4ev$3g2@usenet.INS.CWRU.Edu> aas7@po.CWRU.Edu (Andrew A. Spencer) writes:\n>>>In a previous article, wrat@unisql.UUCP (wharfie) says:\n>>>\n>>>>\tThat shows how much you know about anything.  The brakes on the\n>>>>SHO are very different - 9 inch (or 9.5? I forget) discs all around,\n>>>>vented in front.  The normal Taurus setup is (smaller) discs front, \n>>>>drums rear.\n>>>\n>>>one i saw had vented rears too...it was on a lot.\n>>>of course, the sales man was a fool..."titanium wheels"..yeah, right..\n>>>then later told me they were "magnesium"..more believable, but still\n>>>crap, since Al is so m uch cheaper, and just as good....\n>>>\n>>>i tend to agree, tho that this still doesn\'t take the SHO up to "standard"\n>>>for running 130 on a regular basis.  The brakes should be bigger, like\n>>>11" or so...take a look at the  ones on the Corrados.(where they have\n>>>braking regulations).\n>>\n>>Well, let\'s see...my T-Bird SC has a computer-controlled adjustable\n>>suspension, 4-wheel ABS disks (11" vented front, 10" (?) rear), 3-point\n\t\t\t\t\t\t\t^^^^\n\t\t\t\t\t\tRears also vented\n\n>>belts, sturdy passenger compartment, aerodynamics good enough for \n>>NASCAR without too much change, 210 hp/310 ft-lb supercharged 3.8l V6,\n>>4-wheel independent suspension (plus limited-slip differential), with \n>>a top speed in excess of 130mph, and rides on V-rated tires (I have yet\n>>to find 225/60-R16s in any other speed rating). \n>>\n>>Is that "up to standard"? If not, why not?\n>\n>james, i really hate to do this, but try reading the damn posts!\n\nThen you shouldn\'t\'ve done it. Try answering the damn question.\nI am well aware of the fact that there was no mention of the SC\nin there.\n\n>never was a t\'bird mentioned.  The discussion was about SHO\'s and\n>\'stangs not being up to spec.  I do not know about t\'birds.  I\n>only know that the specs quoted for the SHO by previous poster sounded\n>a little anemic for me to say that it was up to snuff.  This does not\n>kn any way  disencourage* me from wishing to own one, nor does it make it\n>a bad car.  It merely means that i think Ford could have added that extra\n>bit of safety  and tossed in larger brakes, as the wheels are plenty large\n>enough for them to fit (if memory serves right, which it may very well not)\n>and the motor plenty powerful enough to need it.\n\nWell, my point was that the SC and the SHO both have very similar\ncharacteristics (front and rear disks (ABS on the SHO?), high output\nV6, 4-wheel independent suspension, very good aerodynamics, 3-point\nharness, fat rubber, and 130mph+ top speed). If one of them is \nup to standard (and I think the SC is), but the other isn\'t, then\nwhy is that? No flamage, just curiousity.\n\n\n\t\t\t\tJames\n\nJames P. Callison    Microcomputer Coordinator, U of Oklahoma Law Center \nCallison@uokmax.ecn.uoknor.edu   /\\\\    Callison@aardvark.ucs.uoknor.edu   \nDISCLAIMER: I\'m not an engineer, but I play one at work...\n\t\tThe forecast calls for Thunder...\'89 T-Bird SC\n   "It\'s a hell of a thing, killing a man. You take away all he has \n\tand all he\'s ever gonna have." \n\t\t\t--Will Munny, "Unforgiven"\n',
 'From: CPKJP@vm.cc.latech.edu (Kevin Parker)\nSubject: Insurance Rates on Performance Cars SUMMARY\nOrganization: Louisiana Tech University\nLines: 244\nNNTP-Posting-Host: vm.cc.latech.edu\nX-Newsreader: NNR/VM S_1.3.2\n\n     I recently posted an article asking what kind of rates single, male\ndrivers under 25 yrs old were paying on performance cars. Here\'s a summary of\nthe replies I received.\n \n \n \n \n-------------------------------------------------------------------------------\n \nI\'m not under 25 anymore (but is 27 close enough).\n \n1992 Dodge Stealth RT/Twin Turbo (300hp model).\nNo tickets, no accidents, own a house, have taken defensive driving 1,\nairbag, abs, security alarm, single.\n \n$1500/year  $500 decut. State Farm Insurance (this includes the additional $100\nfor the $1,000,000 umbrella policy over my car and house)  The base\npolicy is the standard $100,000 - $100,000 - $300,000 policy required in DE.\n \nAfter 2nd defensive driving course it will be 5% less.\n \nI bought the car in September 1992.  The company I was with (never had\nand accident or ticket in 11 years) quoted me $2,500.\n \nHope this helps.\n \nSteve Flynn\nUniversity of Delaware\n======================================================================== 45\n \n    Kevin:\n \n    (Hope I remembered your name correctly)...\n \n    You asked about insurance for performance cars.  Well, last year\n    I was in a similar situation before I bought my car, and made the\n    same inquiry as you.\n \n    Age: 24 (then and now)\n    Car: 1992 Eagle Talon TSi AWD\n    Driving Record: Clean\n    State: Illinois\n    Cost: $820/6 mos.\n \n    I turn 25 in May and the insurance goes down to $520/6 mos.\n    Also, I\'m single and that incurs a higher rate with my company.\n \n    I\'ve got a couple other friends w/ AWDs and they pay more\n    than I do (different ins. companies also), so maybe I\'m just lucky.\n \n    Hope the info helps.\n \n    Dan\n    [dans@jdc.gss.mot.com]\n    Motorola Cellular Subscriber Group\n \n======================================================================== 38\n USA\nCc:\n \nI\'m 23; live in Norman, Oklahoma; drive an \'89 Thunderbird SC; have\nnever made a claim against my insurance (though I have been hit\nseveral times by negligent drivers who couldn\'t see stop signs or\nwere fiddling with their radios); and I have had three moving violations\nin the last 18 months (one for going 85 in a 55; one for "failure to\nclear an intersection" (I still say the damn light was yellow); and\none for going 35 in a 25 (which didn\'t go on my record)). My rates\nfrom State Farm (with a passive restraint deduction) on liability,\n$500 deductible comprehensive, and $500 deductible collision are\nroughly $1300/year. (I was paying just over $1100/year for a \'92 Escort LX.)\n \n\t\t\t\tJames\n \nJames P. Callison    Microcomputer Coordinator, U of Oklahoma Law Center\nCallison@uokmax.ecn.uoknor.edu   /\\\\    Callison@aardvark.ucs.uoknor.edu\nDISCLAIMER: I\'m not an engineer, but I play one at work...\n\t\tThe forecast calls for Thunder...\'89 T-Bird SC\n   "It\'s a hell of a thing, killing a man. You take away all he has\n\tand all he\'s ever gonna have."\n\t\t\t--Will Munny, "Unforgiven"\n======================================================================== 61\n \nI am beyond the "under 25" age group, but I have an experience a few\nyears ago that might be interesting to you.  I owned a 1985 Toyota Celica\nGT.  I decided to buy myself a gift - a more exotic car.  Front runners\nincluded the Toyota Supra Turbo and the Porsche 924 (1987 model years).\nI narrowed it down to those two.  I liked the simplicity and handling\n(and snob appeal, too) of driving a Porsche.  The Supra Turbo was less\nmoney and had more features and performance - almost a personal luxury\ncar.  It had better acceleration and a higher top speed than the 924.\nI was almost ready to give in to a buying impulse for the 924, but i\ndecided to stop by my insurance agent\'s office on the way.  I asked\nabout what would happen to my rate with either car.\n \n"If you buy the Supra, your rate classification will be the same as\nthe Celica (the \'85 Celica was considered a subcompact and for that\nyear was rated as one of the safest cars), with a slight increase because\nthe car will be 2 years newer.  Our lower-risk division will continue\nto handle your account.\n \n"If you buy the Porsche 924, we\'ll have to change you to the standard\n[higher] rate company and your rate will double.  And if you go with\na 944, it\'s another story again - we\'ll cover the rest of this year,\nbut cancel you after that."\n \n"But the Supra is much faster than the 924, and the 924 is actually\nfaster than the [standard] 944.  That doens\'t make sense."\n \n That\'s what the book says.  We don\'t insure Corvettes, either.  For\nsome reason, the underwriters consider Supras - and their drivers -\nas very traditional and conservative."\n \nI eventually went with the Supra for a number of reasons.  The Porsche\ndealer had a nice salesman to get me interested, but a tough high-pressure\nguy in the back room.  At equal monthly payments, it would have taken\na year longer to pay for the Porsche, plus its higher insurance.  I\nconcluded that the high insurance was related to probability of auto\ntheft.\n \n   /|/| /||)|/  /~ /\\\\| |\\\\|)[~|)/~   |   Everyone\'s entitled to MY opinion.\n  / | |/ ||\\\\|\\\\  \\\\_|\\\\/|_|/|)[_|\\\\\\\\_|  |      goldberg@oasys.dt.navy.mil\n========Imagination is more important than knowledge. - Albert Einstein=======\n \n \n \n \n \n======================================================================== 32\n \nI live in Idaho.  When I was <26 many years ago (10 years) I bought a Trans\nAm (new).  Insurance was about $1300/year.  When I turned 26, it immediately\ndropped to $460/year.  I had not had any accidents before or after, this was\nstrictly an age change.  That same rate stayed pretty much the same until I\nsold the car 2 years ago.  My F-150 pickup is about $80/year less.\n \nThe real amazing thing is that when I woke up at age 25, I felt SO MUCH MORE\nRESPONSIBLE than I was before...  :-)\n \nWes\n \n======================================================================== 21\n \n \nFor your information:\nCalifornia\nMale, single, under 25 , No moving violation\nAlfa Spider\n     =======> $2000 / year\n \nWhat a bargain!!!\n======================================================================== 28\n \nLet\'s see, I\'m 24, single, male, clean driving record. I have a 92 VW COrrado\nVR6. I live in San Jose, California. I pay ~1500$ a year through Allstate. A\ngood deal if you ask me.\n \nI was thinking about getting a Talon, but I think the insurance is higher\nfor a "turbo" sports car vs a V6\n \n-W\n \n======================================================================== 27\n \n1986 Honda CRX Si, clean record, in a small New Mexico town was around $800\nper year, age 24.\n \nNearby city rates were 1.5X-2X higher than where I\'ve got mine insured.\n \n..robert\n--\nRobert Stack / Institute of Transportation Studies, Univ of California-Irvine\n               stack@translab.its.uci.edu   \'92 Mazda Protege LX\n======================================================================== 37\n1300 per year, 1992 Saturn SC, 21 Years old, State: New Mexico,\nInsurance: State Farm.\n \n \n======================================================================== 64\n \n \nHere is my info:\n \nCar             : \'89 Toyota Celica ST\nInsurance Co    : Farmer\'s Insurance\nYearly insurance: $2028\nAge             : 24\nDate of license : Oct 14, 1992\nResidence       : Mountain View, California\nNo moving violations (for now atleast ;-)\n \nHope this helps. Please post a summary if possible.\n \nVijay\n**********************************************************************\nVijay Anisetti\nEmail: anisetti@informix.com   Apt: (415)962-0320   Off: (415)926-6547\n======================================================================== 38\nSingle, 24 years old, Eagle Talon Turbo AWD, $1200 (full-cover, reasonable\n liability)\nNo tickets, No violations, No accidents... (knock on wood...)\nMass,\n \n\tOne thing that makes a HUGE difference in MASS is the town you live in.\nI\'m personally in one of the best towns within reasonable distance\nof Boston.  If I moved to the absolute best it would go down to about\n$1150, if I moved to the worst it would be $2000+..\n \n\tAlso one accident and a couple of tickets, would probably add another $600...\n \n \n\t_RV\n \n \n======================================================================== 43\nI have a 1990 Mitsubishi eclipse turbo awd, am 23 years old and have no\ntickets that went on my record.  I live in Illinois just outside of Chicago\nand pay $1560 a year with full coverage at State Farm.  I did get a small\ndiscount because of my alarm system($30 a year).  I only live 15 miles from\nChicago but if I actually lived in the city the price would be about $2000\na year.\n======================================================================== 41\nI\'m over 25, but in case you\'re interested anyway, I\'m insuring a 93 SHO\nfor $287/6 month.  Thats 100k personal+300k total+100k property with\n250 deductible, glass and towing, State Farm.\n \n======================================================================== 39\n \nUnless you are under 20 or have been driving for less than 5\nyears, I think you are being seriously ripped off.  I don\'t have\none of the performance cars you listed, but if your record is\nclean, then you should not be paying over $2K.\n \nDid you try calling all the insurance dealers you could find?\nAlthough rates are supposed to be standardized, I\'ve found that\nmost places I initially call, give me some ridiculously high\nquote and *finaly*, I hit one that is much lower.\n \nAlso, I have changed insurance companies when the rate went up at\nrenewal (no accidents, tickets, car gets older??) to maintain a low\nrate.  You always have to be careful when it comes to insurance\ncompanies 8^).\n \nGood luck,\nSerge\n',
 "From: webb@itu1 (90-29265  Webber  AH)\nSubject: Re: Adcom cheap products?\nOrganization: Rhodes University, Grahamstown, South Africa\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 52\n\nAaron Lung (alung@megatest.com) wrote:\n: >I was also sceptical about the amps being built in the far-east\n: >  or where-ever.  But if you look in the amp and see what components\n: >  they use and how it was designed, you can easily see why the\n: >  amplifiers sound so brilliant.\n\n: Good point...also, I wouldn't be surprised that the components\n: they use off-shore are of inferior quality.  As long as it was\n: properly designed and robust, premium components are used, it\n: shouldn't matter where it is assembled.\n\nDefinately, I agree wholeheartedly.  If they can build the amp where\n  the labour is not so expensive, they can afford to put decent\n  components in and go to more effort to improve the design of the\n  amplifier - as Adcom has done.\n\n: >I cannot see why people say the amplifier won't last - not with\n: >  those quality components inside.  Sure the amp runs very fairly\n: >  hot - but that's how you get an amp to sound incredibly good.\n\n: An amp that runs hot has no bearing on how it's gonna sound.\n: The amp you have probably is running Class-A the whole day.\n\n: Actually, I'd be wary of excessively hot amps, 'cauz even though\n: the components inside may be rated to run that way, excessive \n: heat will dramatically shorten the life of *any* electronic component\n: regardless of quality.  In fact, an amp that does run hot to the touch is\n: because either the engineer or manufacturer of that amp wanted\n: to skimp on heatsinking or cooling to save costs!  Hmmmmm....\n\nSure, I didn't mean to imply that because of the heat generated, the\n  amp sounds good.  My Adcom GFP 535II runs fairly warm - not hot to\n  the touch - but enough to satisfy me that the amp is running nicely.\nI don't like it when an amp runs dead-cold.  It makes one think that\n  the amp is doing nothing :)\nThe heatsinks that Adcom uses in their amps are certainly far for\n  skimpy - they're massive things with heating vents both below\n  and above.  More than enough to carry away excessive heat.\n\nMy opinions once again.\n\n--\n***********************************************************************\n**    Alan Webber                                                    **\n**                      webb@itu1.sun.ac.za                          **\n**                      webb@itu2.sun.ac.za                          **\n**                                                                   **\n** The path you tread is narrow and the drop is sheer and very high  **\n** The ravens all are watching from a vantage point near by          **\n** Apprehension creeping like a choo-train up your spine             **\n** Will the tightrope reach the end; will the final couplet rhyme    **\n***********************************************************************\n",
 "From: ide!twelker@uunet.uu.net (Steve Twelker)\nSubject: Esotericism\nOrganization: Interactive Development Environmenmts, SF\nLines: 11\n\nI'm compiling a bibliography on religious perspectives on esotericism,\nhermeticism, gnosticism, mysticism, occultism, alchemy and magic, and\nam interested in sources that others have found particularly interesting\nand insightful.  I'm especially interested in medieval works, such as\n_The Chemical Wedding of Christian Rosenkreutz_ and Arthurian legends.\n\nPlease feel free, too, to send personal opinions on any of the above,\npro or con or anywhere in between.  Thanks much.\n\nStephen Twelker\ntwelker@ide.com\n",
 "From: alee@ecs.umass.edu\nSubject: Need to find out number to a phone line\nLines: 13\n\n\nGreetings!\n      \n        Situation:  I have a phone jack mounted on a wall.  I don't\n                    know the number of the line.  And I don't want\n                    to call up the operator to place a trace on it.\n\n        Question:   Is there a certain device out there that I can\n                    use to find out the number to the line?\n        Thanks for any response.\n                                                    Al\n\n  \n",
 'From: aaronc@athena.mit.edu (Aaron Bryce Cardenas)\nSubject: Re: The arrogance of Christians\nOrganization: Massachusetts Institute of Technology\nLines: 45\n\nnews@cbnewsk.att.com writes:\n>Arrogance is arrogance.  It is not the result of religion, it is the result\n>of people knowing or firmly believing in an idea and one\'s desire to show\n>others of one\'s rightness.  I assume that God decided to be judge for our\n>sake as much as his own, if we allow him who is kind and merciful be the \n>judge, we\'ll probably be better off than if others judged us or we judged \n>ourselves.               ^^^^^^ ^^^      ^^                     ^^ ^^^^^^\n ^^^^^^^^^\n1 Cor 11:31-32 "But if we judged ourselves, we would not come under judgment. \nWhen we are judged by the ^^^^^^ ^^^^^^^^^ Lord, we are being discipled so\nthat we will not be condemned with the world."\n\n1 Cor 5:3 "Even though I am not physically present, I am with you in spirit.\nAnd I have already passed judgment on the one who did this, just as if I were\npresent."          ^^^^^^ ^^^^^^^^\n\n1 Cor 2:15-16 "The spiritual man makes judgments about all things, but he\nhimself is not     ^^^^^^^^^ subject to any man\'s      ^^^ judgement:  \'For\nwho has known the mind of the Lord that he may instruct him?\'  But we have the\nmind of Christ."\n\nJude :14-15 "Enoch, the seventh from Adam, prophesied about these men:  \'See,\nthe Lord is coming with thousands upon thousands of his holy ones to judge\neveryone, and to   ^^^^ convict all the ungodly of  ^^^ ^^^^ ^^^^ ^^ ^^^^^ all\nthe ungodly acts they have done in the ungodly way, and of all the harsh words\nungodly sinners have spoken against him.\'"\n\nArrogance is a sin.  Although a desire to show others of one\'s rightness may\nbe a sign of arrogance in some cases,  it may be only a sign that they are\nfollowing the Bible in others:\n\nJude :22-23 "Be merciful to those who doubt; snatch others from the fire and\nsave them; to others show mercy, mixed with  ^^^^^^ fear -- hating  ^^^^ even\n^^^^ the clothing stained by corrupted flesh."\n\n\n>If I find someone arrogant, I typically don\'t have anything to do with them.  \n\nI hope you don\'t find me arrogant, then.  This sounds like a bad practice --\nignoring what certain people say because you perceive them as arrogant.\n\nJames 1:19 "My dear brothers, take note of this:  Everyone should be quick to\nlisten, slow to speak and slow to become angry,"\n\n- Aaron\n',
 'From: dkeisen@leland.Stanford.EDU (Dave Eisen)\nSubject: Re: BOB KNEPPER WAS DAMN RIGHT!\nOrganization: Sequoia Peripherals, Inc.\nLines: 51\n\nWhy did I get sucked into this?\n\nIn article <1993Apr19.035406.11473@news.yale.edu> (Austin Jacobs) writes:\n>Don\'t you GUYS think so?  I mean, c\'mon!  What the heck are women doing\n>even THINKING of getting into baseball.  They cause so many problems.  Just\n\nAssuming you\'re serious, I guess you\'d be surprised to hear\nthat us GUYS don\'t think so. I would guess that a tiny fraction\nof 1% of the folks reading your post agree with it. I kind of\ndoubt that even you agree with it.\n\nI\'m not going to go through your points one at a time, because, \nafter all, not many of them have anything at all to do with baseball.\n\nI\'m only replying to this because you brought up Pam Postema, the\nAAA umpire who sued (is suing?) baseball on the grounds of sex\ndiscrimination because she wasn\'t promoted to the majors.\n\n>Jeez!  Look at Pam Postema.  Just because she\'s a woman, everybody on the\n>face of the earth thinks it\'s great that she\'s getting an opportunity to\n>ump.  If you even watched the games and had an IQ greater than that of\n>roast beef, you\'d see that she is not nearly as good as most AAA umpires.\n\nI\'ve never seen her ump a game. I have no first hand experience\nwith her ability as an umpire.\n\nBut I have seen her on talk shows. And her point seems to be\nthat she can call balls and strikes as well as any of the\numpires and she knows the rulebook better than most. It seems\nto me that she is missing the point and if that\'s how she sees\nthe role of umpires in the game, well I wouldn\'t promote her\neither.\n\nThe umpires primary role has nothing to do with calling baserunners\nsafe or out; hell, Joe Lundy could do that. Their primary function is\nto maintain order in the game, keep the game moving, and keep the\nplayers from trying to kill each other. \n\nUmpires have to be extremely tough people. That disqualifies most\nof us, both men and women. And if Ms. Postema thinks that she\ndeserves to be a major league umpire because of her command of\nthe rulebook, then I think that disqualifies her as well. Umpires\nneed to command the game; command of the rulebook is secondary.\n\n\n\n-- \nDave Eisen                               "To succeed in the world, it is not\ndkeisen@leland.Stanford.EDU               enough to be stupid, you must also\nSequoia Peripherals: (415) 967-5644       be well-mannered." --- Voltaire\nHome:                (415) 321-5154  \n',
 'From: nhmas@gauss.med.harvard.edu (Mark Shneyder 432-4219)\nSubject: Re: TV Schedule for Next Week\nDistribution: na\nOrganization: HMS\nLines: 54\nNNTP-Posting-Host: gauss.med.harvard.edu\n\nIn article <Apr16.043426.69352@yuma.ACNS.ColoState.EDU> mmb@lamar.ColoState.EDU (Michael Burger) writes:\n>United States TV Schedule:\n\n>April 18   Devils/Islanders at Pittsburgh   1 EST  ABC  (to Eastern time zone)\n>April 18   St. Louis at Chicago             12 CDT ABC  (to Cent/Mou time zones)\n>April 18   Los Angeles at Calgary           12 PDT ABC  (to Pacific time zone)\n>April 20   Devils/Islanders at Pittsburgh   7:30   ESPN\n>April 22   TBA                              7:30   ESPN\n>April 24   TBA                              7:30   ESPN\n>\n\nA little supplement Basic Mike\'s info  :\n\nFor Sundday\'s opener on ABC, these are the announcing crews :\n\nDevils/Isles at Pittsburgh - Gary Thorne(play-by-play),Bill Clement(color)\nand Al Morganti roaming the halls outside the dressing rooms.\nThis telecast will primarily seen on the East Coast.\n\nSt.Louis at Chicago - Mike Emrick(play - by play),Jim Schoendfeld(color)\nand Tom Mees roaming the halls.\nThis telecast will primarily be seen in the Midwest and parts of the South.\n\nLA at Calgary - Al "Do You Believe in Mircales?" Michaels(play by play),\nJohn Davidson(color) and Mark Jones as a roaming reporter.\nThis telecast will be seen in the Western USA.\n\nMontreal\'s naitive,Jon Saunders will be hosting in the studio.\n\nABC will do "Up and Close and Personal" with Mario during Saturday\'s\nWide World of Sports(4:30EDT).\n\nSunday will be the first NHL playoff or regular network telecast in 13 years...\nnot counting those silly All-Star games on NBC for the last few years...\n\nFor Sunday\'s games,ABC will use 8 mikes(2 behind on the goal),super-super-slo-mo,\nclose-ups of player\'s faces at face-offs. ESPN/ABC will not be able to\nuse its new favorite toy,the ice-level shot, in Pittsburgh where too many\nseats would have to removed to employ it...\n\n\nIn case of a blowout in progress in Pittsburgh,ABC will switch to Chicago\ngame but will come back to the Pittsburgh game for updates or if the game\ngets closer(Ha!)..\n\nABC expects huge ratings(by hockey standards) since all 3 Top US TV-markets\nare involved - NY metro area(NY Islanders/NJ Devils),Chicago(BlackHawks),\nand LA(Kings).\n\nStay tuned,\n\nThanks Mike,\n\n-PPV Mark\n',
 "From: cfoley@Bonnie.ICS.UCI.EDU (Ciaran Foley)\nSubject: Lots of neat IBM clone stuff for sale\nLines: 34\n\n1) Complete 80386Dx25Mhz System for sale\n   SVGA card/w color Tatung VGA Monitor\n   2s/1p\n   2 floppies (1.44 and 1.2)\n   230 Watt Power supply\n   1 meg ram installed\n   80 meg IDE 14ms Hard drive\n   Best offer...\n\n2) Bits and pieces\n\ta) IDE controller card\n\tb) internal 2400 baud modem\n\tc) 80386Dx25Mhz CPU\n\td) 3 megs SIMM memory\n\te) Standard VGA card\n\n3) Panasonic KXP-1524 Wide Carriage 24 pin Printer\n\tBrand new condition\n\tcomes with plenty 'o ribbons\n\tParallel and Serial ports\n\tNice crisp output\n\nALl items are in beautiful condition. All fully functional. Willing to\nprovide net references if needed. Best offers on all items snag 'em.\nThanks for your time!\n\nCiaran\n\nCiaran Foley\ncfoley@bonnie.uci.ics.edu\nOffice:714.830.3579\n\n\n\n",
 'From: moy@cae.wisc.edu (Howard Moy)\nSubject: How to fix Word subscript spacing?\nOrganization: U of Wisconsin-Madison College of Engineering\nLines: 14\n\n\nHi,\n\nI have a problem when using subscripts with MSWord.  The\nproblem is the subscripted characters get cut off on the display,\nbut print out ok.  Anyone know how to fix the subscripts so\nI can see them on the screen?\n\nMany thanks,\n-- \n-Howard\n_________________________________________________________\n!                    Howard Moy\t\t\t\t!\n!                  (608) 255-6379\t\t\t!\n',
 'From: steveg@bach.udel.edu (Steven N Gaudino)\nSubject: Dbase IV for sale (price reduced!)\nNntp-Posting-Host: bach.udel.edu\nOrganization: University of Delaware\nDistribution: usa\nLines: 4\n\nDbase IV 1.5 for sale, 3.5 inch disks, all registration included (so you\ncan upgrade to 2.0 if you want), manuals still shrinkwrapped, disks only\nopened to verify they all work.  Asking $175 or best offer.\n\n',
 "From: melewitt@cs.sandia.gov (Martin E. Lewitt)\nSubject: Re: Altitude adjustment\nArticle-I.D.: cs.1993Apr22.055958.2377\nOrganization: nCUBE, Sandia Park, NM\nLines: 31\n\nIn article <4159@mdavcr.mda.ca> vida@mdavcr.mda.ca (Vida Morkunas) writes:\n>I live at sea-level, and am called-upon to travel to high-altitude cities\n>quite frequently, on business.  The cities in question are at 7000 to 9000\n>feet of altitude.  One of them especially is very polluted...\n>\n>Often I feel faint the first two or three days.  I feel lightheaded, and\n>my heart seems to pound a lot more than at sea-level.  Also, it is very\n>dry in these cities, so I will tend to drink a lot of water, and keep\n>away from dehydrating drinks, such as those containing caffeine or alcohol.\n>\n>Thing is, I still have symptoms.  How can I ensure that my short trips there\n>(no, I don't usually have a week to acclimatize) are as comfortable as possible?\n>Is there something else that I could do?\n\nI saw a Lifetime Medical Television show a few months back on travel\nmedicine.  It briefly mentioned some drugs which when started two or\nthree days before getting to altitude could assist in acclimitazation.\n\nUnfortunately all that I can recall is that the drug stimulated\nbreathing at night???  I don't know if that makes sense, it seems\nto me that the new drug which stimulates red blood cell production\nwould be a more logical approach, erythropoiten (sp?).\n\nAlas, I didn't record the program, but wish I had, since I live\nat over 7000ft. and my mother gets sick when visiting.\n\nPlease let me know if you get more informative responses.\n--\nPhone:  (505) 845-7561           Martin E. Lewitt             My opinions are\nDomain: lewitt@ncube.COM         P.O. Box 513                 my own, not my\nSandia: melewitt@cs.sandia.GOV   Sandia Park, NM 87047-0513   employer's. \n",
 'From: holmertz@ike.navo.navy.mil (Steve Holmertz)\nSubject: Parametric EQ (Car)\nNntp-Posting-Host-[nntpd-23809]: ike.navo.navy.mil\nKeywords: EQ Audio Stereo\nOrganization: Naval Oceanographic Office\nLines: 16\n\nHiFonics "Ceres" 3-Band Parametric Equalizer\n\nSpecs:\t3-Bands: 1. 40-640Hz; 2. 100Hz-3KHz; 3. 500Hz-16KHz\n\tBoost/Cut: +/-20db\n\tTHD: Less than 0.02%\n\tSize(WxHxD): 190mmx53mmx120mm\n\nThis EQ has three variable bands as indicated above with\nvariable Q. It also has a subwoofer output with variable\ncutoff frequency. I originally paid $129 for the unit and\nused it for 3 months before selling the car. It is in\nexcellent condition with all the wiring and hardware intact \nand manual in original box. Asking price: $75\n\nholmertz@pops.navo.navy.mil \n\n',
 'From: steveg@ravel.udel.edu (Steven N Gaudino)\nSubject: Dbase IV for sale (price dropped!)\nNntp-Posting-Host: ravel.udel.edu\nOrganization: University of Delaware\nDistribution: usa\nLines: 3\n\nDbase IV, ver 1.5, 3.5 disks.  Manuals still shrinkwrapped, and all \nregistration materials present.  Asking $125.\n\n',
 "From: dyer@spdcc.com (Steve Dyer)\nSubject: Re: Is MSG sensitivity superstition?\nOrganization: S.P. Dyer Computer Consulting, Cambridge MA\nLines: 14\n\nIn article <1qnns0$4l3@agate.berkeley.edu> spp@zabriskie.berkeley.edu (Steve Pope) writes:\n>The mass of anectdotal evidence, combined with the lack of\n>a properly constructed scientific experiment disproving\n>the hypothesis, makes the MSG reaction hypothesis the\n>most likely explanation for events.\n\nYou forgot the smiley-face.\n\nI can't believe this is what they turn out at Berkeley.  Tell me\nyou're an aberration.\n\n-- \nSteve Dyer\ndyer@ursa-major.spdcc.com aka {ima,harvard,rayssd,linus,m2c}!spdcc!dyer\n",
 'From: ivancich@eecs.umich.edu (Eric Ivancich)\nSubject: Re: 14" monitors\nIn-Reply-To: fredm@media.mit.edu\'s message of Wed, 31 Mar 1993 20:39:45 GMT\nOrganization: University of Michigan EECS Department\nDistribution: na\nLines: 37\n\nIn article <1993Mar31.203945.8757@news.media.mit.edu> fredm@media.mit.edu (Fred G Martin) writes:\n\n   [part of posting removed]\n\n   * the Sony CPD-1304 has better video circuitry than either of the\n   other two monitors.  It can display Apple 640x480, VGA 640x480, VGA\n   800x600 (though this has 56 Hz flicker), and Apple 832x624 (75 Hz\n   refresh:  no flicker at all).  It might be able to display Apple\'s\n   1024x768, but I\'m not sure about this, and the pixels would be real\n   small anyway so it might not be that useful.\n\n   Note that with either Sony monitor, you will need the proper adapter,\n   which both connects the video signals properly, but also informs the\n   Macintosh video hardware of which display mode to use.\n\n   [part of posting removed]\n\n   -- \n   Fred Martin | fredm@media.mit.edu | (617) 253-7143 | 20 Ames St. Rm. E15-301\n   Epistemology and Learning Group, MIT Media Lab     | Cambridge, MA 02139 USA\n\nI\'m assuming that the cabling tells the Mac, at startup, what kind of\nmonitor is connected.  Now I think I\'ve seen ads in popular Mac\nmagazines for products (I\'m not sure if it\'s just a monitor, just a\nvideo card, or a package of both) that allow you to change resolutions\non the fly (w/o restarting the Mac).\n\nIf you were to buy a 1304, would it be possible to switch back and\nforth between Apple 640x480 and Apple 832x624 without restarting the\nMac?  Is this strictly a hardware startup function, or can software\nintervene, or does the Mac hardware occasionally probe the cable\nsetting and switch automatically?\n\nThanks,\n\nEric\n(ivancich@eecs.umich.edu)\n',
 "From: MAILRP%ESA.BITNET@vm.gmd.de\nSubject: message from Space Digest\nX-Added: Forwarded by Space Digest\nOrganization: [via International Space University]\nOriginal-Sender: isu@VACATION.VENARI.CS.CMU.EDU\nDistribution: sci\nLines: 58\n\n\n\n\n\nJoint Press release ESA/UN No 18-93\nParis, 19 April 1993\n\nUN/ESA joint training course on satellite applications\nto be held in Italy, 19-30 April\n\nThe United Nations and the European Space Agency (ESA)\nare jointly organising a training course on the applications of\nsatellite data gathered by the European Remote Sensing\nSatellite (ERS-1), to be held in Frascati, Italy, from 19 to 30\nApril. The training course will discuss the applications of\nsatellite data concerning natural resources, renewable energy\nand the environment.\n\nThe training course, organised for the benefit of francophone\nAfrican experts, will be hosted by ESRIN, the European Space\nAgency's establishment in Frascati, which is responsible for\ncoordination with the users of data from ESA's remote sensing\nsatellite. Twenty-four experts in the field of remote sensing,\nselected from 19 francophone countries from northern, western\nand central Africa, and three regional African centres, will\nattend the two-week session. The course will focus on remote\nsensing techniques and data applications, particularly ERS-1\ndata.\n\nThe ERS-1 satellite, developed by ESA and launched in 1991\nwith the European Ariane launcher, carries an advanced radar\ninstrument and is the first in a series of radar remote sensing\nmissions that will ensure availability of data beyond the year\n2000. The aim of the training course is to increase the\npotential of experts using the practical applications of radar\nremote sensing systems to natural resources, renewable energy\nand the environment, with particular emphasis on applications\nto geology and mineral prospecting, oceanography and near-\ncoastal areas, agriculture, forestry and meteorology.\n\nThe education and practical training programme was\ndeveloped jointly by the United Nations and ESA. The\nfacilities and the technical support, as well as lecturers and\ninformation documents for the training course, will be\nprovided by the Agency. Lecturers at the training course will\ninclude high-level experts from other European and African\norganisations active in remote sensing applications. Funds for\nthe training course are being provided by the United Nations\n\n\n\nTrust Fund for New and Renewable Sources of Energy; the\nprimary contributor to that Fund is the Government of Italy.\n\nA similar training course is being planned for Latin American\nexperts.\n\n\n",
 'From: VEAL@utkvm1.utk.edu (David Veal)\nSubject: Re: Clinton wants National ID card, aka USSR-style "Internal Passport"\nLines: 40\nOrganization: University of Tennessee Division of Continuing Education\n\nIn article <1993Apr15.201756.29141@CSD-NewsHost.Stanford.EDU> andy@SAIL.Stanford.EDU (Andy Freeman) writes:\n\n>In article <1993Apr14.175931.66210@cc.usu.edu> slp9k@cc.usu.edu writes:\n>>> (BTW - Which parts should be secure?  Criminal\n>>> records, ie convictions, are typically considered public information,\n>>> so should that info be secure?  Remember, the population includes\n>>> parents checking prospective childcare worker.)\n>\n>>\tParent\'s checking a babysitter shouldn\'t need access to the information\n>>stored in the card.\n>\n>Sure they do.  The prospective sitter may have a nasty habit of molesting\n>kids three or four months into the job.  The references may not have\n>known him long enough or may not have picked up on this yet.\n>\n>Remember, criminal conviction info is public, so if you\'re going to\n>argue for an ID card, other people are going to have a strong argument\n>that it disclose public info.\n\n       As perhaps some insight into how this sort of thing works, the\nlocal college newspaper had a big crusade to have the U.T. police\nrelease crime stats.  (The school claimed that to do so would violate\nfederal education records privacy laws).  They swore up and down they\nweren\'t interested in student discipline records, only for stats so people\ncould make an evaluation of how safe the campus was.\n\n       It was barely a week after crime stats were released before the\nDaily Beacon had an editorial calling for student disciplinary stats\nto be released, because they complained certain segments of the campus\npopulation were treated administratively rather than turned over to the\npolice and therefore the criminal states weren\'t accurate.\n\n       What people say they want public today may not be what they\nsay tomorrow.\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu - "I still remember the way you laughed, the day\nyour pushed me down the elevator shaft;  I\'m beginning to think you don\'t\nlove me anymore." - "Weird Al"\n',
 'From: REXLEX@fnal.fnal.gov\nSubject: Re: Hell_2:  Black Sabbath\nOrganization: FNAL/AD/Net\nLines: 20\n\nIn article <Apr.21.03.25.03.1993.1292@geneva.rutgers.edu>\nsalaris@niblick.ecn.purdue.edu (Rrrrrrrrrrrrrrrabbits) writes:\n\n>I like those lyrics,\n>since whenever I am approached by judgemental, pharisitical,\n>evangelical fundamentalists who throw the Bible at me because\n>I have long hair, wear a black leather jacket, and listen to Black\n>Sabbath, I have something to throw back....\n\n>It just goes to show that there are more important evils in the\n>world to battle than rock lyrics...........\n\n\nIt just goes to show that not all evangelical fundamentalists are pharisitical!\nI wear a black leather jacket, like classic rock, but no longer have the long\nlocks I once had.  However,  I too rely upon the Bible as a basis for Christian\nethics.\n\na fundamentalistic evangelical,\n--Rex \n',
 'From: pat@rwing.UUCP (Pat Myrto)\nSubject: Re: Once tapped, your code is no good any more.\nArticle-I.D.: rwing.2091\nDistribution: na\nOrganization: Totally Unorganized\nLines: 17\n\nIn article <1r21t1$4mc@access.digex.net> steve-b@access.digex.com (Steve Brinich) writes:\n<\n< > I wonder if she landed such a fat fee from cooperation with the NSA in\n< >the design and propoganda stages that she doesn\'t care any more? \n<\n<  Which is to say: is the NSA -totally- perfidious, or does it at least\n<have the redeeming virtue of taking care of its own? <g>\n\nOf course they take care of their own ... very well ... until the person\nhas \'outlived his/her/undefined usefulness\'... then \'elimination\' becomes\na consideration...  :-)\n\n-- \npat@rwing.uucp      [Without prejudice UCC 1-207]     (Pat Myrto) Seattle, WA\n         If all else fails, try:       ...!uunet!pilchuck!rwing!pat\nWISDOM: "Only two things are infinite; the universe and human stupidity,\n         and I am not sure about the former."              - Albert Einstien\n',
 'From: lance@hartmann.austin.ibm.com (Lance Hartmann)\nSubject: Re: Diamond Stealth 24 & Windows problems!!!\nSummary: Users complain of service from Diamond.\nReply-To: lance%hartmann.austin.ibm.com@ibmpa.awdpa.ibm.com\nOrganization: IBM, Austin\nKeywords: diamond video s3 windows\nLines: 43\n\nIn article <1pifisINNhsr@dns1.NMSU.Edu> jdiers@dante.nmsu.edu (DIERS) writes:\n>\n>I own a Stealth 24 card from diamond.  When using the 640X480x16.7mil win 3.1\n>driver the card and driver work but are not very fast.  ALL of the other\n>windows drivers have a number of bugs.  Shadows remain when windows are\n>erased and text boxes are often unreadable.  All attempts to get help from\n>Diamond have failed.  I have called the Tech support and never been able\n>to get past the hold line (a toll call) in a reasonable time (ie 10min).\n>Leaving voice mail has not helped either.  The BBS is a joke! It always\n>has too many people on to download anything.  You cannot even get a file\n>listing (it considers that a download!).  I have faxed the tech support group.\n>All this with no reponse.\n>\n>The bottom line is if you are looking for a fast card and want to use it\n>for windows, DO NOT get a Diamond product.  Try another vendor, I wish I had.\n\nWhile others here may have had better experiences, I, too, share the\nsentiments posted above.  Though I have the original Stealth/VRAM,\nit is only "relatively" recent that the Windows drivers for this card\nhave evolved to a point of decent performance.  Note that there are\nSTILL a couple of modes I cannot use (ie. will not) due to shadowing,\nmis-drawn check boxes, etc.  I believe the version I have is 2.01.\nIf there\'s a more recent release, I\'d appreciate if someone would\ndrop me a note to let me know -- I haven\'t been able to get on their\nBBS lately to check again.  Naturally, Diamond doesn\'t even bother\nnotifying me of fixes/releases.\n\nDiamond was helpful when I finally reached the "right" person in curing\nsome of my Windows\' problems due to an address conflict.  The conflicting\naddresses (2E0, 2E8) were OMITTED in at least my version of the\nDiamond/VRAM manual.  I hope it has been corrected by now.  The tech rep\nexplained that ALL S3-based boards use these addresses.  I have not\nconfirmed the validity of that statement.\n\nWhen I upgrade my motherboard in the near future (hopefully with some\nform of local bus), I\'ll seek a video solution from someone other than\nDiamond.\n\nLance Hartmann (lance%hartmann.austin.ibm.com@ibmpa.awdpa.ibm.com)\n               Yes, that IS a \'%\' (percent sign) in my network address.\n------------------------------------------------------------------------------\nAll statements, comments, opinions, etc. herein reflect those of the author\nand shall NOT be misconstrued as those of IBM or anyone else for that matter.\n',
 'From: aa341@Freenet.carleton.ca (David A. Hughes)\nSubject: Sound Recording for Mac Portable?\nReply-To: aa341@Freenet.carleton.ca (David A. Hughes)\nOrganization: The National Capital Freenet\nLines: 14\n\n\nDoes anyone know what hardware is required and where I could find it for\nsound recording on the  Mac Portable.\n\nThanks\n-- \nDavid Hughes                    |aa341@Freenet.carleton.ca\nSecretary                       |\nNational Capital FreeNet        |VE3 TKP\n',
 'From: er1@eridan.chuvashia.su (Yarabayeva Albina Nikolayevna)\nSubject: FOR SALE:high-guality conifer oil from Russia,$450/ton;400 ton\nReply-To: er1@eridan.chuvashia.su\nDistribution: eunet\nOrganization: Firm ERIDAN\nLines: 1\n\nInguiry by address:er1@eridan.chuvashia.su\n',
 'From: redsonja@olias.linet.org (Red Sonja)\nSubject: Re: Once tapped, your code is no good any more.\nDistribution: na\nOrganization: Utter Chaos in Islip, Long Island, New York (we think)\nLines: 26\n\nIn article <1993Apr20.054308.15985@Celestial.COM> bill@Celestial.COM (Bill Campbell) writes:\n>In <strnlghtC5p7zp.3zM@netcom.com> strnlght@netcom.com (David Sternlight) writes:\n>\n>:In article <Apr18.194927.17048@yuma.ACNS.ColoState.EDU>\n>:holland@CS.ColoState.EDU (douglas craig holland) writes:\n>\n>:>Note that measures to protect yourself from\n>:>TEMPEST surveillance are still classified, as far as I know.\n>\n>:I think this to be inaccurate. One can buy TEMPEST equipment commercially.\n>:Even Macs.\n>\n>Sure you can buy a TEMPEST approved Mac -- if you have enough\n>money.  I haven\'t had any reason to look at this type of pricing\n>for about 10 years, but a TEMPEST rating in 1982 would raise the\n>price of a $2,495.00 Radio Shack Model III to something around\n>$15,000.00.\n>\nOr just dig a deep enough hole in the ground. 50 feet should do it.\n\n\n-- \nredsonja@olias.linet.org     \\\\\\\\\\\\RS///     Self possession is 9/10 of the law.\nAlien: "We control the laws of nature!" | "How come when it\'s human, it\'s an\nJoel: "And you still dress that way?"   | abortion, but when it\'s a chicken, \n(MST3K#17 - Gamera vs Guiron)           | it\'s an omelet?" - George Carlin\n',
 'Subject: HELP!! How to get refund from Visual Images?\nFrom: koutd@hirama.hiram.edu (DOUGLAS KOU)\nOrganization: Hiram College\nNntp-Posting-Host: hirama.hiram.edu\nLines: 28\n\nI participated a promotion by a company called Visual Images. \nThey sent me a award certificate three months ago and asked \nme to buy their promotion package in order to receive the major\naward. They mislabled my address and I did not receive my package\nuntil one month ago. I was mad and angry about how it took them\nso long to get my package. So I wrote them a letter and requested\nfor a refund. They never return my letter. I was lucky enough to\nfind out their telephone number through operator and received the\npackage. I immediately returned the package and wrote them another\nletter to ask for refund. The package was returned because they\naddress they put on the package was incorrect. I attempted to \ncall them and learnd that they have changed their telephone number.\nIt took me at least 10 phone calls to find out their new number,\nbut they refused to take any responsibility. I spoke to their\nmanager and she said she would call me back, but she has not call\nyet. But I was able to get their address from their front desk.\nShould I just go ahead and send the package? Or should I waite until\nthey call me back?\n\nI know there are several people on the net has experience with the\nsame company. I would like to know how they got their money back.\nIf you have similar experience, please advise me.\n\nThanks in advance,\n\nDouglas Kou\nHiram College\n\n',
 'From: dbarker@spang.Camosun.BC.CA (Deryk Barker)\nSubject: Re: WP-PCF, Linux, RISC?\nOrganization: Camosun College, Victoria B.C, Canada\nX-Newsreader: Tin 1.1 PL4\nLines: 47\n\nleebr@ecf.toronto.edu (LEE BRIAN) writes:\n: In article <1qu8ud$2hd@sunb.ocs.mq.edu.au> eugene@mpce.mq.edu.au writes:\n: >In article <C5o1yq.M34@csie.nctu.edu.tw> ghhwang@csie.nctu.edu.tw (ghhwang) writes:\n: >>\n: >>Dear friend,\n: >>  The RISC means "reduced instruction set computer". The RISC usually has \n: >>small instruction set so as to reduce the circuit complex and can increase \n: >>the clock rate to have a high performance. You can read some books about\n: >>computer architecture for more information about RISC.\n: >\n: >hmm... not that I am an authority on RISC ;-) but I clearly remember\n: >reading that the instruction set on RISC CPUs is rather large.\n: >The difference is in addressing modes - RISC instruction sets are not\n: >as orthogonal is CISC.\n\nThe original RISCs had small instruction sets, and simple ones. The\nidea was that a) every instruction should be completable in a single\nclock cycle and b) to have no microcode and c) extensive pipelines.\n\nA few comparisons (from Patterson: Reduced Instruction set computers.\nCACM V28. 1, 1985):\n\nCPU\t\tYear\tInstructions\tMicrocode\n---\t\t----\t------------\t---------\nIBM 370/168\t1973\t208\t\t420Kb\nDEC VAX 11/780\t1978\t303\t\t480Kb\nIBM 801\t\t1980\t120\t\t0\nUCB RISC 1\t1982\t39\t\t0\nStanford MIPS\t1983\t55\t\t0\n\nWhile researching for the VLSI VAX, DEC discovered that 60% of the VAX\nmicrocode is there to support 20% of the instruction set which\naccounted for a mere 0.2% of all instructions executed. The uVAX 32\nsubsetted the architecture onto a single chip and used a software\nemulator for these very complex instructions, the full VLSI uVAX\nincluded the entire instruction set, was 5-10 times more copmlex but\nonly ranm 20% faster.\n\nCPU\t\tChips\tMicrocode\tTransistors\n---\t\t-----\t---------\t-----------\nuVAX 32\t\t2\t64K\t\t101K\nVLSI uVAX\t9\t480K\t\t1250K\n\n--\nReal:  Deryk Barker, Computer Science Dept., Camosun College, Victoria B.C.\nEmail: (dbarker@camosun.bc.ca)\nPhone: +1 604 370 4452\n',
 "From: kai_h@postoffice.utas.edu.au (Kai Howells)\nSubject: Re: Ray tracer for ms-dos?\nOrganization: University of Tasmania\nLines: 33\n\nIn article <1r1cqiINNje8@srvr1.engin.umich.edu>,\ntdawson@llullaillaco.engin.umich.edu (Chris Herringshaw) wrote:\n> \n> \n> Sorry for the repeat of this request, but does anyone know of a good\n> free/shareware program with which I can create ray-traces and save\n> them as bit-mapped files?  (Of course if there is such a thing =)\n> \n> Thanks in advance\n> \n> Daemon\n\nPPPPP    OOOOO  V     V  Persistance Of Vision Raytracer.\nP    P  O     O V     V\nP    P  O     O V     V\nPPPPP   O     O V     V\nP       O     O  V   V\nP       O     O   V V\nP        OOOOO     V\n\nAvailable on archie and wuarchive in graphics type directories.\n\nPS It's freeware.\n\n--\n\n      _/_/_/                         \n    _/                                        Kai Howells.\n   _/         _/_/_/   _/ _/_/   _/  _/_/_/  kai_h@postoffice.utas.edu.au\n    _/_/    _/     _/ _/_/   _/ _/ _/       35 Mortimer Ave\n       _/  _/     _/ _/     _/ _/ _/       New Town TAS 7008\n      _/  _/     _/ _/     _/ _/ _/       Ph. Within Australia 002 286 110\n_/_/_/     _/_/_/  _/     _/ _/   _/_/_/  Elsewhere:        +61 02 286 110\n",
 "From: tsa@cellar.org (The Silent Assassin)\nSubject: Re: Please Recommend 3D Graphics Library For Mac.\nOrganization: The Cellar BBS and public access system\nLines: 22\n\nrgc3679@bcstec.ca.boeing.com (Robert G. Carpenter) writes:\n\n> Hi Netters,\n> \n> I'm building a CAD package and need a 3D graphics library that can handle\n> some rudimentry tasks, such as hidden line removal, shading, animation, etc.\n> \n> Can you please offer some recommendations?\n\nIt's really not that hard to do.  There are books out there which explain\neverything, and the basic 3D functions, translation, rotation, shading, and\nhidden line removal are pretty easy.  I wrote a program in a few weeks witht\nhe help of a book, and would be happy to give you my source.\n\tAlso, Quickdraw has a lot of 3D functions built in, and Think pascal\ncan access them, and I would expect that THINK C could as well.  If you can\nfind out how to use the Quickdraw graphics library, it would be an excellent\nchoice, since it has a lot of stuff, and is built into the Mac, so should be\nfast.\n\nLibertarian, atheist, semi-anarchal Techno-Rat.\n\nI define myself--tsa@cellar.org\n",
 'From: wein1@ccwf.cc.utexas.edu (david weinberg)\nSubject: Re: Octopus in Detroit?\nOrganization: The University of Texas at Austin, Austin TX\n The tradition of the octopus started back in the 1950s. It was tradition to toss an octopus out on the ice during the first play-off games because you needed eight wins for Stanely Cup.  Today people toss octupi anytime it gets near the   play-offs.\nLines: 3\nNNTP-Posting-Host: sleepy.cc.utexas.edu\n\nDavid\n\n\n',
 'Organization: University of Notre Dame - Office of Univ. Computing\nFrom: <RVESTERM@vma.cc.nd.edu>\nSubject: Re: ugliest swing\n <1993Apr12.235334.25031@ptdcs2.intel.com> <34244@oasys.dt.navy.mil>\nLines: 16\n\nIn article <34244@oasys.dt.navy.mil>, kiviat@oasys.dt.navy.mil (Brian Kiviat)\nsays:\n>\n>What I think is hotdogish about his AB\'s is the way he leans out over\n>the plate to watch outside pitches etc. This not done to get a better\n>look at the pitch, but to make it seem,"this ball is so far out I need\n>to lean just to get near it so you better call it a ball". This is my\n>"unbiased" opinion of what I see. Your mileage will vary.......\n>Rickey is agreat player to watch if you forget who he is at the time.\n\na lot of batters lean in when pitches come.  rickey\'s crouch tends\nto exaggerate that, i think.\n\n"a great player to watch if you forget who he is" - "unbiased"... hmmm...\n\nbob vesterman.\n',
 'From: n8643084@henson.cc.wwu.edu (owings matthew)\nSubject: Re: Riceburner Respect\nArticle-I.D.: henson.1993Apr15.200429.21424\nOrganization: Western Washington University\n \n  The 250 ninja and XL 250 got ridden all winter long.  I always wave.  I\nLines: 13\n\nam amazed at the number of Harley riders who ARE waving even to a lowly\nbaby ninja.  Let\'s keep up the good attitudes.  Brock Yates said in this\nmonths Car and Driver he is ready for a war (against those who would rather\nwe all rode busses).  We bikers should be too.\n\nIt\'s a freedom that we all wanna know\nand it\'s an obsession to some\nto keep the world in your rearview mirror\nwhile you try to run down the sun\n\n"Wheels" by Rhestless Heart\nMarty O.\n87 250 ninja\n73 XL 250 Motosport\n',
 'From: parr@acs.ucalgary.ca (Charles Parr)\nSubject: Dumb options list\nNntp-Posting-Host: acs3.acs.ucalgary.ca\nOrganization: The University of Calgary, Alberta\nLines: 16\n\nThe idea here is to list pointless options. You know, stuff you\nget on a car that has no earthly use?\n\n\n1) Power windows\n\n\n\nAdd as you wish...\n\nRegards, Charles\n-- \nWithin the span of the last few weeks I have heard elements of\nseparate threads which, in that they have been conjoined in time,\nstruck together to form a new chord within my hollow and echoing\ngourd. --Unknown net.person\n',
 'From: willisw@willisw.ENG.CLEMSON.edu (Bill Willis)\nSubject: Re: HELP! Installing second IDE drive\nOrganization: Engineering Services, Clemson University\nLines: 55\n\nIn article <1qn627$iv@darwin.sura.net> wbarnes@sura.net (Bill Barnes) writes:\n\n>Recently my cousin got a second internal IDE drive (a Seagate 210MB,\n>I can look up the model number if it\'s important) and I\'ve been\n>trying to help him install it.  [I\'ve got a vested interest, since\n>my machine\'s busted and I have to use his until I get mine fixed.]\n>He already has a Seagate 85MB IDE HD (again, I forget the model number\n>but I can find out.)\n\n>Anyway, I can\'t seem to get the bloody thing up.  I\'ve managed to get\n>one or the other drive up (with the other disconnected), but not both\n>at the same time; whenever I try, the thing hangs during bootup -\n>never gets past the system test.  The IDE controller\'s instruction\n>sheet says it supports two drives; I think I\'ve configured the CMOS\n>correctly; the power\'s plugged in properly; I even learned about the\n>master/slave relationship that two HDs are supposed to have (didn\'t\n>know PCs were into S&M! 8^) and I think I configured the jumpers\n>properly (the 85MB one is the master, the new 210MB one is the slave).\n\n>The only thing I can think of is maybe I\'m doing the cabling wrong.  I\'ve\n>tried several combinations:\n\n>controller - master - slave\n>controller - slave - master\n>master - controller - slave\n\n>None of them worked.  Unfortunately, I can\'t think of any others.\n\n>Another possibility is that the 85MB one is already partitioned into\n>two seperate drives, C and D, and the CMOS asks for "C: drive" and "D:\n>drive" setup info rather than "drive 1" and "drive 2" like most others\n>I\'ve seen.  Could this be confusing things?\n\n>So, I need HELP!  The drive came bereft of any docs, except for some\n>info for the CMOS setup; the controller has a little piece of paper\n>about the size of an index card; I cannibalized the cable (it\'s one\n>of those with a connector at each end and the one in the middle, so\n>it looks like a serial connection); now I be lost!\n\n>Many, many thanks in advance!  This is practically an emergency (I have\n>two papers to do on this thing for Monday!)!  Help!\n>-- \n>-----------------------\n>William Barnes         SURAnet Operations\n>wbarnes@sura.net       (301) 982-4600 voice  (301) 982-4605 fax\n>Disclaimer:  I don\'t speak for SURAnet and they don\'t speak for me.\nI\'ve been told by our local computer guru that you can\'t do this unless you \nperform a low level format on your existing hard drive and set your system \nup for two hard drives from the beginning.  I took him at his word, and I \nhave not tried to find out any more about it, because I\'m not going to back \neverything up just to add another HDD.  If anyone knows for sure what the \nscoop is, I would like to know also.  Thanks in advance also.\n\nBill Willis\n\n',
 'From: bobbe@vice.ICO.TEK.COM (Robert Beauchaine)\nSubject: Re: After 2000 years, can we say that Christian Morality is\nOrganization: Tektronix Inc., Beaverton, Or.\nLines: 18\n\nIn article <C5Jxru.2t8@news.cso.uiuc.edu> cobb@alexia.lis.uiuc.edu (Mike Cobb) writes:\n>What do you base your belief on atheism on?  Your knowledge and reasoning? \n>COuldn\'t that be wrong?\n>\n\n  Actually, my atheism is based on ignorance.  Ignorance of the\n  existence of any god.  Don\'t fall into the "atheists don\'t believe\n  because of their pride" mistake.\n\n\n/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\/\\\\ \n\nBob Beauchaine bobbe@vice.ICO.TEK.COM \n\nThey said that Queens could stay, they blew the Bronx away,\nand sank Manhattan out at sea.\n\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n',
 'From: Peter Todd Chan <pc1o+@andrew.cmu.edu>\nSubject: Klipsch Forte 2 SPKRS 4 Sale\nOrganization: Fifth yr. senior, Electrical and Computer Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 14\nNNTP-Posting-Host: po3.andrew.cmu.edu\n\nITEM: Klipsch Forte 2 Speakers\nCONDITION: Mint\nAGE: 6 months old\n\nPRICE: $1000/pair (retail: $1400/pair)\n\nThese speakers are in perfect condition and used only in audiophile system.\nThey are floor standing and come with all the original packagaing and\nliterature. They are also still under warranty. If you are interested or\nhave  any questions, please feel free to e-mail (pc1o@andrew.cmu.edu) or call\nme at home.\nThanks,\nJon\n(412) 882-6425\n',
 "From: pmhudepo@cs.vu.nl (Hudepohl PMJ)\nSubject: Re: Windows hangs on 486DX33???\nOrganization: Fac. Wiskunde & Informatica, VU, Amsterdam\nLines: 49\n\nwlieftin@cs.vu.nl (Liefting W) writes:\n: Hello all you windows freaks out there.\n: \n: I bought Windows 3.1 (dutch version) some time ago, and run it on a\n: 286. I recently upgraded my computer to a 486DX33, 256K cache, 4M memory,\n: 212M Maxtor HD. Works real fine, but not with windows.\n: \n: When playing Patience (SOL) or minesweeper, suddenly the system hangs:\n: - I just can't move my mouse anymore.\n: or\n: - Screen goes blank, nothing further\n: or\n: - Screen goes blank, computer seems to reboot, but stops before reaching\n: the end of the memory test.\n: \n: Once (or maybe even twice) I got a message about some illegal kernel call\n: or something (accompanied by a hex adress) and a close-button. When pressing\n: it, the application wouldn't close, though.\n: \n: I haven't experienced this problem with other programs than these, but that's\n: mainly because I haven't really used other programs. I suspect them to hang \n: too.\n: \n: Anything known about this problem. (Or, better, any patches available?)\n: \n: \n: Oh, forgot to tell, if, in CMOS RAM, I make the computer faster (higher\n: bus speed, less wait states, enable both caches etc), the crash comes\n: faster (after 10 min. or so). If I deliberately slow the system down\n: (slow bus speed, wait states, disable internal/external cache, no\n: shadowing) the crash comes later, but comes.\n: \n: Hope anyone can help.\n: \n: Wouter.\n: \n: \n\nHi,\n\nI got a problem too, with a 486DX2-66 VLB, 4 Mb RAM,  170Mb disk.\nSometimes, when I switch on the computer, it starts Windows (3.1 Dutch)\nWindows switches to 1024x768, switches back to text-mode and exits\nto DOS. After one or two resets, the system works fine...\n\nThanks\nPatrick\nVU Amsterdam\n\n",
 'From: atterlep@vela.acs.oakland.edu (Cardinal Ximenez)\nSubject: Re: A question that has bee bothering me.\nOrganization: National Association for the Disorganized\nLines: 18\n\nwquinnan@sdcc13.ucsd.edu (Malcusco) writes:\n\n>Especially as we approach a time when Scientists are trying to match God\'s \n>ability to create life, we should use the utmost caution.\n\n  I question the implications of this statement; namely, that there are certain\nphysical acts which are limited to God and that attempting to replicate these\nacts is blasphemy against God.  God caused a bush to burn without being\nconsumed--if I do the same thing, am I usurping God\'s role?  \n  Religious people are threatened by science because it has been systematically\nremoving the physical "proofs" of God\'s existence.  As time goes on we have to\nrely more and more on faith and the spiritual world to relate to God becuase\nscience is removing our props.  I don\'t think this is a bad thing.\n\nAlan Terlep\t\t\t\t    "Incestuous vituperousness"\nOakland University, Rochester, MI\t\t\t\natterlep@vela.acs.oakland.edu\t\t\t\t   --Melissa Eggertsen\nRushing in where angels fear to tread.\t\t\n',
 'From: dlecoint@garnet.acns.fsu.edu (Darius_Lecointe)\nSubject: Re: Eternity of Hell (was Re: Hell)\nOrganization: Florida State University\nLines: 26\n\nvic@mmalt.guild.org (Vic Kulikauskas) writes:\n> Our Moderator writes:\n> \n> > I\'m inclined to read descriptions such as the lake of fire as \n> > indicating annihilation. However that\'s a minority view.\n> ...\n> > It\'s my personal view, but the only denominations I know of that hold \n> > it officially are the JW\'s and SDA\'s.\n> \n> I can\'t find the reference right now, but didn\'t C.S.Lewis speculate \n> somewhere that hell might be "the state of once having been a human \n> soul"?\nWhy is it that we have this notion that God takes some sort of pleasure\nfrom punishing people?  The purpose of hell is to destroy the devil and\nhis angels.\n\nTo the earlier poster who tried to support the eternal hell theory with\nthe fact that the fallen angels were not destroyed, remember the Bible\nteaches that God has reserved them until the day of judgement.  Their\njudgement is soon to come.\n\nLet me suggest this.  Maybe those who believe in the eternal hell theory\nshould provide all the biblical evidence they can find for it.  Stay away\nfrom human theories, and only take into account references in the bible.\n\nDarius\n',
 "From: robertt@vcd.hp.com (Bob Taylor)\nSubject: Re: Canon BJ200 (BubbleJet) and HP DeskJet 500...\nOrganization: Hewlett-Packard VCD\nX-Newsreader: Tin 1.1 PL5\nLines: 26\n\nJustin Whitton (ma90jjw%isis@ajax.rsre.mod.uk) wrote:\n: In article <C60EKI.Kvp@vcd.hp.com> edmoore@vcd.hp.com (Ed Moore) writes:\n: \n:    thomas.d.fellrath.1@nd.edu@nd.edu wrote:\n: \n:    I think the ink now used in the DeskJet family is water-fast. \n: \n: I've had pictures ruined by a few drops of rain. These were colour pictures\n: from a DeskJet 500C. Mind you, it could have been acid rain:-)\n\nThe black ink is waterfast, but the color isn't\n\n: \n: I use a BJ10ex. Ink dries fast, but it really doesn't like getting wet.\n: \n: --\n: /-----------------------------------------------------------------------------\\\\\n: |Justin Whitton at ma90jjw%hermes@uk.mod.relay |Where no man has gone before..|\n: |after August mail ma90jjw@brunel.ac.uk.       \\\\------------------------------|\n: |Disclaimer: My opinions count for nothing, except when the office is empty.  |\n: |I'm a student => intelligence = 0.                                           |\n: \\\\-----------------------------------------------------------------------------/\n\nBob Taylor\nHP Vancouver\n\n",
 'From: aas7@po.CWRU.Edu (Andrew A. Spencer)\nSubject: Re: Dumb options list\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 21\nReply-To: aas7@po.CWRU.Edu (Andrew A. Spencer)\nNNTP-Posting-Host: slc5.ins.cwru.edu\n\n\nIn a previous article, parr@acs.ucalgary.ca (Charles Parr) says:\n\n>The idea here is to list pointless options. You know, stuff you\n>(can) get on a car that has no earthly use?\n\n1) a fitting that allows you to generate household current with\nthe engine running, and plug ins in the trunk, engine compartment\nand cabin.\n\nFeel free to add on...\n\nRegards, Charles\nx\n-- \nWithin the span of the last few weeks I have heard elements of\nseparate threads which, in that they have been conjoined in time,\nstruck together to form a new chord within my hollow and echoing\ngourd. --Unknown net.person\n\n:-)\n',
 'From: goudswaa@fraser.sfu.ca (Peter Goudswaard)\nSubject: Re: More Diamond SS 24X\nOrganization: Simon Fraser University, Burnaby, B.C., Canada\nLines: 23\n\ndil.admin@mhs.unc.edu (Dave Laudicina) writes:\n\n>Has anyone experienced a faint shadow at all resolutions using this\n>card. Is only in Windows. I have replaced card and am waiting on \n>latest drivers. Also have experienced General Protection Fault Errors\n>in WSPDPSF.DRV on Winword Tools Option menu and in WINFAX setup.\n>I had a ATI Ultra but was getting Genral Protection Fault errors\n>in an SPSS application. These card manufactures must have terrible\n>quality control to let products on the market with so many bugs.\n>What a hassle. Running on Gateway 2000 DX2/50.\n>Thx Dave L\n\nMight the problem not be with the video monitor instead?  Many of our\nmonitors, as they age, develop shadows on white and bright colors.\n\n-- \n Peter Goudswaard                  _________                     _________\n goudswaa@sfu.ca (preferred)      |         |      __/^\\\\__      |         |\n pgoudswa@cln.etc.bc.ca           |         |      \\\\     /      |         |\n pgoudswa@cue.bc.ca               |         |   _/\\\\_\\\\   /_/\\\\_   |         |\n                                  |         |   >           <   |         |\n "There\'s no gift like the present"         |    >_________<    |         |\n    - Goudswaard\'s observation    |_________|         |         |_________|\n',
 'From: vech@Ra.MsState.Edu (Craig A. Vechorik)\nSubject: Re: More MOA stuff --- like the RA\nNntp-Posting-Host: ra.msstate.edu\nOrganization: Mississippi State University\nLines: 12\n\nFrom what I\'ve seen in my 17 years as an MOA member, most of the folks\nin the RA are also in the MOA... I guess it\'s called covering all the\nbases to get some idea of what is really happening.. How else does one\nthink the RA gets all the juicey news about what\'s happen\' inside the \nMOA?\n\nNihilism isn\'t for everyone, not that it really matters!\nCraig Vechorik\nBMW MOA Ambassador  (and ya, I finally sent my bucks into the RA too)\n"REAL BMW\'s have TWO wheels"  <--- politically correct statement\nDOD #843\n\n',
 "From: aruit@idca.tds.philips.nl (Anton de Ruiter)\nSubject: ??? TOP-30 WINDOWS applications ???\nOrganization: Digital Equipment Enterprise bv, Apeldoorn, The Netherlands.\nLines: 36\n\n\nHello everybody,\n\nI am searching for (business) information of Windows application, to create a\nTOP-30 of most used WordProcessors, Spreadsheets, Drawing programs, Schedulers\nand Fax programs, etc..\n\nPlease mail me all your information or references.  I will summaries the\nresults on this media.\n\n\nThank you in advance,\n\nAnton de Ruiter.\n\n+----------------------------------------------------------------------------+\n|  _                       __            |Digital Equipment Corporation      |\n| /_| __ /_ _  __  __/_   /__)   ./_ _  _|WorkGroup Products (WGP)           |\n|/  |/ /(_ (_)/ / (_/(-' / \\\\ (_//(_ (-'/ |OBjectWorks (OBW)                  |\n|                                        |Ing. Anton de Ruiter MBA           |\n|                                        |Software Product Manager           |\n|                     __                 |Post Office Box 245                |\n|       |   /_  _ /_ / _'_ _     _       |7300 AE  Apeldoorn, The Netherlands|\n|       |/|/(_)/ /\\\\ (__// (_)(_//_)      |Oude Apeldoornseweg 41-45          |\n|                              /         |7333 NR  Apeldoorn, The Netherlands|\n|          __                            |-----------------------------------|\n|         /__)_ _  __/   _  /_  _        |Mail    : HLDE01::RUITER_A         |\n|        /   / (_)(_/(_/(_ (_ _\\\\         |DTN     : 829-4359                 |\n|                                        |Location: APD/F1-A22               |\n|                                        |-----------------------------------|\n|     __  _                              |Internet: aruit@idca.tds.philips.nl|\n|    /  )/_) ._  _  /_ |   /_  _ /_  _   |UUCP    : ..!mcsun!philapd!aruit   |\n|   (__//__)/(-'(_ (_  |/|/(_)/ /\\\\ _\\\\    |Phone   : 31 55   434359 (Business)|\n|         _/                             |Phone   : 31 5486 18199  (Private) |\n|                                        |Fax     : 31 55   432199           |\n+----------------------------------------------------------------------------+\n",
 'From: higgins@fnalf.fnal.gov (Bill Higgins-- Beam Jockey)\nSubject: *Doppelganger* (was Re: Vulcan? No, not Spock or Haphaestus)\nOrganization: Fermi National Accelerator Laboratory\nLines: 22\nDistribution: world\nNNTP-Posting-Host: fnalf.fnal.gov\n\nIn article <1qju0bINN10l@rave.larc.nasa.gov>, C.O.EGALON@LARC.NASA.GOV (CLAUDIO OLIVEIRA EGALON) writes:\n> There was a Science fiction movie sometime ago (I do not remember its \n> name) about a planet in the same orbit of Earth but hidden behind the \n> Sun so it could never be visible from Earth. \n\nThis was known as *Journey to the Far Side of the Sun* in the United\nStates and as *Doppelganger* in the U.K.  It was produced by the great\nteam of Gerry and Sylvia Anderson (whose science was usually a bit\nbetter than this).  It may have been their first production using live\nactors-- they were better known for their technophilic puppet shows,\nsuch as *Supercar*, *Stingray*, and *Thunderbirds*.  Later, they went\non to do more live-action SF series: *UFO* and *Space: 1999*.\n\nThe astronomy was lousy, but the lifting-body spacecraft, VTOL\nairliners, and mighty Portugese launch complex were *wonderful* to\nlook at.\n\nBill Higgins, Beam Jockey              | In a churchyard in the valley\nFermi National Accelerator Laboratory  | Where the myrtle doth entwine\nBitnet:           HIGGINS@FNAL.BITNET  | There grow roses and other posies\nInternet:       HIGGINS@FNAL.FNAL.GOV  | Fertilized by Clementine.\nSPAN/Hepnet:           43011::HIGGINS  |\n',
 'From: salaris@niblick.ecn.purdue.edu (Rrrrrrrrrrrrrrrabbits)\nSubject: Satan and MTV\nOrganization: Purdue University Engineering Computer Network\nLines: 25\n\nSomewhere, someone told me that Satan was the angel in charge of\nmusic in heaven, and on top of that, he was the most beautiful\nof the angels.  Isn\'t it funny that these days how MTV has become\nthe "bible" of music and beauty these days.  MTV controls what bands\nare popular, no matter how bad they are.  In fact, it is better to\nbe politically correct - like U2, Madonna - than to have any\nmusical talent.  Then of course, you have this television station\nthat tells us all how to dress.  Think about it, who started the\nretro-fashion craze??  MTV and Madonna.  Gag.\n\nAnyway, just food for thought.  It is really my own wierd theory.\n\nIf Revelation was to come true today, I think MTV would the "ever\nchanging waters" (music and fashion world) that the beast would\narise from, and Madonna will be the whore of Babylon, riding the\nbeast and drinking the blood of the martyrs.\n\nHmmmm....great idea for a book/movie.....\n\n\n--\nSteven C. Salaris                We\'re...a lot more dangerous than 2 Live Crew\nsalaris@carcs1.wustl.edu         and their stupid use of foul language because\n\t\t\t\t we have ideas.  We have a philosophy.\n\t\t\t\t\t      Geoff Tate -- Queensryche\n',
 'From: tclock@orion.oac.uci.edu (Tim Clock)\nSubject: Re: How many Mutlus can dance on the head of a pin?\nArticle-I.D.: news.2BC0D53B.20378\nOrganization: University of California, Irvine\nLines: 28\nNntp-Posting-Host: orion.oac.uci.edu\n\nIn article <1993Apr5.211146.3662@mnemosyne.cs.du.edu> jfurr@nyx.cs.du.edu (Joel Furr) writes:\n>In article <3456@israel.nysernet.org> warren@nysernet.org writes:\n>>In <C4xKBx.53F@polaris.async.vt.edu> jfurr@polaris.async.vt.edu (Joel Furr) writes:\n>>>How many Mutlus can dance on the head of a pin?\n>>\n>>That reminds me of the Armenian massacre of the Turks.\n>>\n>>Joel, I took out SCT, are we sure we want to invoke the name of he who\n>>greps for Mason Kibo\'s last name lest he include AFU in his daily\n>>rounds?\n>\n>I dunno, Warren.  Just the other day I heard a rumor that "Serdar Argic"\n>(aka Hasan Mutlu and Ahmed Cosar and ZUMABOT) is not really a Turk at all,\n>but in fact is an Armenian who is attempting to make any discussion of the\n>massacres in Armenia of Turks so noise-laden as to make serious discussion\n>impossible, thereby cloaking the historical record with a tremendous cloud\n>of confusion.  \n\n\nDIs it possible to track down "zuma" and determine who/what/where "seradr" is?\nIf not, why not? I assu\\\\me his/her/its identity is not shielded by policies\nsimilar to those in place at "anonymous" services.\n\nTim\nD\nD\nD\nVery simpl\n',
 'From: root@zeos.com (Superuser)\nSubject: ZEOS VESA Video Changes & Specs\nOrganization: Zeos International, Ltd\nLines: 61\n\n\nAs most of you know, we have recently changed our standard VESA local-bus\nvideo card from our own NCR-based card to the new Diamond Stealth 24 VLB card\nfor packages 2, 3, and 4 (package #1 still has the NCR "screamer\').  We also have\nadded the $149 upgrade from the Stealth 24 or NCR to the Diamond Viper to our\nproduct list.  Below are the comparisons of the different cards in the\nconfigurations we will offer:\n\n                     NCR              Stealth 24 VLB        Viper VLB\n64Ox480 Colors       16,256           16,256,32K,64K,16.7M 16,256,32K,64K,16.7M *\n8OOx6OO Colors       16,256           16,256,32K,64K        16,256,32K,64K *\n1024x768 Colors      16,256           16,256                16,256\n1280x1024 Colors     16               16                    16\nVideo Processor      NCR 77C22E+      S3 86C805             Weitek Power 9000\nVideo RAM            1M               1M                    1M\nMax RAM addressable\n  by Vid Processor   3M               2M                    2M\nRAM Type             DRAM             DRAM                  VRAM\nUser RAM Upgrade?    No (no sockets)  No (no sockets)       Yes (thru\nDiamond)\n64Ox480 Refresh      60-72 Hz         60-72   Hz            60-72   Hz\n8OOx6OO Refresh      56-72 Hz         56-72   Hz            56-72   Hz\n1024x768 Refresh     44-70 Hz         43-72   Hz            43-72   Hz\n128Oxl024 Refresh    43 Hz            43-60   Hz            43-74   Hz\n26 pin VESA\n  Feature Connector  No               Yes                   No \nConflict with x2E8\n  port addr (COM4)   No               YES*                  No*\nDrivers for:\n  Win 3.1            Yes              Yes                   Yes\n  ACad    9/10/11    Yes              Yes                   Yes\n  ACad 12            No               Yes**                 Yes**\n  VESA               Yes              Yes                   Yes\n  OS/2,     WinNT    NO***            NO***                 NO***\nWin 3.1 WINMARKS     10.5M****        21 M****              50M****\n\n\n^L\n*    Viper VLB with 2M of video RAM also gives 8OOx6OO 16.7M, 1024x768 32K &\n     64K, and 1280xl 024 256 color.  S3-based cards, since they are downward\n     compatible, will have the conflict with 2E8.  Diamond admits conflict will\n     exist with the Stealth 24.  The prelim Viper manual incorrectly lists the \n     S3 port addresses.  No conflict. \n\n\n**   AutoCAD 12 drivers are now currently available for Stealth, SpeedSTAR\n     24X, Stealth 24 VLB, and Viper VLB.  They can only be obtained from\n     Diamond Tech Support, 408-736-2000 and NOT on any BBS. \n\n**   OS/2 2.0 is supported for Standard VGA for all cards.  SVGA drivers\n     available in the near future.  Windows NT is not released yet, and no\n     drivers are available currently.  Diamond hopes to have all current\n     products supported in the Win NT release, on the NT disks.\n\n***  NCR testing is coming from tests ran in our tech support department was \n    at ZEOS at 1024x768x256 on Zeos DX2-66. These results are not official.\n    Diamond results are from their own DX2-66, 1024x768 256 colors @ 7OHz \n    refresh.\n\n\n\n',
 "From: yongje@hardy.u.washington.edu (Yong Je Lim)\nSubject: Dealer cheated me with wrong odometer reading. Need help!\nOrganization: University of Washington, Seattle\nLines: 14\nDistribution: usa\nNNTP-Posting-Host: hardy.u.washington.edu\n\nHere is a story.  I bought a car about two weeks ago.  I finally can\nget hold of the previous owner of the car and got all maintanence\nhistory of the car.  In between '91 and '92, the instrument pannel \nof the car has been replaced and the odometer also has been reset\nto zero.  Therefore, the true meter reading is the reading before\nreplacement plus current mileage.  That shows 35000 mile difference\ncomparing to the mileage on the odometer disclosure from.  The \ndealer never told me anything about that important story.\n\nI hope that I can return the car with full refund.  Do u think this\nis possible?  Does anyone have similar experiences?  Any comments\nwill be appreciated.  Thanks.\n\nyongje@u.washington.edu \n",
 "From: mathew <mathew@mantis.co.uk>\nSubject: Re: <Political Atheists?\nOrganization: Mantis Consultants, Cambridge. UK.\nX-Newsreader: rusnews v1.01\nLines: 11\n\nmccullou@snake2.cs.wisc.edu (Mark McCullough) writes:\n> I think you mean circular, not recursive, but that is semantics.\n> Recursiveness has no problems, it is just horribly inefficient (just ask\n> any assembly programmer.)\n\nTail-recursive functions in Scheme are at least as efficient as iterative\nloops.  Anyone who doesn't program in assembler will have heard of optimizing\ncompilers.\n\n\nmathew\n",
 'From: rwf2@ns1.cc.lehigh.edu (ROBERT WILLIAM FUSI)\nSubject: Re: Most bang for $13k\nOrganization: Lehigh University\nLines: 32\n\nIn article <23056.74.uupcb@cutting.hou.tx.us>, david.bonds@cutting.hou.tx.us (Da\nvid Bonds) writes:\n>In rec.autos, CPKJP@vm.cc.latech.edu (Kevin Parker) writes:\n> I\'d like to get some feedback on a car with most bang for the buck in the\n> $13000 to 16,000 price range. I\'m looking for a car with enough civility to be\n> driven every day, or even on long trips, but when I hit the gas, I want to fee\nl\n>\n>Take a look at a \'91 Taurus SHO - they can be found for ~13k, and are the\n>ultimate in 4 door sports cars.  Performance similar to a Mustang, but\n>quite civil and comfortable...  Try to get a late model 91 for the better\n>shifter.\n>\n>\n\n>----\n>The Cutting Edge BBS (cutting.hou.tx.us)   A PCBoard 14.5a system\n>Houston, Texas, USA   +1.713.466.1525          running uuPCB\n\n>Well, you could always go with a 5.0 Mustang LX with a pleasant V8, but the\ndiamond star cars (Talon/Eclipse/Laser) put out 190 hp in the turbo models,\nand 195 hp in the AWD turbo models,  These cars also have handling to match\nthe muscle, and are civil in regular driving conditions, rather than having a\nharsh, stiff ride....The AWD Turbo is clearly the better choice of the two\n(because of all that torque steer on the front drive model), but you may have\nto go with a leftover or "slightly" used model for that price range....tough\ndecision...\n\n        Rob Fusi\n        rwf2@lehigh.edu\n\n-- \n',
 'From: dewinter@prl.philips.nl (Rob de Winter)\nSubject: WANTED: Info on Asymetrix/Toolbook\nOriginator: dewinter@prl.philips.nl\nOrganization: Philips Research Laboratories, Eindhoven, The Netherlands\nLines: 17\n\nDoes anyone know the phone and fax number of the Asymetrix\nCorporation. I am also interested in their e-mail address.\n\nI would also like to know what the current status of their product Toolbook\nis. I received the last update 1.5 about 1.5 year ago. Are their any new\ndevelopments or is Toolbook slowly dying?\n\nRegards,\n\nRob de Winter.\n\n\n-- \n*** Nothing beats skiing, if you want to have real fun during holidays. ***\n***       Rob de Winter  Philips Research, IST/IT, Building WL-1        ***\n***       P.O. Box 80000, 5600 JA  Eindhoven. The Netherlands           ***\n***       Tel: +31 40 743621  E-mail: dewinter@prl.philips.nl           ***\n',
 'From: dzk@cs.brown.edu (Danny Keren)\nSubject: Re: Ten questions about Israel\nOrganization: Brown University Department of Computer Science\nLines: 21\n\ncpr@igc.apc.org (Center for Policy Research) writes:\n\n# 3.      Is it true that Israeli stocks nuclear weapons ? If so,\n# could you provide any evidence ?\n\nYes, Israel has nuclear weapons. However:\n\n1) Their use so far has been restricted to killing deer, by LSD addicted\n   "Cherrie" soldiers.\n\n2) They are locked in the cellar of the "Garinei Afula" factory, and since\n   the Gingi lost the key, no one can use them anymore.\n\n3) Even if the Gingi finds the key, the chief Rabbis have a time lock\n   on the bombs that does not allow them to be activated on the Sabbath\n   and during weeks which follow victories of the Betar Jerusalem soccer\n   team. A quick glance at the National League score table will reveal\n   the strategic importance of this fact.\n\n-Danny Keren.\n\n',
 'From: gsu0033@uxa.ecn.bgu.edu (Eric Molas)\nSubject: Re: Playoff predictions\nOrganization: Educational Computing Network\nLines: 53\nNNTP-Posting-Host: uxa.ecn.bgu.edu\n\n\n>1st round: \n>----------\n\n>PITT vs NYI:  PITT in 4.  \n>WASH vs NJD:  WASH in 6. \n\n>BOS  vs BUF:  BOS  in 5. \n>QUE  vs MON:  MON  in 7. \nI\'d have to take Quebec in 6.\n\n>CHI  vs STL:  CHI in 4. \n\nHawks will win, but it will take 5.\n>DET  vs TOR:  DET in 6. \n\n>VAN  vs WIN:  WIN in 6. \n>CAL  vs  LA:  CAL in 5. \nCal in 7.\n>2nd round: \n>----------\n\n>PITT vs WASH: PITT in 4. \n>BOS  vs MON:  BOS  in 6. \nBoston will beat Quebec in 6.\n>CHI  vs DET:  CHI  in 7. \n>WIN  vs CAL:  CAL  in 5. \n\n>3rd round: \n>----------\n\n>PITT vs BOS:  PITT in 5. \nPitt in 6. The Bruins arent a pushover.\n>CHI  vs CAL:  CHI  in 5. \nThe hawks havent had problems with them  all year. Yep, I agree.\n>Finals:\n>------\n\n>PITT vs CHI: PITT in 5. \nUnless the Hawks can somehow change fate, you\'re right.  \n\nWho knows, though.  Maybe some intensive forechecking aka normal Hawks\nstyle will nullify a seemingly unbeatable team.  Maybe the Pens are due\nfor a let-down.  Hell, how could they _possibly_ extend their record\nmaking play all the way through the playoffs.? \n\n>=============================================\n>Walter\n\n-- \n//Damien Endemyr the Unpure Knight of Doom                          //\n//"So I\'ve acquired a taste for blood and have adopted a nocturnal  //\n//lifestyle.  That Doesnt mean I\'m a vampire....."                  //\n',
 'From: jbh55289@uxa.cso.uiuc.edu (Josh Hopkins)\nSubject: Re: Russian Operation of US Space Missions.\nOrganization: University of Illinois at Urbana\nLines: 10\n\nI know people hate it when someone says somethings like "there was an article \nabout that somewhere a while ago" but I\'m going to say it anyway.  I read an\narticle on this subject, almost certainly in Space News, and something like\nsix months ago.  If anyone is really interested in the subject I can probably\nhunt it down given enough motivation.\n-- \nJosh Hopkins                                          jbh55289@uxa.cso.uiuc.edu\n          "Tout ce qu\'un homme est capable d\'imaginer, d\'autres hommes\n            \t     seront capable de le realiser"\n\t\t\t -Jules Verne\n',
 'From: bob1@cos.com (Bob Blackshaw)\nSubject: Re: Dumbest automotive concepts of all time\nOrganization: Corporation for Open Systems\nDistribution: world \nLines: 56\n\nIn <C5HI0B.26C@constellation.ecn.uoknor.edu> callison@uokmax.ecn.uoknor.edu (James P. Callison) writes:\n\n>In article <1993Apr13.220105.26409@slcs.slb.com> dcd@se.houston.geoquest.slb.com (Dan Day) writes:\n>>In article <93Apr08.202003.27851@acs.ucalgary.ca> parr@acs.ucalgary.ca (Charles Parr) writes:\n>>>As a long time motorcyclist, I have never understood what\n>>>posessed auto builders to put delicate controls, which must\n>>>be used with skill and finesse, like clutches and brakes,\n>>>on the floor.\n>>>\n>>>Why not hand control? It\'s much much easier.\n>>\n>>In the early days, neither of these functions had power-assist, so\n>>only legs had enough strength to activate them.  Since then, it\'s\n>>been traditional and people would have a hard time getting\n>>used to anything else.  \n\n>Well, where, exactly, would you put a hand clutch and brake? On\n>a motorcycle, it\'s easy; the handlebars have a very limited\n>range of turning. Steering wheels, on the other hand, turn around\n>and around and around...which is fine for electrical relays (like\n>your cruise control and airbag)--but how many of you want to\n>lose your clutch and/or brake due to a short circuit?\n\nShades of the Edsel! They had pushbuttons in the steering wheel hub\nthat controlled the auto tranny. It was very disconcerting to shift\ninto reverse when turning a corner and the wires shorted.\n\n>There are workarounds, but there\'s really no reason to use hand\n>power on a car\'s clutch or brakes, and lightening them to the\n>point that they are "finesse" controls suitable for hand use\n>would increse the mechanical complexity substantially (look at\n>power brakes and non-power brakes for an example).\n\n>>I saw an experimental car that had a joystick instead of a steering\n>>wheel...\n\n>That\'s about useless, IMHO. \n\n>>>Another automotive oddity is separate keys for trunks, doors, and\n>>>ignitions. Why on earth would you want this?\n>>\n>>I know *I* don\'t.\n\n>I want a separate trunk key for security reasons; it gives me a totally\n>separate, lockable container. For door and ignition....ehhh, the same key\'s\n>OK, I guess.\n\n>\t\t\t\tJames\n\n>James P. Callison    Microcomputer Coordinator, U of Oklahoma Law Center \n>Callison@uokmax.ecn.uoknor.edu   /\\\\    Callison@aardvark.ucs.uoknor.edu   \n>DISCLAIMER: I\'m not an engineer, but I play one at work...\n>\t\tThe forecast calls for Thunder...\'89 T-Bird SC\n>   "It\'s a hell of a thing, killing a man. You take away all he has \n>\tand all he\'s ever gonna have." \n>\t\t\t--Will Munny, "Unforgiven"\n',
 'From: bassili@cs.arizona.edu (Amgad Z. Bassili)\nSubject: Copt-Net Newsletter[4]\nLines: 18\n\nThis is to let you know that the fourth issue of the Copt-Net Newsletter \nhas been issued. The highlights of this issue include:\n\n\n 1. Easter Greating: Christ is risen; Truly he is risen!\n 2. The Holy Family in Egypt (part 1)\n 3. Anba Abraam, the Friend of the Poor (part 4)\n 4. A review of the Coptic Encyclopedia\n 5. A new Dictionary of the Coptic Language\n\n\nThis Newsletter has been prepared by  members  of  Copt-Net,  a  forum\nwhere news, activities, and services of  the  Coptic Orthodox Churches\nand  Coptic communities outside Egypt are coordinated  and  exchanged.\nIf you want your name to be included in the mailing  list, or have any  \nquestions please contact Nabil Ayoub at <ayoub@erctitan.me.wisc.edu>.\n\nCopt-Net Editorial Board\n',
 'From: arnie@magnus.acs.ohio-state.edu (Arnie Skurow)\nSubject: Re: Live Free, but Quietly, or Die\nArticle-I.D.: magnus.1993Apr6.184322.18666\nOrganization: The Ohio State University\nLines: 14\nNntp-Posting-Host: bottom.magnus.acs.ohio-state.edu\n\nIn article <C52nnt.J3I@dartvax.dartmouth.edu> Russell.P.Hughes@dartmouth.edu (R\nussell P. Hughes) writes:\n>What a great day! Got back home last night from some fantastic skiing\n>in Colorado, and put the battery back in the FXSTC. Cleaned the plugs,\n>opened up the petcock, waited a minute, hit the starter, and bingo it\n>started up like a charm! Spent a restless night anticipating the first\n>ride du saison, and off I went this morning to get my state inspection\n>done. Now my bike is stock (so far) except for HD slash-cut pipes, and\n                                     ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nTherein lies the rub.  The HD slash cut, or baloney cuts as some call\nthem, ARE NOT STOCK mufflers.  They\'re sold for "off-road use only,"\nand are much louder than stock mufflers.\n\nArnie\n',
 'From: ch981@cleveland.Freenet.Edu (Tony Alicea)\nSubject: Re: Rosicrucian Order(s) ?!\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 22\nReply-To: ch981@cleveland.Freenet.Edu (Tony Alicea)\nNNTP-Posting-Host: hela.ins.cwru.edu\n\n\nIn a previous article, ba@mrcnext.cso.uiuc.edu (B.A. Davis-Howe) says:\n\n>\n>ON the subject of how many competing RC orders there are, let me point out the\n>Golden Dawn is only the *outer* order of that tradition.  The inner order is\n>the Roseae Rubeae et Aurae Crucis.  \n>\n\n\tJust wondering, do you mean the "Lectorium Rosicrucianum"?\nWarning: There is no point in arguing who\'s "legit" and who\'s not. *WHICH*\nGolden Dawn are you talking about?\n\n\tJust for the sake of argument, (reflecting NO affiliation)\nI am going to say that the TRUE Rosicrucian Order is the Fraternitas\nRosae Crucis in Quakertown, Penn.,\n\n\tAny takers? :-)\n\nFraternally,\n\nTony\n',
 'From: young@serum.kodak.com (Rich Young)\nSubject: Re: Barbecued foods and health risk\nOriginator: young@sasquatch\nNntp-Posting-Host: sasquatch\nReply-To: young@serum.kodak.com\nOrganization: Clinical Diagnostics Division, Eastman Kodak Company\nLines: 24\n\nIn article <C5Mv3v.2o5@world.std.com> rsilver@world.std.com (Richard Silver) writes:\n>\n>Some recent postings remind me that I had read about risks \n>associated with the barbecuing of foods, namely that carcinogens \n>are generated. Is this a valid concern? If so, is it a function \n>of the smoke or the elevated temperatures? Is it a function of \n>the cooking elements, wood or charcoal vs. lava rocks? I wish \n>to know more. Thanks. \n\n   From THE TUFTS UNIVERSITY GUIDE TO TOTAL NUTRITION: Stanley Gershoff, \n   Ph.D., Dean of Tufts University School of Nutrition; HarperPerennial, 1991\n   (ISBN #0-06-272007-4):\n\n\t"The greatest hazard of barbecuing is that the cook will not use\n\t enough caution and get burned.  Some people suggest that the\n\t barbecuing itself is dangerous, because the smoke, which is \n\t absorbed by the meat, contains benzopyrene, which, in its pure form,\n\t has been known to cause cancer in laboratory animals.  However,\n\t in order to experience the same results, people would have to\n\t consume unrealistically large quantities of barbecued meat at a\n\t time."\n\n\n-Rich Young (These are not Kodak\'s opinions.)\n',
 "From: Hans Meyer <hmmeyer@silver.ucs.indiana.edu>\nSubject: Logitech Scanman 256\nOrganization: Indiana University\nLines: 15\n\nI would like to sell my Logitech Hand-held 256 Gray Scale Scanner. I\noriginally bought it as a toy and have no practical use for it. Hardly\never used it.\n\nPackage includes:\n-board\n-Scan-Mate software\n-Ansel Image Editing software\n-All original manuals, box, etc.\n\nOriginally bought for $350 in Jan '92.\nSelling for $150.\n\nIf interested, let me know.\n-Hans Meyer\n",
 'From: uzun@crash.cts.com (Roger Uzun)\nSubject: WinMarks?  Where can I get it\nArticle-I.D.: crash.1993Apr05.152921.24454\nOrganization: CTS Network Services (crash, ctsnet), El Cajon, CA\nLines: 6\n\nWhere can I get the Winmarks benchmark to run on my PC?\nvia ftp would be best.\n-Roger\n--------------------------------------------------------------\nbix: ruzun\nNET: uzun@crash.cts.com\n',
 'From: livesey@solntze.wpd.sgi.com (Jon Livesey)\nSubject: Re: After 2000 years, can we say that Christian Morality is\nOrganization: sgi\nLines: 23\nNNTP-Posting-Host: solntze.wpd.sgi.com\n\nIn article <1qkq9t$66n@horus.ap.mchp.sni.de>, frank@D012S658.uucp (Frank O\'Dwyer) writes:\n|> \n|> I\'ll take a wild guess and say Freedom is objectively valuable.  I base\n|> this on the assumption that if everyone in the world were deprived utterly\n|> of their freedom (so that their every act was contrary to their volition),\n|> almost all would want to complain.  Therefore I take it that to assert or\n|> believe that "Freedom is not very valuable", when almost everyone can see\n|> that it is, is every bit as absurd as to assert "it is not raining" on\n|> a rainy day.  I take this to be a candidate for an objective value, and it\n|> it is a necessary condition for objective morality that objective values\n|> such as this exist.\n\nMy own personal and highly subjective opinion is that freedom\nis a good thing.\n\nHowever, when I here people assert that the only "true" freedom\nis in following the words of this and that Messiah, I realise\nthat people don\'t even agree on the meaning of the word.\n\nWhat does it mean to say that word X represents an objective\nvalue when word X has no objective meaning?\n\njon.\n',
 'From: ray@netcom.com (Ray Fischer)\nSubject: Re: x86 ~= 680x0 ?? (How do they compare?)\nOrganization: Netcom. San Jose, California\nLines: 11\n\nd88-jwa@hemul.nada.kth.se (Jon Wtte) writes ...\n>But the interesting comparision is how fast clock-cycle chips\n>you can get - an Alpha is WAY slow at 66 MHz, but blazes at\n>200 MHz.\n\nThe only problem is going to be finding someone who can make a 200MHz\ncomputer system.  Could be tough.\n\n-- \nRay Fischer                   "Convictions are more dangerous enemies of truth\nray@netcom.com                 than lies."  -- Friedrich Nietzsche\n',
 'From: mufti@plsparc.UUCP (Saad Mufti)\nSubject: FAQ for this group\nDistribution: usa\nOrganization: Personal Library Software, Inc.\nLines: 11\n\nCould some kind soul point me in the right direction for the\nFAQ list for this group.\n\nThanks.\n\n--------------------\nSaad Mufti\nPersonal Library Software\n\ne-mail : mufti@pls.com\n\n',
 "From: sylveste@ecs.umass.edu\nSubject: Re: Ultimate AWD vehicles\nLines: 24\n\nIn article <Apr09.084236.19413@engr.washington.edu>, eliot@lanmola.engr.washington.edu (eliot) writes:\n> In article <1q34huINNjrv@uwm.edu> qazi@csd4.csd.uwm.edu writes:\n>>  Subarus don't sell that well, although the percentage of Subes purchased\n>>  with AWD is probably relatively high. \n> \n> 56% of all subarus sold are 4wd/awd.\n> \n>> Audi is backing down on the number\n>>  of models it offers with AWD.  Before, one could purchase an 80 or 90 with\n>>  AWD, but now it is reserved strictly for the top line model; the same goes\n>>  for the 100/200.\n> \n> the 80/80Q has been eliminated from the US lineup, but the 90 is still\n> available in quattro version, though it is hardly cheap.  they are\n> still true to their pledge of making 4wd an option on their entire\n> line of cars.  now, if only they will bring in the s4 wagon..\n> \n> eliot\n\nBefore the S4 became the S4 it was called the 200 turbo quattro 20v.\nThis model did come in a wagon, a very quick wagon.  Very rare also.\n\n                                                   Mike Sylvester  Umass\n\n",
 'From: geb@cs.pitt.edu (Gordon Banks)\nSubject: Re: Patient-Physician Diplomacy\nReply-To: geb@cs.pitt.edu (Gordon Banks)\nOrganization: Univ. of Pittsburgh Computer Science\nLines: 18\n\nIn article <1993Mar29.130824.16629@aoa.aoa.utc.com> carl@aoa.aoa.utc.com (Carl Witthoft) writes:\n\n>What is "unacceptable" about this is that hospitals and MDs by law\n>have no choice but to treat you if you show up sick or mangled from\n>an accident.  If you aren\'t rich and have no insurance, who is going\n>to foot your bills?  Do you actually intend to tell the ambulance\n>"No, let me die in the gutter because I can\'t afford the treatment"??\n\nBy law, they would not be allowed to do that anyhow.\n\n\n\n\n-- \n----------------------------------------------------------------------------\nGordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\ngeb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n----------------------------------------------------------------------------\n',
 "From: jdnicoll@prism.ccs.uwo.ca (James Davis Nicoll)\nSubject: Re: Why DC-1 will be the way of the future.\nOrganization: University of Western Ontario, London\nNntp-Posting-Host: prism.engrg.uwo.ca\nLines: 9\n\n\tHmmm. I seem to recall that the attraction of solid state record-\nplayers and radios in the 1960s wasn't better performance but lower\nper-unit cost than vacuum-tube systems.\n\n\tMind you, my father was a vacuum-tube fan in the 60s (Switched\nto solid-state in the mid-seventies and then abruptly died; no doubt\nthere's a lesson in that) and his account could have been biased.\n\n\t\t\t\t\t\t\tJames Nicoll\n",
 'From: tedr@athena.cs.uga.edu (Ted Kalivoda)\nSubject: Rom 9-11 article ready..requests\nOrganization: University of Georgia, Athens\nLines: 14\n\nA section of Richard Badenas\' book, "Christ The End of the Law, Romans 10.14 \nin Pauline Perspective."  The section I have is on the Contextual setting and \nmeaning of Romans 9-11.  In addition, there are 111 endnotes.\n\nSince the file is so long, and because of other reasons, I will take requests\nfor the article personally.\n\nOf course, I believe Badenas\' insights to be true, and, quite damaging to the\ntraditional Augustinian/Calvinist view.\n\n====================================          \nTed Kalivoda (tedr@athena.cs.uga.edu)\nUniversity of Georgia, Athens\nUCNS/Institute of Higher Ed. \n',
 'Organization: University of Notre Dame - Office of Univ. Computing\nFrom: <RVESTERM@vma.cc.nd.edu>\nSubject: Re: Jewish Baseball Players?\n <1qkkodINN5f5@jhunix.hcf.jhu.edu> <C5L9vC.3r6@world.std.com>\nLines: 10\n\nIn article <C5L9vC.3r6@world.std.com>, Eastgate@world.std.com (Mark Bernstein)\nsays:\n>\n>(Which reminds me: do they still serve Kosher hot dogs at the new Comiskey?)\n>\n\nyup.  with onions, of all things.\n\nbob vesterman.\n\n',
 "From: wcs@anchor.ho.att.com (Bill Stewart +1-908-949-0705)\nSubject: Re: An Open Letter to Mr. Clinton\nOrganization: Sorcerer's Apprentice Cleaning Services\nIn-Reply-To: strnlght@netcom.com's message of Sat, 17 Apr 1993 04:41:19 GMT\nNntp-Posting-Host: rainier.ho.att.com\nLines: 26\n\nIn article <strnlghtC5M2Cv.8Hx@netcom.com> strnlght@netcom.com (David Sternlight) writes:\n   Here's a simple way to convert the Clipper proposal to an unexceptionable\n   one: Make it voluntary.\n\n   That is--you get high quality secure NSA classified technology if you agree\n   to escrow your key. Otherwise you are on your own.\n\nThat's the disturbing part - use of other products IS voluntary, for now,\nand the press releases talk about the White House's unwillingness to\ndecide that citizens have a right to good commercial crypto gear,\nand about how commercial alternatives will be permitted as long as\nthey provide key escrow services.  That's a clear implication that\nthey're considering banning alternatives.\n\nAdditionally, use of real alternatives ISN'T totally legal -\nyou're not allowed to export really good crypto equipment except to\nthe government's friends (e.g. the Australian government)\nyou can only export even BAD crypto equipment with their permission,\nand the regulators who control the cellular telephone companies make\nsure there are only two competitors, so Joe's Garage Cellular can't\nstart offering a secure service.  \n--\n#\t\t\t\tPray for peace;      Bill\n# Bill Stewart 1-908-949-0705 wcs@anchor.att.com AT&T Bell Labs 4M312 Holmdel NJ\n#\t              No, I'm *from* New Jersey, I only *work* in cyberspace....\n# White House Commect Line 1-202-456-1111  fax 1-202-456-2461\n",
 'From: ds0007@medtronic.COM (Dale M. Skiba)\nSubject: Re: BIBLICAL CONTRADICTIONS and Archer\nNntp-Posting-Host: bass.pace.medtronic.com\nOrganization: Medtronic, Inc.\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 27\n\nJenny Anderson (jennya@well.sf.ca.us) wrote:\n\n: medtronic.COM (Dale M. Skiba) entirely missed my point in my previous\n: posting, in which I wrote:\n\n: : firmly on the western coast of the Med.  You can bet IUm gonna keep this\n: baby\n\n: >My my my, such double standards.  You neglected to give any primary sources\n: >for your book,  _Encyclopedia of the Bible_.  Are we to expect that source\n: >to be as unbiased as the other sources...  MR. Butler *DID* give at least\n: >one source, you have given none.\n\n: REPLY\n\n: It was a JOKE.  The Readers digest _Encyclopedia of the Bible_ was the most\n: outrageously bogus *authority* I could dredge from my shelves.\n: I was trying to point out that going to some encyclopedia, rather than\n:  original or scholarly sources is a BIG MISTAKE in procedure.  I am glad\n: to note that Butler and DeCesno are arguing about substance now,\n: rather than about arguing.\n\nI guess the joke was on me...  I am so used to seeing bogus stuff\nposted here that I assumed that yours was necessarily the same.\n\n--\nDale Skiba\n',
 'From: roger@crux.Princeton.EDU (Roger Lustig)\nSubject: Re: Jewish Baseball Players?\nOriginator: news@nimaster\nNntp-Posting-Host: crux.princeton.edu\nReply-To: roger@astro.princeton.edu (Roger Lustig)\nOrganization: Princeton University\nLines: 39\n\nIn article <1993Apr15.221049.14347@midway.uchicago.edu> thf2@midway.uchicago.edu writes:\n>In article <1qkkodINN5f5@jhunix.hcf.jhu.edu> pablo@jhunix.hcf.jhu.edu (Pablo A Iglesias) writes:\n>>In article <15APR93.14691229.0062@lafibm.lafayette.edu> VB30@lafibm.lafayette.edu (VB30) writes:\n>>>Just wondering.  A friend and I were talking the other day, and\n>>>we were (for some reason) trying to come up with names of Jewish\n>>>baseball players, past and present.  We weren\'t able to come up\n>>>with much, except for Sandy Koufax, (somebody) Stankowitz, and\n>>>maybe John Lowenstein.  Can anyone come up with any more.  I know\n>>>it sounds pretty lame to be racking our brains over this, but\n>>>humor us.  Thanks for your help.\n\n>>Hank Greenberg would have to be the most famous, because his Jewish\n>>faith actually affected his play. (missing late season or was it world\n>>series games because of Yom Kippur)\n\n>The other Jewish HOF\'er is Rod Carew (who converted).  \n\nDid he ever really convert?  He married a Jewish woman, but I\'ve never\nheard him say he converted.  Elliot Maddox, on the other hand...\n\n>Lowenstein is Jewish, as well as Montana\'s only representative to the\n>major leagues.\n\n>Undeserving Cy Young award winner Steve Stone is Jewish.  Between Stone,\n>Koufax, Ken Holtzman (? might have the wrong pitcher, I\'m thinking of the\n>one who threw a no-hitter in both the AL and NL), and Big Ed Reulbach,\n>that\'s quite a starting rotation.  Moe Berg can catch.  Harry Steinfeldt,\n>the 3b in the Tinkers-Evers-Chance infield.\n\nYep, Holtzman.  Saul Rogovin won an ERA title in 1949 or so before blowing out\nthe arm.\n\n>Is Stanky Jewish?  Or is that just a "Dave Cohen" kinda misinterpretation?\n>Whatever, doesn\'t look like he stuck around the majors too long.\n\nI\'d be surprised.  btw, they may just be shopping Gallego around to\nmake room for AS.\n\nRoger\n',
 'From: mike@inti.lbl.gov (Michael Helm)\nSubject: Re: Religion and history; The real discuss\nOrganization: N.I.C.E.\nLines: 38\nReply-To: mike@inti.lbl.gov (Michael Helm)\nNNTP-Posting-Host: 128.3.128.82\n\nMatthew Huntbach writes:\nsm[?]>a real Christian unless you\'re born again is a very fundamental biblical\nsm[?]>conversion and regeneration are \'probably\' part of some small USA-based cult\n\n>the "born-again" tag often use it to mean very specifically\n>having undergone some sort of ecstatic experience (which can in\n>fact be very easily manufactured with a little psychological manipulation),\n>and are often insultingly dismissive of those whose\n>Christianity is a little more intellectual, is not the result\n\nSome of these "cults", which seems like a rather dismissive term\nto me, are pretty big here in the USA.  Most of them\nare quite respectable & neiborly & do not resemble Branch Davidians\nin the least; confusing them is a mistake.  What about "live &\nlet live", folks?  I\'m sure we can uncover a few extremist loonies\nwho are Catholic -- the anti-abortion movement in the USA seems to have a\nfew hard cases in it, for example.\n\n>I\'ve often heard such people use the line "Catholics aren\'t\n>real Christians". Indeed, anyone sending "missionaries" to\n>Ireland must certainly be taking this line, for otherwise why\n>would they not be content for Christianity to be maintained in\n>Ireland in its traditional Catholic form?\n\nI have to agree Matthew with this; I have certainly encountered a lot\nof anti-Catholic-religion propaganda & emotion (& some bigotry) from\nmembers of certain religious groups here.  They also practice their\nmissionary work with zeal among Catholics in the United States, but to\nsomeone who is or was raised Catholic such rhetoric is pretty\noff-putting.  It may work better in an environment where there\'s a lot\nof popular anti-clericalism.\n\nFollow-ups set elsewhere, this no longer seems very relevant to Celtic issues\nto me.\n-- \n\n\n\n',
 'From: jmd@cube.handheld.com (Jim De Arras)\nSubject: Re: ATF BURNS DIVIDIAN RANCH! NO SURVIVORS!!!\nOrganization: Hand Held Products, Inc.\nLines: 48\nDistribution: world\nNNTP-Posting-Host: dale.handheld.com\n\nIn article <1r0v4c$i1j@menudo.uh.edu> HADCRJAM@admin.uh.edu (MILLER, JIMMY A.)  \nwrites:\n> In <1r0poqINNc4k@clem.handheld.com> jmd@cube.handheld.com writes:\n> \n> > In article <C5rDAw.4s4@dartvax.dartmouth.edu> zed@Dartmouth.EDU (Ted  \n> > Schuerzinger) writes:\n> > Well, it\'s now Tuesday morning.  Where are those two arsons, now?  I said  \n> > yesterday they would vanish, and there has been no further mention of them,  \n> > just the desired "impression" is left.\n> \n>   According to KIKK radio in Houston, all nine survivors are either in hos-\n> pitals or in jails.  Inlucding the two who allegedly helped start the firess.\n\nIn the FBI briefing, no mention was made of having the fire starters in  \ncustody.\n> \n> > Why could no one else even talk to them?  Why could Koresh\'s grandmother  \nnot  \n> > talk to him or even send him a taped message?  Why the total isolation?\n> \n>   Well, it wasn\'t TOTAL, 100% isolation.  After the lawyer snuck in the first\n> time, they (the FBI, etc) let him go back inside several times, including, I\n> think, the day before the final assualt.\n> \n\nWhy not his mother?  Why not the media?\n\n> semper fi,\n> \n> Jammer Jim Miller \n> Texas A&M University \'89 and \'91\n>  \n_______________________________________________________________________________ \n_\n>  I don\'t speak for UH, which is too bad, because they could use the help.     \n> "Become one with the Student Billing System. *BE* the Student Billing  \nSystem."\n>  "Power finds its way to those who take a stand.  Stand up, Ordinary Man."    \n>       ---Rik Emmet, Gil Moore, Mike Levine: Triumph \t\t              \n\n--\njmd@handheld.com\n-------------------------------------------------------------------------------\n"I\'m always rethinking that.  There\'s never been a day when I haven\'t rethought  \nthat.  But I can\'t do that by myself."  Bill Clinton  6 April 93\n"If I were an American, as I am an Englishman, while a foreign troop was landed  \nin my country, I never would lay down my arms,-never--never--never!"\nWILLIAM PITT, EARL OF CHATHAM 1708-1778 18 Nov. 1777\n',
 'From: mccall@mksol.dseg.ti.com (fred j mccall 575-3539)\nSubject: Re: Market or gov failures\nArticle-I.D.: mksol.1993Apr6.133130.8998\nDistribution: sci\nOrganization: Texas Instruments Inc\nLines: 52\n\nIn <C4tCL8.7xI.1@cs.cmu.edu> 18084TM@msu.edu (Tom) writes:\n\n\n>[Fred saying that gov coercive poser is necessary for any space program]\n\n>I reply;\n>>>BTW, Fred, you\'ve really crossed the border, since you admit that the ideas\n>>>you support can only be carried out with coercive power.  Now that\'s really\n>>>f***in\' intolerant, so get off yer high horse about tolerance.\n\n>Fred replies;\n>>No, Tommy, I "admit" that there are such things as \'market failures\'\n>>which necessitate intervention by other than capitalist forces to\n>>correct.\n\n>I guess your understanding of this \'market failure\' should be classified\n>under Phil\'s \'economics on the level of 19th century medicine\', since you\n>apparently completely ignored that this \'market failure\' can as easily,\n>or even much more easily, be attributed to "government intervention\n>failure".  So, in addition to a strong moral argument against what you\n>propose, there is also a strong utilitarian argument, namely that gov\'s\n>destruction of wealth through confiscastory taxation and redistribution\n>on a major scale has made significant private capital investments harder\n>to make.\n\nI note that you make no such case as you claim can be \'even more\neasily made\'.  Yes, the argument can (and has) been made that current\ngovernment policy creates even larger market barriers than there were\nin the first place, but there is no such term as \'government failure\',\nsince the government can change policies whenever it pleases.  The\nmarket doesn\'t do that and is governed by (relatively) well-understood\nforces.  This libertopican bilge about \'moral arguments\' about\ntaxation, etc., is, at bottom, so much simplistic economic thinking.\nIt can only be \'justified\' by cliche derision of anyone who knows more\nabout economics than the libertopian -- which is what invariably\nhappens.  Tripe a la Tommy, the new libertopian dish.\n\n>>Get a clue, little boy, and go salve your wounded pride in my not\n>>considering you infallible in some other fashion.  I\'m not interested\n>>in your ego games.\n\n>Puh-leese, Fred.  This, besides being simply an attempt to be insulting,\n>really belongs on private mail.  If \'ego-games\' are so unimportatnt to\n>you, why the insults and this strange negative attatchment for me?\n\nWherever do you get this inflated idea of your own importance?\n\n-- \n"Insisting on perfect safety is for people who don\'t have the balls to live\n in the real world."   -- Mary Shafer, NASA Ames Dryden\n------------------------------------------------------------------------------\nFred.McCall@dseg.ti.com - I don\'t speak for others and they don\'t speak for me.\n',
 'From: rjwade@rainbow.ecn.purdue.edu (Robert J. Wade)\nSubject: Re: \'93 Grand Am (4 cyl)\nOrganization: Purdue University Engineering Computer Network\nLines: 16\n\nIn article <HOLCOMB.93Apr19073907@wgermany.ctron.com> holcomb@ctron.com (Edgar W. Ii Holcomb) writes:\n>In article <Apr.18.12.24.26.1993.19337@remus.rutgers.edu> wilmott@remus.rutgers.edu (ray wilmott) writes:\n>\n>   Hi all. A while back I was asking for info about a few different\n>   models, the Grand Am being one of them. Response was generally\n>   favorable; one thing often repeated was "go for the V6 for some\n>   real power". Point well taken, but...does anybody have any input\n>   on the 4 cylinders (both the standard OHC, and the "Quad 4")?\n>Ray,\n>\n>The High-Output Quad 4 delivers 175 hp (185 for the WF41 Quad 4), whereas\n>the 3.1L V6 offered in the Grand Am delivers 140 hp.  I own a Beretta GTZ\n\nooppss...the v6 in the grand am is the 3.3. litre, not the 3.1.  the 3.3 is\na downsized version of buicks 3.8 litre v6.  the 3.1 v6 goes in the beretta \nand corsica.\n',
 "From: ski@wpi.WPI.EDU (Joseph Mich Krzeszewski)\nSubject: Re: Need to find out number to a phone line\nOrganization: Worcester Polytechnic Institute\nLines: 9\nNNTP-Posting-Host: wpi.wpi.edu\n\nWell, this is my second try at posting on this subject. Here goes...\n\tIn Texas (Corpus Christi at least) if you pick up the phone and dial\n\t890 the phone company will read the number of the phone you are on \n\tback to you. I believe the service department uses this to make\n\tcertain they are repairing the correct lines when they open the BIG\n\tjunction boxes. I don't know if it will work but you can give it a\n\ttry. Good luck.\n \n\n",
 'From: CROSEN1@ua1vm.ua.edu (Charles Rosen)\nSubject: Lots of runs\nNntp-Posting-Host: ua1vm.ua.edu\nOrganization: The University of Alabama, Tuscaloosa\nLines: 4\n\nI have noticed that this year has had a lot of high scoring games (at least the\nNL has).  I believe one reason are the expansion teams.  Any thoughts?\n \nCharles\n',
 'From: mouse@thunder.mcrcim.mcgill.edu (der Mouse)\nSubject: Re: X-server multi screen\nOrganization: McGill Research Centre for Intelligent Machines\nLines: 42\n\nIn article <1qlop6$sgp@sun3.eeam.elin.co.at>, rainer@sun3.eeam.elin.co.at (Rainer Hochreiter) writes:\n\n> I\'ve seen a lot of different terms, which seem to mean the same\n> thing.  Who can give an exact definition what these terms mean:\n\n> \t-) multi-screen\n> \t-) multi-headed\n> \t-) multi-display\n> \t-) X-Server zaphod mode\n\nAs applied to servers, the first three are fuzzy terms.  "multi-headed"\ntends to be used for any system with multiple monitors, sometimes even\nmultiple screens even if they\'re multiplexed onto the same monitor (eg,\na Sun with a cg4 display).  "multi-screen" and "multi-display" would,\nif taken strictly, mean different things, but since the strict meaning\nof "multi-display" would refer to a system with multiple keyboards and\npointers, when it\'s used it probably refers to the same thing\n"multi-screen" would: a system that provides multiple Screens.\n\n"zaphod" is a term applied to the way the MIT server switches the\npointer from one screen to another by sliding it off the side of the\nscreen.\n\n> Is there a limit how many screens/displays a single server can handle\n> (in an articel a read something about an upper limit of 12) ?\n\nThere is a protocol limitation that restricts a given Display to at\nmost 255 Screens.  I know of no server that handles multiple Displays\non a single invocation, unless possibly my kludges to the R4 server can\nbe looked upon as such; on a TCP-based system there is necessarily a\nlimit of 65535 Displays per machine, but this is not a limitation\ninherent to X.\n\nWhat you read was most likely talking about a limit in some particular\nimplementation (probably the MIT one).  If it claimed there was a limit\nof 12 inherent to X, the author of the article had no business writing\nabout X.\n\n\t\t\t\t\tder Mouse\n\n\t\t\t\tmouse@mcrcim.mcgill.edu\n',
 'Subject: Re: Bates Method for Myopia\nFrom: jc@oneb.almanac.bc.ca\nOrganization: The Old Frog\'s Almanac, Nanaimo, B.C.\nKeywords: Bates method\nSummary: Proven a hoax long ago\nLines: 15\n\nDr. willian Horatio Bates born 1860 and graduated from med school\n1885.  Medical career hampered by spells of total amnesia.  Published in\n1920, his great work "The Cure of Imperfect Eyesight by Treatment With-\nout Glasses", He made claims about how the eye actually works that are\nsimply NOT TRUE.  Aldous Huxley was one of the more "high profile"\nbeleivers in his system.  Mr. Huxley while giving a lecture on Bates system\nforgot the lecture that he was supposedely reading and had to put the\npaper right up to his eyes and then resorted to a magnifying glass from\nhis pocket.  book have been written debunking this technique, however\nthey remain less read than the original fraud.  cheers\n\n           jc@oneb.almanac.bc.ca (John Cross)\n     The Old Frog\'s Almanac  (Home of The Almanac UNIX Users Group)    \n(604) 245-3205 (v32)    <Public Access UseNet>    (604) 245-4366 (2400x4)\n        Vancouver Island, British Columbia    Waffle XENIX 1.64  \n',
 'Organization: University of Illinois at Chicago, academic Computer Center\nFrom: Jason Kratz <U28037@uicvm.uic.edu>\nSubject: Statement to everyone on t.p.g\nLines: 24\n\nOk, here goes.  Yes folks, I realize I have stuck my foot in my mouth\nquite a few times already so please let me make some clarifications.  My\ninaccurate information in my posts was due to lack of knowledge.  Thanks\nto you kind (and some not so kind) people I am learning.   Some people\nhave given me several good points to ponder and I see how I was wrong.\nIn no way was this inaccurate information supposed to be trying to\nfurther the anti-gun cause.  I have said several times before (but\nnobody seemed to be listening) that I am pro-gun and anti-gun-control.\n\nAs far as the race can of worms that I have opened up I have only one\nthing to say - I am in no way prejudiced.  Some of the things I have\nstated were said to demonstrate that I am not prejudiced and/or a racist\nbut I have been accused of being too aware of race and prejudiced.  I will not\nsay anymore about that subject because no matter what I say it will be the\nwrong thing.\n\nBoy, what a start to being on a new group.  Oh well, things have been\nworse in my life.\n\nI hope this clears things up but I guess that will remain to be seen.\n\nBy for now,\n\nJason\n',
 "From: rab@well.sf.ca.us (Bob Bickford)\nSubject: Re: More technical details\nNntp-Posting-Host: well.sf.ca.us\nOrganization: Whole Earth 'Lectronic Link\nLines: 15\n\n\nAnother objection occurred to me.  There was a comment about how\nsupposedly there would only be one decode box, operated by the FBI.\nThis is flat ridiculous, and I don't believe it for a millisecond.\nEven *if* they in fact only build one (or two or some other small\nnumber) of these, that won't stop others from building one.  Make\nit work like two Clipper-chip phones, one listening to each side\nof the recorded conversation.  I'll have to have another look at\nthe specs posted so far, but offhand I didn't see anything that\nwould preclude this sort of thing.....\n--\n        Robert Bickford                       rab@well.sf.ca.us\n Treasurer and Newsletter Editor,    /-------------------------------------\\\\\n Lib. Party of Marin County (CA)     | Don't Blame Me: I Voted Libertarian |\nMember, CA State Central Committee   \\\\-------------------------------------/\n",
 'From: johnh@macadam.mpce.mq.edu.au (John Haddy)\nSubject: Re: Oscilloscope triggering\nOrganization: Macquarie University\nLines: 86\nDistribution: world\nNNTP-Posting-Host: macadam.mpce.mq.edu.au\n\nIn article <1993Apr5.120921.28985@dxcern.cern.ch>, jeroen@dxcern.cern.ch (Jeroen Belleman) writes:\n|> In article <C4vs0G.5ux@murdoch.acc.Virginia.EDU> dgj2y@kelvin.seas.Virginia.EDU (David Glen Jacobowitz) writes:\n|> >\tIs it just me, or does anybody else out there NOT like digital\n|> >scopes. My school has ...\n|> >\n|> >\t\t\t\t\tDavid Jacobowitz\n|> >\t\t\t\t\tdgj2y@virginia.edu\n|> \n|> Oh no you\'re not the only one. Analogue scopes give you (or me, at\n|> least) a fair idea of what\'s going on in a circuit. Digital scopes\n|> seem to have a habit of inventing a sizable part of it. E.g. even\n|> when there are only a few samples per period, our HP54510A displays a\n|> continuous waveform, complete with non-existing overshoots. I\'ve\n|> waded through lots of manual pages and menus, but I haven\'t found yet\n|> how to turn this off. It doesn\'t show which points have actually\n|> been measured, as opposed to those which have been interpolated,\n|> either.\n\nPerhaps you\'re using the wrong brand! (Sorry all HP fans, but I have\na hard time being convinced that their scopes match the rest of their\n(excellent) gear).\n\nOne of the principal functions I look for when considering a DSO is\nwhether you can turn interpolation off. The other important feature\nis to disable repetitive waveform acquisition i.e. being able to lock\nthe instrument into real time capture mode.\n\n|> \n|> Secondly, I don\'t like menus. I want to see all common functions\n|> with their own button. (You\'ll have guessed I love analogue Tek\n|> scopes) I\'d choose a knob with printed legend over an on-screen\n|> display with up-down buttons right away. The single knob of most\n|> digital instruments never seems to be connected to the right function\n|> at the right moment.\n|> \n\nI agree with you here. The only consolation is that manufacturers are\n_beginning_ to pay attention to ergonomics when designing the menus.\nHowever, to be fair, it seems that first time scope users (our students)\nseem to adjust to menus easier than navigating around the twenty or\nmore knobs required of a "real" scope :-)\n\n|> Last but not least, you never know if the waveform displayed is old\n|> or recent, noisy or just incoherently modulated, heck, you don\'t\n|> even know if it really looks the way it\'s displayed. Digital scopes\n|> only show you a tiny fraction of what\'s going on. Most of the time\n|> the\'re busy computing things.\n\nThis is one area that newer DSOs are addressing. I recently evaluated\nthe latest box from Tek - their TDS320 - which seems to be a worthy\nalternative to a standard 100MHz analogue CRO. This instrument has\na 100MHz, 500Ms/s spec, meaning that it is _always_ in real time\ncapture mode. The pricing also matches equivalent analogue scopes in\nthe range. The downer is that the instrument uses menus again, but at\nleast they appear to be logically laid out.\n|> \n|> There are only three situations for which I would prefer a digital\n|> scope: Looking at what happened before the trigger, looking at rare\n|> events, and acquiring the data to have my computer play with it.\n|> \n|> \n|> Let\'s hope scope manufacturers are listening...\n|> \n|> Best regards,\n|> Jeroen Belleman\n|> jeroen@dxcern.cern.ch\n\nOne more thing about the new, "simpler", front panels. These instruments\ntend to use digital rotary encoders as knobs now. This is a vast improvement\nover the old oak switch. The single most common cause of failure in our\nscopes (other than students blowing up inputs!) is mechanical wear on these\nswitches. I look at the new panels as a great step toward increasing the\nlongevity of the instruments.\n\nJohnH\n\n----------------------------------------------------------------------------\n\n      |  _  |_   _   |_|  _   _|  _|              Electronics Department\n    |_| (_) | | | |  | | (_| (_| (_| \\\\/           School of MPCE\n    ---------------------------------/-           Macquarie University\n                                                  Sydney, AUSTRALIA 2109\n\n    Email: johnh@mpce.mq.edu.au, Ph: +61 2 805 8959, Fax: +61 2 805 8983\n\n----------------------------------------------------------------------------\n',
 'From: geb@cs.pitt.edu (Gordon Banks)\nSubject: Re: 3 AIDS Related Questions\nArticle-I.D.: pitt.19428\nReply-To: geb@cs.pitt.edu (Gordon Banks)\nOrganization: Univ. of Pittsburgh Computer Science\nLines: 17\n\nIn article <93088.130924PXF3@psuvm.psu.edu> PXF3@psuvm.psu.edu (Paula Ford) writes:\n\n>we know ours is not HIV+ and people need it.  I think my husband should give\n>blood, especially, because his is O+, and I understand that\'s a very useful\n>blood type.\n>\n\nIt\'s O- that is especially useful.  Still, he isn\'t punishing the\nRed Cross but some O+ person that needed his blood and couldn\'t\nget it.  You are right, nagging probably won\'t help.\n\n\n-- \n----------------------------------------------------------------------------\nGordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\ngeb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n----------------------------------------------------------------------------\n',
 'From: dtmedin@catbyte.b30.ingr.com (Dave Medin)\nSubject: Re: Flyback squeal in video monitors\nReply-To: dtmedin@catbyte.b30.ingr.com\nOrganization: Intergraph Corporation, Huntsville AL\nLines: 41\n\nIn article <1993Mar31.204036.4359@ssc.com>, markz@ssc.com (Mark Zenier) writes:\n|> Zack Lau (zlau@arrl.org) wrote:\n|> : In sci.electronics, xhan@uceng.uc.edu (Xiaoping Han) writes:\n|> : >In article <1993Mar24.163510.158@hubcap.clemson.edu> michaet@hubcap.clemson.edu (Michael D. Townsend) writes:\n|> : >>brendan@macadam.mpce.mq.edu.au (Brendan Jones) writes:\n|> : >>\n|> : >>My mom\'s 25" Magnavox does this as well.  I put chewing gum all around\n|> : >>the horizontal sync transformer so it wouldn\'t resonate the board as\n|> : >>much.  Don\'t flame, it worked.  I realize that there is a more suitable\n|> : >>substance available for this purpose, but I don\'t remember what and\n|> : >>where it is.\n|> : \n|> : >Adhesive silicon, from hardware store.\n|> : \n|> : If it smells like vinegar, it may damage metal surfaces by\n|> : promoting corrosion.  \n|> \n|> Anybody tried Superglue (cyanoacrylate ?).  This should sneak\n|> into the cracks better, and is stiffer than silicone.  \n\nI\'ve found this works pretty well on noisy laminated power\ntransformer cores and windings (the 60Hz kind). Likewise, if\nanybody has tried this on a flyback I\'d like to hear about it.\n\nI would suspect it would not be as effective as it was on power\ntransformers as the material wouldn\'t damp as well--something\nI suspect would be critical at the frequencies involved (in other\nwords, you want absorption rather than prevention which would be\nreal difficult at 15 KHz).\n\n-- \n--------------------------------------------------------------------\n       Dave Medin\t\t\tPhone:\t(205) 730-3169 (w)\n    SSD--Networking\t\t\t\t(205) 837-1174 (h)\n    Intergraph Corp.\n       M/S GD3004 \t\tInternet: dtmedin@catbyte.b30.ingr.com\n  Huntsville, AL 35894\t\tUUCP:  ...uunet!ingr!b30!catbyte!dtmedin\n\n   ******* Everywhere You Look (at least around my office) *******\n\n * The opinions expressed here are mine (or those of my machine)\n',
 'From: fist@iscp.bellcore.com (Richard Pierson)\nSubject: Re: Boom! Hubcap attack!\nNntp-Posting-Host: foxtrot.iscp.bellcore.com\nOrganization: Bellcore\nLines: 57\n\nIn article <speedy.147@engr.latech.edu>, speedy@engr.latech.edu (Speedy\nMercer) writes:\n|> I was attacked by a rabid hubcap once.  I was going to work on a\n|> Yamaha\n|> 750 Twin (A.K.A. "the vibrating tank") when I heard a wierd noise off\n|> to my \n|> left.  I caught a glimpse of something silver headed for my left foot\n|> and \n|> jerked it up about a nanosecond before my bike was hit HARD in the\n|> left \n|> side.  When I went to put my foot back on the peg, I found that it\n|> was not \n|> there!  I pulled into the nearest parking lot and discovered that I\n|> had been \n|> hit by a wire-wheel type hubcap from a large cage!  This hubcap\n|> weighed \n|> about 4-5 pounds!  The impact had bent the left peg flat against the\n|> frame \n|> and tweeked the shifter in the process.  Had I not heard the\n|> approaching \n|> cap, I feel certian that I would be sans a portion of my left foot.\n|> \n|> Anyone else had this sort of experience?\n|> \n\n  Not with a hub cap but one of those "Lumber yard delivery\ntrucks" made life interesting when he hit a \'dip\' in the road\nand several sheets of sheetrock and a dozen 5 gallon cans of\nspackle came off at 70 mph. It got real interesting for about\n20 seconds or so. Had to use a wood mallet to get all the dried\nspackle off Me, the Helmet and the bike when I got home. Thanks \nto the bob tail Kenworth between me and the lumber truck I had\na "Path" to drive through he made with his tires (and threw up\nthe corresponding monsoon from those tires as he ran over\nwhat ever cans of spackle didn\'t burst in impact). A car in\nfront of me in the right lane hit her brakes, did a 360 and\nnailed a bridge abutment half way through the second 360.\n\nThe messiest time was in San Diego in 69\' was on my way\nback to the apartment in ocean beach on my Sportster and\nhad just picked up a shake, burger n fries from jack in\nthe box and stuffed em in my foul weather jacket when the\nmilk shake opened up on Nimitz blvd at 50 mph, nothing\nlike the smell of vanilla milk shake cooking on the\nengine as it runs down your groin and legs and 15 people\nwaiting in back of you to make the same left turn you are.\n-- \n##########################################################\nThere are only two types of ships in the NAVY; SUBMARINES \n                 and TARGETS !!!\n#1/XS1100LH\tDoD #956   #2 Next raise\nRichard Pierson E06584 vnet: [908] 699-6063\nInternet: fist@iscp.bellcore.com,|| UUNET:uunet!bcr!fist  \n#include <std.disclaimer> My opinions are my own!!!\nI Don\'t shop in malls, I BUY my jeans, jackets and ammo\nin the same store.\n\n',
 'From: kxgst1+@pitt.edu (Kenneth Gilbert)\nSubject: Re: Do we need a Radiologist to read an Ultrasound?\nOrganization: University of Pittsburgh\nLines: 31\n\nIn article <1993Apr20.180835.24033@lmpsbbs.comm.mot.com> dougb@ecs.comm.mot.com writes:\n:My wife\'s ob-gyn has an ultrasound machine in her office.  When\n:the doctor couldn\'t hear a fetal heartbeat (13 weeks) she used\n:the ultrasound to see if everything was ok.  (it was)\n:\n:On her next visit, my wife asked another doctor in the office if\n:they read the ultrasounds themselves or if they had a radiologist\n:read the pictures.  The doctor very vehemently insisted that they\n:were qualified to read the ultrasound and radiologists were NOT!\n:\n:[stuff deleted]\n\nThis is one of those sticky areas of medicine where battles frequently\nrage.  With respect to your OB, I suspect that she has been certified in\nultrasound diagnostics, and is thus allowed to use it and bill for its\nuse.  Many cardiologists also use ultrasound (echocardiography), and are\nin fact considered by many to be the \'experts\'.  I am not sure where OBs\nstand in this regard, but I suspect that they are at least as good as the\nradioligists (flame-retardant suit ready).\n    \n   \n   \n   \n   \n\n\n-- \n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-|-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\n=  Kenneth Gilbert              __|__        University of Pittsburgh   =\n=  General Internal Medicine      |      "...dammit, not a programmer!" =\n=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-|-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=\n',
 'Subject: Re: Power, signal surges in home...\nFrom: emd@ham.almanac.bc.ca\nDistribution: world\nOrganization: Robert Smits\nLines: 21\n\nvanderby@mprgate.mpr.ca (David Vanderbyl) writes:\n\n> drand@spinner.osf.org (Douglas S. Rand) writes:\n> \n> >   Hams can legally run up to 1500 watts.  It is very unlikely, however,\n> >   that a ham would be running that kind of power from a car.\n> >\n> >Not possible either.  You\'d need about a 300 amp alternator for\n> >just the amplifier.\n> \n> It is too possible.  As the original poster said "it is very unlikely"\n> but definately possible.  (Can you say batteries?)\n\n\nI\'ve even seen pictures of an installation where the ham pulled a little \ntrailer behind his car with a 4KW generator, and ran the full legal limit \nwhile mobile. I don\'t know what his gas mileage was like, though, or \nwhere he found resonators able to stand the gaff.\n\n\nemd@ham.almanac.bc.ca (Robert Smits Ladysmith BC)\n',
 "From: luriem@alleg.edu(Michael Lurie) The Liberalizer\nSubject: Re: Pleasant Yankee Surprises\nOrganization: Allegheny College\nLines: 9\n\nIn article <120399@netnews.upenn.edu> sepinwal@mail.sas.upenn.edu (Alan  \nSepinwall) writes:\n Farr's ERA is in the\n> \t  20s or 30s, and Howe's is.....infinite. (I didn't think such\n> \t  a thing was possible, but it is). \n\n\nActually, according to USA today, Howe has 1 inning atttributed to him,  \nbut maybe that is incorrect. By the excellent report.\n",
 "From: mserv@mozart.cc.iup.edu (Mail Server)\nSubject: Re: So far so good\nLines: 16\n\n>>This may be a really dumb one, but I'll ask it anyways:\n>>       Christians know that they can never live up to the requirements of  \n>>God, right? (I may be wrong, but that is my understanding)  But they still  \n>>try to do it.  Doesn't it seem like we are spending all of our lives  \n>>trying to reach a goal we can never achieve?  I know that we are saved by  \n>>faith and not by works, but does that mean that once we are saved we don't  \n>>have to do anything?  I think James tells us that Faith without works is  \n>>dead (paraphrase).  How does this work?\n\nShort reply:  We can never achieve perfect health, yet we always strive for it.  \nWe don't seek to do God's will because we're forced to, we follow His way \nbecause His way is best.  The reason it's hard is because we are flawed, not \nbecause He's unreasonable.  But we seek to follow His way because we want to \nimprove ourselves and our lives.\n\n- Mark\n",
 'From: hhm@cbnewsd.cb.att.com (herschel.h.mayo)\nSubject: Re: BRAINDEAD Drivers Who Don\'t Look Ahead--\nOrganization: Chicago Home for the Morally Challenged\nDistribution: usa\nKeywords: bad drivers\nLines: 29\n\nIn article <zdem0a.734809554@hgo7>, zdem0a@hgo7.hou.amoco.com (Donna Martz) writes:\n\n> >So, I block the would-be passers. Not only for my own good , \n>      ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n> >but theirs as well even though they are often too stupid to realize it.\n>  !!! ^^^^^^^^^^^^^^ !!!\n> >As a rule of philosophy, I don\'t feel particularly sorry when somebody gets \n> >offed by his own stupidity, but It does worry me when some idiot is in a \n> >position to cash in my chips, too.\n> >                                                           H.H. Mayo\n> \n> Well, Aren\'t we just Mr. Altruism himself!!   Just what the world needs,\n> another frustrated self appointed traffic cop.\n\n\nWell, if you want to stick the nose of your car up the ass of a 50 foot semi, I\nsuppose it\'s your neck, however, I\'m not going to let you kill me in the bargain.\nIf you get frustrated by somebody delaying your inevitable death due to less that\nwise driving practices, then TOUGH!!!\n\n\n\n\n\n"Thank God for the Fourth of July, for it yearly rids the earth of a considerable\nload of fools"\n\n                                                              Mark Twain\n\n',
 "From: nataraja@rtsg.mot.com (Kumaravel Natarajan)\nSubject: Re: water in trunk of 89 Probe??\nNntp-Posting-Host: opal12\nOrganization: Motorola Inc., Cellular Infrastructure Group\nLines: 39\n\njlong@emcnext2.tamu.edu (James Long) writes:\n\n>In article <1r1crn$27g@transfer.stratus.com> tszeto@sneezy.ts.stratus.com  \n>(Tommy Szeto) writes:\n>> Water gradually builds up in the trunk of my friend's 89 Ford Probe.  Every\n>> once in a while we would have to remove the spare and scoop out the water\n>> under the plywood/carpet cover on the trunk.  I would guess this usually  \n>happens\n>> after a good thunder storm.  A few Qs:\n>> \n>> 1) Is this a common problem?\n>> 2) Where are the drain holes located for the hatch?\n\n>I noticed this is my '89 probe also, when recently cleaning out the back.  I  \n>think the water is coming *up* through some rubber stoppered holes beneath the  \n>spare.  Mine looked slightly worn, and there was no water or water damage above  \n>the level of the spare area. \n\n>This has taken a low priority since I just found out (while rotating my tires)  \n>that I have a torn CV boot - ugh!!\n\nI've got an 89 GT.  It has the smoked taillight assembly.  I think this is where\nthe water is getting in.  When I first got it (had it for a month), one of the rear\ntaillights fogged up with moisture.  I took it in to the dealer and they replaced\nthe entire assembly.  It happened to the other one about 3 months later.  This time\nI happened to look in the spare tire well and noticed water standing in there.  The\ndealer was more reluctant this time to replace it.  But I convinced them to\nfix it.  (They must have had to deal with a number of other probes with the same\nproblem.)  I haven't noticed water in the taillamps (or the trunk) for the last 2.5\nyears, but just last month, the taillamp just fogged up again.  I'm going to try\nto take it back to get them to fix it again.  I'm real tempted to drill some vent\nand drain holes in the tops and bottoms of the assembly and forget about it.  This is\ngetting very annoying. (Almost every other `89 GT I've seen has had this problem.)\n\nVel\n-- \n--------------------------------------------------------------------------------\n-- Vel Natarajan  nataraja@rtsg.mot.com  Motorola Cellular, Arlington Hts IL  --\n--------------------------------------------------------------------------------\n",
 "From: tron@fafnir.la.locus.com (Michael Trofimoff)\nSubject: REQUEST: Gyro (souvlaki) sauce\nOrganization: Locus Computing Corporation, Los Angeles, California\nDistribution: usa\nLines: 12\n\n\nHi All,\n\nWould anyone out there in 'net-land' happen to have an\nauthentic, sure-fire way of making this great sauce that\nis used to adorn Gyro's and Souvlaki?\n\nThanks,\n\n-=< tron >=-\ne-mail: tron@locus.com\t\t*Vidi, vici, veni*\n\n",
 "From: Sean_Oliver@mindlink.bc.ca (Sean Oliver)\nSubject: Re: Need to find out number to a phone line\nOrganization: MIND LINK! - British Columbia, Canada\nLines: 28\n\n> Joseph Mich Krzeszewsk writes:\n>\n> Msg-ID: <1quomg$f6m@bigboote.WPI.EDU>\n> Posted: 19 Apr 1993 17:49:04 GMT\n>\n> Org.  : Worcester Polytechnic Institute\n>\n> Well, this is my second try at posting on this subject. Here goes...\n>         In Texas (Corpus Christi at least) if you pick up the phone and\n> dial\n>         890 the phone company will read the number of the phone you are on\n>         back to you. I believe the service department uses this to make\n>         certain they are repairing the correct lines when they open the BIG\n>         junction boxes. I don't know if it will work but you can give it a\n>         try. Good luck.\n>\n>\n\nWhere I live, I use BCTEL. The number to dial is 211 for the same result.\n\n--\n+--------------------------------------------+\n| Sean Oliver                                |\n| Internet Address: a8647@MINDLINK.BC.CA     |\n|                                            |\n| Mindlink! BBS (604)576-1412                |\n+--------------------------------------------+\n\n",
 'From: seth@cbnewsh.cb.att.com (peter.r.clark..jr)\nSubject: FLYERS notes 4/16\nOrganization: AT&T\nKeywords: FLYERS/Sabres summary, misc stuff\nLines: 283\n\n\nThe FLYERS blew a 3-0 lead over the Buffalo Sabres in the second period, but\nKevin Dineen\'s 7th career hat trick powered them to their 7th consecutive win,\n7-4 over the Sabres who have now lost 7 in a row. Alexander Mogilny led the\ncomeback scoring his 75th and 76th goals of the season which tied the game at\n3 in the 2nd period and 4 in the 3rd. Tommy Soderstrom stopped 41 of 45 shots\non goal to improve his own record to 20-17-6 as he was tested by Mogilny and\nLaFontaine all night.\n\nRoster move:\n\nAndre Faust was once again recalled from Hershey, Shawn Cronin was a healthy\nscratch.\n\nLines:\n\nEklund-Lindros-Recchi\nBeranek-Brind\'Amour-Dineen\nLomakin-Butsayev-Conroy\nFaust-Acton-Brown\n\nGalley-Bowen\nYushkevich-Hawgood\nCarkner-McGill\n\nTommy Soderstrom\n\nGame Summary:\n\nSay, if anybody from Buffalo is reading this, where did you people get that\nwoman who sang the anthems? We had to turn down the volume!\n\nThe FLYERS defense started out the game showing everybody why the FLYERS have\nbeen shutting teams out lately by holding the Sabres to only 8 shots in the\nfirst period. They then showed everybody why they will be playing golf Sunday\nwhen they gave up 37 shots in the last two periods. Maybe Tommy told them that\nhe was getting bored back there...\n\nMark Recchi opened the scoring so fast that if you blinked you missed it. After\nBuffalo won the faceoff and dumped, Tommy wrapped the puck around the boards\nto Eric 1/2 way up on his left. Eric dropped it to Galley, and he sent it ahead\nto Recchi steaming out of the zone. Mark skated into the center circle, passed\nthe puck to himself through the legs of Richard Smehlik, skated around him and\nin on Fuhr. Smehlik was pulling at him all the way through the zone with his\nstick, Recchi drifted right, drifted back left, and slid the puck back to the\nright past Fuhr for a 1-0 FLYERS lead at 0:18. It was so beautiful Eric and\nGarry should turn down their assists :-).\n\nThe FLYERS kept the pressure on Fuhr for a while after that, but he was strong\nand kept the FLYERS from doing further damage. The game then became a defensive\nstruggle for a while. The Sabres got the first chance on the power play when\nTerry Carkner took a boarding minor at 10:26 for crunching Dale Hawerchuk into\nthe boards in the FLYERS zone. LaFontaine got the only scoring chance, and not\na terribly good one, as the FLYERS smothered the Sabres power play. Mogilny got\na post after it was over. The 25th consecutive penalty kill for the FLYERS.\n\nKeith Carney took a holding penalty at 13:31 for taking down Mark Recchi to\ngive the FLYERS a power play. The best penalty killing team in the league\ndidn\'t allow the FLYERS a shot on goal, although the FLYERS did create a\ngood scoring chance for Lindros who partially fanned on his shot. Towards\nthe end of the period the play started going end to end, but everybody kept\nmissing the net. Greg Hawgood took an interference penalty at 18:19 to give\nthe Sabres another power play, but they couldn\'t get anything going and the\nfans expressed their displeasure, particularly when they iced the puck. Shots\nwere 8-6 Buffalo after the FLYERS had led 6-2 at one point.\n\nMike Emrick interviewed FLYERS president Jay Snider between periods. Jay was\ndisappointed to not make the playoffs, but not discouraged. This was considered\na rebuilding year after *The Trade* and he seemed very happy with the way the\nseason went. When asked if he agonized over *The Trade* he said that it was\nRuss Farwell\'s trade and not his, that it only was an issue for him and Ed\nSnider as far as the money. But yes, there was some agonizing, and they\'d do\nit all over again. When asked how the coaching situation would be handled for\nnext year he said that it\'s Russ\' call, and Russ will evaluate things at the\nend of the season. He feels that they\'re 3 years away from a shot at the Cup.\nHe expects to get into the playoffs next year, have a shot at a division title\nthe following year, and a shot at the finals the year after that. This based\non the current level of play and anticipated improvements over the summer.\n\nHe\'s very happy with the re-alignment (he called it "outstanding"). Happy with\nthe current expansion, feels that the talent pool is big enough with the unflux\nof Europeans, but feels that they must make sure existing franchises are stable.\nSeemed to like the idea of playing in the Olympics (booo) but said that there\nwas a definite split among owners and that this certainly would only happen in\nfour years if there was a consensus.\n\nThe Sabres gave the FLYERS their second power play of the game when Brad May\ntook a tripping penalty at 0:51 of the second. The FLYERS had a little trouble\ngetting started, but eventually did. Hawgood took a pass as he was moving\nthroug the neutral zone and handed the puck to Eklund just outside the Sabres\nblue line along the right boards. Eklund carried into the zone nad passed\nacross to Dineen who tried a one timer from between the blue line and the\ntop of the left circle. He half fanned on it, and sent the puck trickling\nthrough the slot. Fuhr didn\'t know where it was, though, and Hawgood won the\nrace to it and flipped it into essentially an open net at 2:15.\n\nThen Mogilny on a breakaway. He slipped through two FLYERS at the blue line\nand went in on Soderstrom. He went with the backhander, but Soderstrom was\nall over it.\n\nThe FLYERS then took some bad discipline type penalties that really hurt them.\nViacheslav Butsayev took a double minor for roughing and high sticking when\nBarnaby got under his skin and drew one minor, then according to Gary Dornhoefer\ntook a dive to get the other (there was no video) at 4:22. The Sabres coudln\'t\nget started. Ryan McGill poked at the puck just after a Sabre carried into the\nFLYERS zone, and after a bunch of people poked at it Dineen emerged with it and\nheaded the other way. It started out a 1 on 1, but Brind\'Amour hustled ahead to\nmake it a 2 on 1 and back off the defenseman. Dineen let it rip from the top\nof the right circle to make it 3-0 FLYERS at 5:40. That was all for Fuhr, John\nMuckler sent in Dominik Hasek to take over.\n\nBut the Sabres still had lots of power play time. Again they took some time to\njust get into the FLYERS zone, and when they finally did the FLYERS were all\nover them. Boos began to ring through the building. But they finally got through\nSoderstrom on an ugly goal. Smehlik took a shot from the top of the zone that\nmissed and kicked out to Hawerchuk in the slot. Hawerchuk tried a backhander as\nhe skated towards the goal line to the right as Galley dove down to block it.\nMistake #1, he should have let Soderstrom handle the backhander and worried\nabout A) the rebound or B) Barnaby who was camped behind the goal line right\nnext to the net. Well, the rebound dropped right next to Soderstrom, and\nmistake #2, Galley just laid there and watched Barnaby get THREE hacks at the\npuck before he finally pushed it through the goalie. He didn\'t even swing his\nstick out to try and knock the puck away. With the goal, at 7:48, two streaks\nend for the FLYERS. 150:28 of shutout hockey, and 27 straight penalty kills.\n\nLindros put them right back on the power play at 8:36 with a high sticking\nminor, I think it was Barnaby again. This time the Sabres were able to get\nset up quickly, but couldn\'t get too much quality on goal. The Sabres continued\nto keep the puck in the FLYERS end for a while after the power play ended.\nThings evetually settled down, but then the other very bad penalty. McGill\nallowed Barnaby to get under his skin and slashed his stick just before a\nfaceoff. The gloves were dropped, and McGill started pounding the crap out of\nhim. But during the fight, he gave Barnaby a head butt with his helmet, and\nthat meant a match penalty. 2 for slashing, 5 fighting and 5 for the major,\n7 minutes of power play time for the Sabres at 14:15, Barnaby only got 5.\n\nThe FLYERS were keeping them at bay for a while, but there was only so long\nthey could do that. After a couple of good Sabre chances, Audette handed to\nLedyard at the point, and Ledyard sent a drive that was knocked down by\nSoderstrom. LaFontaine whacked at the bouncing puck from the left side of\nthe net, and knocked it over to Randy Wood at the right. Soderstrom had\nmoved over to play LaFontaine, and since Yushkevich and Carkner were waving\nat the puck instead of picking up men, Wood just slid it into the empty net\nat 17:34 to close the FLYERS lead to 3-2. LaFontaine was actually trying to\nput it on net, but half fanned on it and got a break.\n\nThe FLYERS then got some shorthanded pressure in the Sabres zone, but Hasek\nwas strong. Finally it was Keith Carney passing ahead to Hawerchuk into the\nneutral zone, and Hawerchuk sent a good backhand pass to Mogilny at the FLYERS\nblue line. Another mini-breakaway for Mogilny, he elected to shoot from the\nleft circle, and he threaded the needle to get it just inside the far post at\n18:56 for his 75th of the season. Ironically, the youth hockey tip between\nthe 1st and second period was Tommy Soderstrom talking about cutting off\nangles...\n\nThat was all in the 2nd, shots were 19-7 Sabres.\n\nInto the 3rd period, and Pelle EKlund blew a golden opportunity to get the\nFLYERS the lead back. A 2 on 1, Acton with the puck, he dropped to Eklund in\nthe slot, and Eklund held the puck as he slid through the left circle until\nhe had almost no angle at all to shoot from. When he finally did shoot, he\nhit the far post. That was still during the carryover power play time.\n\nThan an incredible almost goal. Randy Wood skated around Recchi and Hawgood\nuntouched into Soderstrom. Soderstrom goes down, Wood pokes the puck under\nSoderstrom, and a black object hits the back of the net. Red light comes on,\nhorn sounds, crowd cheers. But up to the video replay booth, for some strange\nreason, and in the meantime Emrick and Dornhoefer try to figure out what they\ncould be reviewing. Well, it turns out that it was the taped up stick blade\nthat went into the net, not the puck. Emrick mentions that one of the criteria\nfor scoring a goal is that the puck must go into the net...\n\nDave Hannan then took out Recchi and got a holding minor at 2:35. The FLYERS\ncould not get anything going at all. They finally got set up 1/2 way through,\nbut were kept on the perimeter. As time ran out, Beranek stripped the puck\nfrom a Sabre in the offensive zone along the right boards and passed it across\nto Eklund at the top of the left circle. Eklund saw Dineen heading at the net\njust inside the right circle and passed through to him. Dineen fumbled the pass,\nbut twice directed it at Hasek, and Eklund swooped in and chipped the bouncing\npuck over the goalie for his 11th at 4:42. 4-3 FLYERS.\n\nBut the Sabres came right back. LaFontaine picked up the puck in his offensive\nleft corner and slid it to Bob Erry behind the FLYERS net. Erry started to skate\nout, but then just dropped the puck back to nobody behind the net. Mogilny flew\nin, skated around, and stuffed it through Soderstrom\'s 5 hole for his 76th at\n5:24 to tie the game at 4.\n\nThen Hawerchuk took a retaliatory roughing penalty at 5:55. The FLYERS set up\nin the Sabres zone, and stayed there. Off a faceoff high in the Sabres zone in\nthe middle. While Brind\'Amour wrestled for the puck, Dineen snuck through the\nline and wristed a perfect shot low to Hasek\'s glove side at 6:44.\n\nPlay started to go back and forth until Hawgood took a roughing penalty at 8:19.\nThe FLYERS dumped the puck into the Sabres zone. Brind\'Amour and Ledyard went\nafter it, and Rod got the puck. He backed away from the right boards, skated\nto the right faceoff dot, and passed between his legs to Dineen crashing\nthrough the slot all by himself. Dineen waited patiently and lifted it over\nthe blocker of Hasek for a 6-4 FLYERS lead at 8:39. 3rd hat trick of the season\nfor Dineen, 7th of his career, 2nd shorthanded goal of the game for him 35th\nof the season.\n\nThen Carney took a tripping penalty at 9:02 to kill the rest of the Sabres\npower play. Not much action on the 4 on 4, and the Sabres got most of the\nchances on the FLYERS resulting power play.\n\nPlay went end to end for quite a while after that and both goalies had to\nmake some big saves. The Sabres weren\'t able to pull Hasek as time was running \nout as the FLYERS wouldn\'t allow any consistant possession for the Sabres.\nFinally as time was running out Ken Sutton misplayed the puck in his own left\ncorner and Brind\'Amour stripped it away from him. He pulled away and found\nDineen on the other side of the left circle, and Dineen found Acton at the\nright of Hasek. He slid the puck between two Sabres defenders, and Acton\nchipped it back to the far side of Hasek for his 8th of the season at 19:48\non his 35th birthday. That was all the scoring, shots were 18-13 Buffalo,\nand the ice was showered with plastic drinking mugs handed out before the\ngame.\n\nSo another strong game from Tommy Soderstrom who hadn\'t been tested much\nin his last couple of starts. Kevin Dineen has a career high 6 point night\n(unless he had a better night earlier in the season, but I don\'t think so).\nThe FLYERS longest winning streak in 3 years, 30 goals for only 11 against\nwith three shutouts. Eric Lindros is 8th in league with 33 even strength goals\ndespite missing 23 games with injury. 4 points out of 4th, clinched 5th place\nsince the Rangers lose the tie breaker.\n\nA couple misc notes:\n\nForget the Mike Keenan rumors, there will be a press conference tommorrow to\nannounce that he will be head coach of the New York Rangers next year.\n\nIn the last notes I mentioned that Garry Galley won the Barry Ashbee Award,\nbut I failed to mention that the award is for the best defenseman.\n\nThe Times of Trenton has reported that "a preeminent specialist from Oklahoma"\nhas looked over Tommy Soderstrom\'s medical record and determined that no\nfurther tests are necessary in the near future.\n\nSame paper had a blurb about Bill Dineen being asked about whether or not he\nexpected to be back next year. His response was that he wants to come back,\nhe feels he did a good job this year, but that he would cheerfully accept a\nrole scouting if Farwell didn\'t want him back.\n\nFLYERS team record watch:\n\nEric Lindros:\n\n41 goals, 33 assists, 74 points\n\n(rookie records)\nclub record goals:\t\t\tclub record points:\nEric Lindros\t40 1992-93\t\tDave Poulin\t76 1983-84\nBrian Propp\t34 1979-80\t\tBrian Propp\t75 1979-80\nRon Flockhart\t33 1981-82\t\tEric Lindros\t74 1992-93\nDave Poulin\t31 1983-84\t\tRon Flockhart\t72 1981-82\nBill Barber\t30 1972-73\t\tPelle Eklund\t66 1985-86\n\nMark Recchi:\n\n52 goals, 69 assists, 121 points.\n\nclub record goals:\t\t\tclub record points:\nReggie Leach\t61 1975-76\t\tMark Recchi\t121 1992-93*\nTim Kerr\t58 1985-86,86-87\tBobby Clarke\t119 1975-76\nTim Kerr\t54 1983-84,84-85\tBobby Clarke\t116 1974-75\nMark Recchi\t52 1992-93\t\tBill Barber\t112 1975-76\nRick Macliesh\t50 1972-73\t\tBobby Clarke\t104 1972-73\nBill Barber\t50 1975-76\t\tRick Macliesh\t100 1972-73\nReggie Leach\t50 1979-80\n\n*More than 80 games.\n\nFLYERS career years:\n\nPlayer\t\tPoints\tBest Prior Season\nMark Recchi\t121\t113 (90-91 Penguins)\nRod Brind\'Amour\t84\t77 (91-92 FLYERS)\nGarry Galley\t62\t38 (84-85 Kings)\nBrent Fedyk\t59\t35 (90-91 Red Wings)\n\nThat\'s all for now...\n\npete clark jr - rsh FLYERS contact and mailing list owner\n\n',
 "From: sysmgr@king.eng.umd.edu (Doug Mohney)\nSubject: Re: FAQs\nArticle-I.D.: mojo.1pst9uINN7tj\nReply-To: sysmgr@king.eng.umd.edu\nOrganization: Computer Aided Design Lab, U. of Maryland College Park\nLines: 10\nNNTP-Posting-Host: queen.eng.umd.edu\n\nIn article <10505.2BBCB8C3@nss.org>, freed@nss.org (Bev Freed) writes:\n>I was wondering if the FAQ files could be posted quarterly rather than monthly\n>.  Every 28-30 days, I get this bloated feeling.\n\nOr just stick 'em on sci.space.news every 28-30 days? \n\n\n\n    Software engineering? That's like military intelligence, isn't it?\n  -- >                  SYSMGR@CADLAB.ENG.UMD.EDU                        < --\n",
 "From: d_jaracz@oz.plymouth.edu (David R. Jaracz)\nSubject: Re: Octopus in Detroit?\nOrganization: Plymouth State College - Plymouth, NH.\nLines: 16\n\nIn article <93106.092246DLMQC@CUNYVM.BITNET> Harold Zazula <DLMQC@CUNYVM.BITNET> writes:\n>I was watching the Detroit-Minnesota game last night and thought I saw an\n>octopus on the ice after Ysebaert scored to tie the game at two. What gives?\n\nNo no no!!!  It's a squid!  Keep the tradition alive!  (Kinda like the\nfish at UNH games....)\n\n>(is there some custom to throw octopuses on the ice in Detroit?)\n>-------\n>Not Responsible -- Dain Bramaged!!\n>\n>Harold Zazula\n>dlmqc@cunyvm.cuny.edu\n>hzazula@alehouse.acc.qc.edu\n\n\n",
 'From: astein@nysernet.org (Alan Stein)\nSubject: Re: Freedom In U.S.A.\nOrganization: NYSERNet, Inc.\nLines: 23\n\nab4z@Virginia.EDU ("Andi Beyer") writes:\n\n>\tI have just started reading the articles in this news\n>group. There seems to be an attempt by some members to quiet\n>other members with scare tactics. I believe one posting said\n>that all postings by one person are being forwarded to his\n>server who keeps a file on him in hope that "Appropriate action\n>might be taken". \n>\tI don\'t know where you guys are from but in America\n>such attempts to curtail someones first amendment rights are\n>not appreciated. Here, we let everyone speak their mind\n>regardless of how we feel about it. Take your fascistic\n>repressive ideals back to where you came from.\n\nFreedom of speech does not mean that others are compelled to give one\nthe means to speak publicly.  Some systems have regulations\nprohibiting the dissemination of racist and bigoted messages from\naccounts they issue.\n\nApparently, that\'s not the case with virginia.edu, since you are still\nposting.\n-- \nAlan H. Stein                     astein@israel.nysernet.org\n',
 'From: olds@helix.nih.gov (James Olds)\nSubject: Thule roof rack with bike accessories: $100 take it all.\nOrganization: National Institutes of Health, Bethesda\nDistribution: na\nLines: 11\n\nFor Sale: A Thule Car rack with 2 bike holder accessories.\nComes with Nissan Pathfinder brackets but you can buy the\nappropriate ones for your car cheap.\nLooking for $100.00 for everything. I live in the Bethesda area.\nThanks for your interest.\n\n--\n****************************************************************************\n* James L. Olds Ph.D.                 Neural Systems Section               *\n* domain: olds@helix.nih.gov           NINDS, NIH, Bethesda, MD. 20892 USA *\n****************************************************************************\n',
 'From: dwarf@bcarh601.bnr.ca (W. Jim Jordan)\nSubject: Re: Truly a sad day for hockey\nNntp-Posting-Host: bcarh601\nOrganization: Bell-Northern Research Ltd., Ottawa, Ontario, Canada\nLines: 19\n\nFarewell, Minnesota fans.  Get stuffed, Dallas Stars.\n\nAs the North Stars fade to black, I hope that Minneapolis/St. Paul are\nnot long without an NHL team.  It just seems "right" that the hotbed of\namateur hockey in the USA should have an NHL team as well.  The loss of\nthe team is certainly not the fault of the fans (though the start of the\n1989-90 season made it look real bad for a while).\n\nI wish now that I kept the North Stars cap I bought at Maple Leaf\nGardens the morning after they eliminated Montreal in 1980.  (I got it\nto spite the Montreal fans in the small town where I grew up.)  What a\nglorious season that was for the North Stars!\n\n     dwarf\n--\nW. Jim Jordan                           "I don\'t mean to tell you how to live\ndwarf@x400gate.bnr.ca (Internet)         your life--that\'s what the TV\'s for--\nI work for BNR; I do not speak for it.   but if I didn\'t believe in Jesus, I\'d\n                                         be going to hell."      - Peter Heath\n',
 'From: glang@slee01.srl.ford.com (Gordon Lang)\nSubject: Re: What is a Shadow Mask\nOrganization: Ford Motor Company Research Laboratory\nLines: 9\nNNTP-Posting-Host: slee01.srl.ford.com\nX-Newsreader: Tin 1.1 PL5\n\nAndrew BW Colfelt (colfelt@ucsu.Colorado.EDU) wrote:\n: \n: \n: Shadow mask is when you put your face into\n: main memory.\n: \n\nKeep your day job.\n\n',
 'From: charles@gremlin.muug.mb.ca (Charles)\nSubject: Multiport COM boards--info needed\nOrganization: The Haunted Unix Box\nLines: 10\n\n\nWhat 4 or more com port boards are available for PCs?  \nWe want standard com ports, so no need to mention the expensive\ncoprocessed ones.\n\nThey should either be able to share IRQs or be able to use IRQs 8-15.\n\nThanks for any info...\n\n\n',
 'From: vng@iscs.nus.sg\nSubject: Wyse 60 Terminal Emulator\nReply-To: VNG@ISCS.NUS.SG\nOrganization: Dept of Info Sys and Comp Sci, National University of Singapore, SINGAPORE\nLines: 6\n\nIs there a Wyse 60 Terminal Emulator or a comms toolbox kit available on the\nnet somewhere?\n\nThanks.\n\nVince\n',
 "From: mrh@iastate.edu (Michael R Hartman)\nSubject: Re: Car Stereo Stolen?\nOrganization: Iowa State University, Ames, IA\nLines: 36\n\nIn article <C5t7qG.9IJ@rice.edu> xray@is.rice.edu (Kenneth Dwayne Ray) writes:\n>> I had the front panel of my car stereo stolen this weekend.\n>\n>> I need to buy the front panel of a Sony XR-U770 car stereo.\n>>\n>I was my understanding that the purpose of those removeable-front-panels\n>were to make the radio useless, and thus discourage theft (that is if the \n>cover were removed by the owner and taken along whenever the car was left.)\n>\n>If those covers were sold for anything remarkably less than the radio \n>originally costs, or even sold at all,\n>then the above discouragement wouldn't be so great.\n>\n>I personally would be unhappy, if I bought a radio like that, thinking that \n>removing the cover greatly depreciated the radio's value, and the covers were\n>sold by the company (or other legitimate source) cheaply.\n>-- \n\nThe front covers should be available from Sony.  Check with a local car\nstereo shop.  You will probably (definitely) have to provide the units \nserial number and hopefully you had registered the warranty card.  I \ndon't know the cost, but replacements have to be available to people\nwho damage the face cover, so it stands to reason that it can be replaced.\n\nAs to deterring theft:\n\nWhen I worked for a stereo shop, we referred the customer to a Sony 800\nnumber.  We would not sell the face, nor did we have them available.  Most\npeople who came in asking for the face cover (or a pullout sleave for that\nmatter) would look very disheartened to find that they acquired a deck\nthey couldn't use.  If theft occurs with these decks, notify Sony.  Serial\nnumbers do catch theives.\n\nJust a thought,\nMichael\n\n",
 'From: rsjoyce@eos.ncsu.edu (ROGER STEPHEN JOYCE)\nSubject: Mac monitor **WANTED**\nOriginator: rsjoyce@c00402-346dan.eos.ncsu.edu\nReply-To: rsjoyce@eos.ncsu.edu (ROGER STEPHEN JOYCE)\nOrganization: North Carolina State University, Project Eos\nLines: 11\n\n\nWanted:  color monitor >= 14"  suitable for use on a Macintosh\nCentris 610.  I am planning on purchasing one of these machines\nsoon and don\'t want to have to pay full price for a new monitor\nwhen a used one will do me just as well.  If you have one you\'d\nlike to part with, please email me with the specs and price.\n\nThanks.\n\nRoger\nrsjoyce@eos.ncsu.edu\n',
 'From: jgfoot@minerva.cis.yale.edu (Josh A. Goldfoot)\nSubject: Re: Organized Lobbying for Cryptography\nOrganization: Yale University\nLines: 21\nDistribution: inet\nReply-To: jgfoot@minerva.cis.yale.edu\nNNTP-Posting-Host: minerva.cis.yale.edu\nX-Newsreader: TIN [version 1.1 Minerva PL9]\n\nShaun P. Hughes (sphughes@sfsuvax1.sfsu.edu) wrote:\n: In article <1r3jgbINN35i@eli.CS.YALE.EDU> jgfoot@minerva.cis.yale.edu writes:\n[deletion]\n: >Perhaps these encryption-only types would defend the digitized porn if it\n: >was posted encrypted?\n: >\n: >These issues are not as seperable as you maintain.\n: >\n\n: Now why would anyone "post" anything encrypted? Encryption is only of \n: use between persons who know how to decrypt the data.\n\n: And why should I care what other people look at? \n\nI was responding to another person (Tarl Neustaedter) who held that the\nEFF wasn\'t the best organization to fight for crytography rights since the\nEFF also supports the right to distribute pornography over the internet,\nsomething some Crypto people might object to. In other words, he\'s\nimplying that there are people who will protect any speech, just  as long\nas it is encrypted.\n\n',
 'From: gideon@otago.ac.nz (Gideon King)\nSubject: Should Christians fight? / Justifiable war\nOrganization: University of Otago\nLines: 144\n\nI posted this a couple of weeks ago, and it doesn\'t seem to have appeared  \non the newsgroup, and I haven\'t had a reply from the moderator. We were  \nhaving intermittent problems with our mail at the time. Please excuse me  \nif you have seen this before...\n\nShould Christians fight?\n\nLast week Alastair posted some questions about fighting, and whether there  \nare such things as "justifiable wars". I have started looking into these  \nthings and have jotted down my findings as I go. I haven\'t answered all  \nhis questions yet, and I know what I have here is on a slightly different  \ntack, but possibly I\'ll be able to get into it more deeply later, and post  \nsome more info soon.\n\nOur duty to our neighbour:\n\nDo good to all men (Gal 6:10)\nLove our neighbour as ourselves (Matt 22:39)\n\nAct the part of the good Samaritan (Luke 10) toward any who may be in  \ntrouble. We will therefore render every possible assistance to an injured  \nman, and therefore should not be part of any organisation which causes  \npeople harm (even medical corps of the army etc).\n\nChristians are by faith "citizens of the commonwealth of Israel"  \n(Ephesians 2:11-12), and also recognise that "God rules in the kingdoms of  \nmen", and therefore we should not be taking part in any of the struggles  \nof those nations which we are not part of due to our faith.\n\nWe are to be "strangers and pilgrims" amongst the nations, so we are just  \npassing through, and not part of any nation or any national aspirations  \n(this can also be applied to politics etc, but that\'s another story). We  \nare not supposed to "strive" or "resist evil" (even "suffer yourselves to  \nbe defrauded") it is therefore incosistent for us to strive to assist in  \npreserving a state which Christ will destroy when he returns to set up  \nGod\'s kingdom.\n\nOur duty to the state.\n\n"Render therefore unto Caesar the things which be Caesar\'s and unto God  \nthe things which be God\'s" (Luke 20:25).\n"Let every soul be subject unto the higher powers. For there is no power  \nbut of God; the powers that be are ordained of God. Whosoever resisteth  \nthe power, resisteth the ordinance of God" (Rom 13:1-2).\n"Submit yourselves to every ordinance of man for the Lord\'s sake; whether  \nit be to king as supreme... for so is the will of God that with well doing  \nye may put to silence the ignorance of foolish men" (1 Pet 2:13-15)\n\nThese scriptures make it clear that submission to the powers that be is a  \ndivine command, but it is equally clear from Acts 5:19-29 that when any  \nordinance of man runs counter to God\'s law, we must refuse submission to  \nit. The reason for this is that we are God\'s "bond servants" and His  \nservice is our life\'s task. An example of the type of thing is in Col  \n3:22-23 where bondservants were to "work heartily as unto the Lord" - so  \nalso we should work as if our boss was God - i.e. "Pressed down, shaken  \ntogether, and running over"... oops - a bit of a side track there...\n\nIn the contests between the nations, we are on God\'s side - a side that is  \nnot fighting in the battle, but is "testifying" to the truth.\n\nWhen we believe in God and embrace His promises, we become "fellow  \ncitizens with the Saints and of the Household of God", and are no longer  \ninterested in associations of the world. Think of this in relation to  \nunions etc as well. Paul tells us to "lay aside every weight" that we may  \nrun "the race that is set before us", and if we are wise, we will discard  \nany association which would retard our progress - "Thou therefore endure  \nhardness as a good soldier of Jesus Christ. No man that warreth entangleth  \nhimself with the affairs of this life, that he may please him who hath  \nchosen him to be a soldier" (2 Tim 2:3-4).\n\nOne of these entanglements he warns about is "be ye not unequally yoked  \ntogether with unbelievers". One of the obvious applications of this is  \nmarriage with unbelievers, but it also covers things like business  \npartnerships and any other position where we may form a close association  \nwith any person or persons not believing the truth about God (in this case  \nthe army). The principle comes from Deut 22:10 - remember that as well as  \nthem being different animals of different strengths, one was clean and one  \nunclean under the law. These ideas are strongly stressed in 2 Cor 6:13-18  \n- I suggest you read this. The yoking also has another aspect - that of  \nservitude, and Jesus says "take my yoke upon you", so we are then yoked  \nwith Christ and cannot be yoked with unbelievers. We have already seen  \nthat we are bondservants of Christ, and Paul says "become not ye the  \nbondservants of men (1 Cor 7:23 RV).\n\nAn example from the Old Testament: the question is asked in 2 Chr 19:2  \n"Shouldest thou help the ungodly...?". The situation here is a good  \nexample of what happens when you are yoked together with unbelievers.  \nJehoshaphat was lucky to escape with his life. Here are the facts:\n1. He had made an affinity with Ahab, who had "sold himself to work  \nwickedness before the Lord" (1 Kings 21:25).\n2. When asked by Ahab to form a military alliance, he had agreed and said  \n"I am as thou art, my people as thy people" (1 Kings 22:4) - an unequal  \nyoking.\n3. He sttod firm in refusing the advice of the false prophets and insisted  \non hearing the prophet of the Lord (trying to do the right thing), he  \nfound that he was yoked and therefore couldn\'t break away from the evil  \nassociation he had made.\n\nGod says to us "Come out from among them and be ye separate, and touch not  \nthe unclean thing, and I will receive you and ye shall be my sons and  \ndaughters" (2 Cor 6:17).\n\nThis is more or less what I have found out so far - I\'m still looking into  \nit, as I don\'t think I\'ve answered all the questions raised by Alastair  \nyet. Heres a summary and a few things to think about:\n\nThe Christian in under command. Obedience to this command is an essential  \nfactor in his relationship with Christ (John 15:10,14).\n\nTotal dedication to this course of action is required (Romans 12:1-2).\n\nDisobedience compromises the close relationship between Christ and his  \nfollowers (1 Pet 2:7-8).\n\nWe are to be separated to God (Rom 6:4). This involves a master-servant  \nrelationship (Rom 6:12,16).\n\nNo man can serve two masters (Matt 6:24,13,14).\n\nAll that is in the \'Kosmos\' is lust and pride - quite opposed to Gos (1  \nJohn 2:16). Christs kingdom is not of this world (i.e. not worldly in  \nnature) - if it was, his servants would fight to deliver him. If Christ is  \nour master and he was not delivered by his servants because his kingdom  \nwas not of this world, then his servants cannot possibly fight for another  \nmaster.\n\nStrangers and pilgrims have no rights, and we cannot swear allegiance to  \nanyone but God.\n\nThe servant of the Lord must not war but be gentle to all (2 Tim 2:24) -  \nthis does not just apply to war, but also to avoiding strife throughout  \nour lives. There is a war to be waged, not with man\'s weapons (2 Cor  \n10:3-4), but with God\'s armour (Eph6:13-20).\n\nI\'ll probably post some more when I\'ve had time to look into things a bit  \nfurther.\n\n--\nGideon King                         | Phone +64-3-479 8347\nUniversity of Otago                 | Fax   +64-3-479 8529\nDepartment of Computer Science      | e-mail gideon@farli.otago.ac.nz\nP.O. Box 56                         |\nDunedin                             | NeXT mail preferred!\nNew Zealand                         |                         \n',
 'From: yoony@aix.rpi.edu (Young-Hoon Yoon)\nSubject: Re: A Scoop of Waco Road, Please\nKeywords: topical, smirk\nNntp-Posting-Host: aix.rpi.edu\nLines: 62\n\ncdt@sw.stratus.com (C. D. Tavares) writes:\n\n>Your "lite" posting for the day, from rec.humor.funny:\n\n>In article <S539.2adf@looking.on.ca>, bellas@tti.com (Pete Bellas) writes:\n>> \n>> There is a new Ice Cream Flavor inspired by the incident at Waco.\n>> \n>> It\'s called Mount Caramel, it\'s full of nuts but you can\'t get it out\n>> of the carton.\n>-- \n\n>cdt@rocket.sw.stratus.com   --If you believe that I speak for my company,\n>OR cdt@vos.stratus.com        write today for my special Investors\' Packet...\n\n\nEven though I find this to be funny on the surface, the original poster of the\njoke has  tried and convicted the members of the BD to be a bunch of "nuts".\nThis may be a dangerous thing to do.  It is my opinion that most educated\nor well informed people of this country have some distrust of the government.\nThis should exist because as a bureaucracy, any government given enough time\nwill tend to exist for it self and not for the original purpose it was \ncreated for.  This distrust by the people should keep those in power in-line.\nThat and a properly functioning press.  When a sensationalism oriented press\nportrays a group of people as "nuts" or crazies, a violation of those\npeople\'s civil rights seem justified.   Since we, as American\'s, have the \ngurantee of rights as enumerated in the constitution, to include the\n2nd ammendment, the government must appease the public\'s opinion or risk \nvoted out of existance, or if it has become corrupt enough to tamper with\ndomocratic process itself, being thrown out by force.\n  Our government as it stands, must appease the public.  Therefore the \nofficial press releases portray the BD\'s as fanatics who are a threat to\npublic safety.  We must not prejudge people based on one sided information.\nSo far the only information that we are being given is comming from the very\nagency that was embarrased by the BD(Branch Davidians sp?).  It is to their\nadvantage to make the BD\'s as fanatical and dangerous as possible.  If they\nwere portrayed as law-abiding citizen\'s, then they(ATF) had no justification\nwhat so ever of doing what they did.\n   So let\'s keep an open mind.  Jokes like above, even though it may be funny,\nmay mislead the public from the truth of the matter.\n\nJust as an aside,  my understanding of U.S. vs Rock Island and U.S. vs Dalton\nleads me to believe that the National Firearms Act, which allows the Fed\'s\n(in this case ATF) to regulate firearms(machine guns), has been deemed to be\nunconstitutional since 1986.(By two federal district courts at least).\nAnd since, I believe the only reason ATF was involved\nin this case is because of firearms violations, it would be interesting to \nfind out whether or not the search warrent was based on the NFA.\nIt would be very embarrassing indeed if a search warrent based on a possibly\nunconstitutional law has resulted in 4 deaths(Law enforcement). \n\n\n****************************************************************************\nThe above opinions are mine and mine only.\nI\'m solely responsible for my opinions and my actions.  If you must flame\nthen flame away, but a well constructed argument will be much more respected.\n\nYoung-hoon Yoon                         yoony@rpi.edu\n211 North Hall                          n6zud@hibp1.ecse.rpi.edu\nRensselaer Polytechnic Institute        N6ZUD/2   HL9KMT(former)\nTroy, NY 12180\n\n',
 'From: aa429@freenet.carleton.ca (Terry Ford)\nSubject: A flawed propulsion system: Space Shuttle\nX-Added: Forwarded by Space Digest\nOrganization: [via International Space University]\nOriginal-Sender: isu@VACATION.VENARI.CS.CMU.EDU\nDistribution: sci\nLines: 13\n\n\n\nFor an essay, I am writing about the space shuttle and a need for a better\npropulsion system.  Through research, I have found that it is rather clumsy \n(i.e. all the checks/tests before launch), the safety hazards ("sitting\non a hydrogen bomb"), etc..  If you have any beefs about the current\nspace shuttle program Re: propulsion, please send me your ideas.\n\nThanks a lot.\n\n--\nTerry Ford [aa429@freenet.carleton.ca]\nNepean, Ontario, Canada.\n',
 "From: mau@herky.cs.uiowa.edu (Mau Napoleon)\nSubject: RFD: comp.databases.access\nOrganization: UUNET Communications\nLines: 25\nNNTP-Posting-Host: rodan.uu.net\nOganization: uiowa.edu\n\nThis is an official RFD for the creation of a new newsgroup for the\ngeneral discussion of the Microsoft Access RDMS.\n\nNAME: COMP.DATABASES.ACCESS\n\nMODERATION: UNMODERATED. At this time, no need for a moderator has been\nassertained. Future evaluation will determine if one is needed.\n\nPURPOSE: \nAccess is a new RDBMS for the Windows Operating System. It includes WYSIWYG\ndesign tools for easy creation of tables, reports, forms and queries and a\ndatabase programming language called Access Basic.\nTHe purpose of the group will be to provide help to people who use Access's \nWYSIWYG design tools to create simple databases as well as to people who use \nAccess Basic to create complex databases.\n\nRATIONALE:\nEventhough Access is a new RDBMS, it is very popular because of its Graphical\nDevelopment enviroment and its initial low price.\nBeen a version 1.0 product means that all Access users are Novices.\nFor that reason a newsgroup is needed where Access users can discuss \ntheir experiences with the product and answer each other's questions.\n-- \nNapoleon\nmau@herky.cs.uiowa.edu\n",
 'From: amanda@intercon.com (Amanda Walker)\nSubject: Re: Would "clipper" make a good cover for other encryption method?\nOrganization: InterCon Systems Corporation - Herndon, VA  USA\nLines: 44\nDistribution: world\nReply-To: amanda@intercon.com (Amanda Walker)\nNNTP-Posting-Host: chaos.intercon.com\nX-Newsreader: InterCon TCP/Connect II 1.1\n\nbontchev@fbihh.informatik.uni-hamburg.de (Vesselin Bontchev) writes:\n> If there are many as..., er, people in the USA who reason like the \n> above, then it should not be surprising that the current plot has been \n> allowed to happen... \n\nThe willingness of the majority of the people to give up their freedom in \nexchange for a sense of safety is hardly limited to the USA, and is an \nendemic problem in any human society of any appreciable size.  The structure \nof the US government does try to combat this tendency to some extent, but \nfighting entropy is always a losing battle.  Most people would rather have \ncomfort than freedom.  The paradox is that you can\'t really have the former, \nin the long term, unless you have the latter.\n\nOne of the reasons that I probably come across to some people as a weird \ncross between a libertarian and an "establishment tool" is that I end up \ntaking an utterly pragmatic view of government.  I don\'t get up in arms when \nthe government fails to protect the interests of the people, because in my \nlifetime it never has--therefore, I have no expectation that it will.  \n\nAs a result, I protect my own interests rather than expecting the government \nto be "fair".  I will use strong cryptography when I think it is needed, \nwhether or not it is legal at the time.  Same thing with anything else the \ngovernment would rather not see in private hands--that\'s their problem.  \nWhat\'s important to me is using the right tool for the job.  If it\'s legal, \nso much the better.  If it is not, but does not violate my (very strong) \nsense of personal ethics, I will use it anyway as long I think it is worth \nit.  Expecting the government to actually protect the interests of its \ncitizens, except by accident, is utter folly.  Even Jefferson, one of the \nmajor architects of the American system of government, figured that in a \ncouple hundred years it would become so corrupt and self-serving that it \nwould be time dismantle it and try again, by revolution if necessary.  I \nagree, and while I don\'t go around trying to spark one, I\'ll certainly \nparticipate if it happens when I\'m around.  There is a reason I am such a \nstrong supporter of individual rights while being so cynical about politics.  \nI\'ve already written off politics.\n\nAnd yes, this may get me in trouble some day.  If so, so be it.  I drive \nfaster than 55 MPH, too.\n\n\nAmanda Walker\nInterCon Systems Corporation\n\n\n',
 'From: dlb@fanny.wash.inmet.com (David Barton)\nSubject: Re: "Proper gun control?" What is proper gun control? (was Re: My Gun is like my American Express Card)\nIn-Reply-To: bressler@iftccu.ca.boeing.com\'s message of Wed, 14 Apr 1993 17:16:21 GMT\nNntp-Posting-Host: fanny.wash\nOrganization: Intermetrics Inc., Washington Division, USA\nLines: 15\n\n / iftccu:talk.politics.guns / hays@ssd.intel.com (Kirk Hays) /\n   3:31 pm  Apr 13, 1993 / \n\n   >Some of the pro-gun posters in this group own no guns.  The dread\n   >"Terminator", aka "The Rifleman", owned no firearms for several\n   >years while posting in this group, as an example.  There are\n   >others.\n\nFor what it is worth, I own no firearms of any sort.  As long-time\nreaders of this group know, I am dedicated to the RKBA.\n\nThis is not about toys.  It is about freedom.\n\n\t\t\t\t\tDave Barton\n\t\t\t\t\tdlb@hudson.wash.inmet.com\n',
 'From: melons@vnet.IBM.COM (Mike Magil)\nSubject: Re: Israeli Terrorism\nLines: 33\n\n\nAnas Omran writes in his earlier posting:\n>\n>\n>A high rank Israeli officer was killed during a clash whith a Hamas\n\n...and then his "fantasy" begins...\n\n>Mujahid.  The terrorist Israelis chased and killed a young Mujahid\n>using anti-tank missiles.  The terrorist zionists cut the Mujahid\'s\n>body into small pieces to the extend that his body was not recognized.\n>At leat ten houses were destroyed by these atni-tank missiles.\n>\n>\n>---\n>Anas Omran\n>\n>\n>\n\nThis clearly is a "fantastic" story, Anas!  I am very curious as to who\n(or what) your sources are for this grossly exaggerated account (if not,\nblatant lie).  It surprises me that this "story" has not yet made it to\nthe front pages of the major newspapers (which love to make the State of\nIsrael look as evil as humanly possible)!  Such a story would be "eaten up"\nby some of the papers over here.  So please explain to me why I have never\nseen nor heard of it before!  - Believe me, I\'m not expecting a reply because\nwe both know where the story came from... YOUR DREAMS!!!!\n\n=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=\nMichael Zion Magil\nIBM Canada Laboratory\n=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=*=\n',
 'From: k044477@hobbes.kzoo.edu (Jamie R. McCarthy)\nSubject: Re: CA\'s pedophilia laws\nOrganization: Kalamazoo College\nLines: 79\n\ncramer@optilink.COM (Clayton Cramer) writes:\n>k044477@hobbes.kzoo.edu (Jamie R. McCarthy) writes:\n># \n># Having completely\n># dived into the abyss of believing that there are no queers in the world\n># who think differently from the child-molestation-advocating minority on\n># soc.motss, he doesn\'t even notice that he\'s starting a sentence with\n># "They believe" when the referent of that "they" is millions of people.\n># "...so few as to be irrelevant..."\n>\n>If you don\'t want to be lumped together as a group, stop insisting\n>on being treated as a member of a group.\n\nPlease point out where I have said I even _was_ a member of that group,\nmuch less asked to be treated as such, much less insisted upon it.\n\n>Sexual orientation is not defined by the anti-discrimination law\n>that was passed last year.  Pedophilia isn\'t a sexual orientation?\n\nWait a minute.  You\'ve been claiming for quite a while now that\npedophilia, according to CA state law, is a sexual orientation.  Now\nyour position is that the law doesn\'t specifically exclude it?\n\nYou know damn well what\'s going to happen.  Some guy in a NAMBLA\nT-shirt\'s going to apply at a day-care, they\'re going to turn him down,\nhe\'s going to take it to court, and the court\'s going to rule that\nsexual orientation is defined as homosexuality, heterosexuality, or\nbisexuality.\n\nUnless and until that court decides that pedophilia is a sexual\norientation, you have no business saying so.\n\n># "Silence = Death" pin or something.  They turn me down because of\n># that.\n>\n>I wholeheartedly support their right to take this action.  I wouldn\'t\n>do it myself, unless it was something like the NAMBLA T-shirt.\n\nDespite the fact that all homosexuals are lying bastards?\n\n># How about:  a black man applies for a job at a bank.  The bank decides,\n># based on statistics, a black person would be more likely to steal\n># money, and denies the man the job.  Would you support the bank\'s right\n># to this freedom?\n>\n>I support their right to do so [deletia] but [deletia]\n\nAh.\n\nSo, for example, you are opposed to the Civil Rights Act of 1964?\n\n>Here\'s the law that was passed and signed by the governor:\n>\n>     The people of the State of California do enact as follows:\n>\n> 1       SECTION 1.  The purpose of this act is to codify\n> 2  existing case law as determined in Gay Law Students v.\n> 3  Pacific Telephone and Telegraph, 24 Cal. 3d 458 (1979)\n> 4  and Soroka v. Dayton Hudson Corp., 235 Cal. App. 3d 654\n> 5  (1991) prohibiting discrimination based on sexual\n> 6  orientation.\n> 7       SEC. 2.  Section 1102. is added to the Labor Code, to\n> 8  read:\n> 9       1102.1.  (a) Sections 1101 and 1102 prohibit\n>10  discrimination or disparate treatment in any of the terms\n>11  and conditions of employment based on actual or\n>12  perceived sexual orientation.\n>              ^^^^^^^^^^^^^^^^^^\n>\n>13       (b)  This section shall not apply to a religious\n>14  association or corporation not organized for private\n>15  profit, whether incorporated as a religious or public\n>16  benefit corporation.\n\nThere\'s no "for purposes of this act, the term \'sexual orientation\' will\nbe defined as" section?  No definitions anywhere?  Did they run this\nthrough the state Congress on an accelerated schedule or something?\n-- \n Jamie McCarthy\t\tInternet: k044477@kzoo.edu\tAppleLink: j.mccarthy\n',
 'From: jlevine@rd.hydro.on.ca (Jody Levine)\nSubject: Re: Countersteering_FAQ please post\nOrganization: Ontario Hydro - Research Division\nLines: 37\n\nIn article <1993Apr19.155551.227@cs.cornell.edu> karr@cs.cornell.edu (David Karr) writes:\n>In article <mjs.735230272@zen.sys.uea.ac.uk> mjs@sys.uea.ac.uk (Mike Sixsmith) writes:\n>>\n>>No No No No!! All I am saying is that you don\'t even need to tell people the \n>>technique of countersteering, cos they will do it intuitively the first\n>>time they try to go round a corner.\n\nSome will, and others will steer with their tuchuses. I don\'t know how much\nthe teaching of countersteering in the beginner course really helps the\ntuchus steerers. I was one, I guess that I always steered a bicycle that way,\nand I only got the hang of countersteering in normal riding *after* the course.\nI could do the countersteering swerves in the course no problem, but I only\nstarted using it in my normal riding when I decided that my turning at speed\n(off-ramps and the like) was a lot more difficult that it should have been.\nI knew how it works (although that\'s currently up for debate) definitely knew\n*that* it works, as I could do it in swerves, but only figured it out later\nin my normal riding. Just a data point. I think that it\'s not a bad idea to\nbring the idea up, but it\'s best to let everyone tuchus-steer for the first\nlesson or two, so they can learn to shift gears before they have to worry\nabout proper handlebar technique.\n\n>countersteering.  In fact, my Experienced Rider Course instructors\n>claimed that they could get on behind a new rider and make the bike\n>turn to whichever side they wanted just by shifting their weight\n>around, even when the operator was trying to turn in the opposite\n>direction.  (I admit I\'ve never actually seen this.)\n\nI have. In our beginner course we had passenger training. Sometime during\nthe lesson the instructor would hop on the back of the bike, and the student\nwould take him for a ride. If the student did not give the instructor the\n"you are a sack of potatoes" passenger speech, the instructor would steer\nthe bike and make a general nuisance of himself. It was amusing to watch,\nI\'m just happy that it didn\'t happen to me.\n\nI\'ve        bike                      like       | Jody Levine  DoD #275 kV\n     got a       you can        if you      -PF  | Jody.P.Levine@hydro.on.ca\n                         ride it                 | Toronto, Ontario, Canada\n',
 "From: cdt@sw.stratus.com (C. D. Tavares)\nSubject: Re: Who's next? Mormons and Jews?\nOrganization: Stratus Computer, Inc.\nLines: 13\nDistribution: world\nNNTP-Posting-Host: rocket.sw.stratus.com\n\nIn article <93110.11265034AEJ7D@CMUVM.BITNET>, <34AEJ7D@CMUVM.BITNET> writes:\n> As a minor point of interest, earlier news reports claim to have\n> been quoting the Governor of Texas when Her Holiness referred to\n> the Dividians as _Mormons_ and called for their expulsion\n> from TX. Any Texans have details?\n\nThe Davidians are a 60-year-old splinter from the Seventh Day Adventists,\nif that's the information you were looking for.\n-- \n\ncdt@rocket.sw.stratus.com   --If you believe that I speak for my company,\nOR cdt@vos.stratus.com        write today for my special Investors' Packet...\n\n",
 "Subject: Re: GUI Application Frameworks for Windows ??\nFrom: stefan@olson.acme.gen.nz (Stefan Olson)\nLines: 32\n\nIn <1993Apr12.154418.14463@cimlinc.uucp> bharper@cimlinc.uucp (Brett Harper) writes:\n>Hello,\n>  \n>  I'm investigating the purchase of an Object Oriented Application Framework.  I have\n>come across a few that look good:\n\n>  Zapp 1.1 from Inmark\n>  Zinc 3.5 from Zinc software\n>  C++/Views from Liant\n>  Win++ from Blaise\n\n>Some considerations I'm using:\n\n>  Being new to Windows programming (I'm from the UNIX/X world), the quality and\n>intuitivness of the abstraction that these class libraries provide is very \n>important.  However, since I'm not adverse to learning the internals of Windows\n>programming, the new programming methodology should be closely aligned with\n>the native one.  I don't believe arbitrary levels of abstraction, just for the\n>sake of changing the API, are valuable.\n\nThe Microsoft Founation classes (afx) that come with C/C++ 7.0 (and \nVisual C++) are very good, they already have a version for NT,\nit comes with source code, and is very close to the navtive API.\nIt also as some classes to manage data structures...\n\n...Stefan\n\n-- \n------------------------------------------------------------------------\n   Stefan Olson                     Mail: stefan@olson.acme.gen.nz\n   Kindness in giving creates love.\n------------------------------------------------------------------------\n",
 'From: aws@iti.org (Allen W. Sherzer)\nSubject: Re: Conference on Manned Lunar Exploration. May 7 Crystal City\nOrganization: Evil Geniuses for a Better Tomorrow\nDistribution: na\nLines: 19\n\nIn article <C5rHoC.Fty@news.cso.uiuc.edu> jbh55289@uxa.cso.uiuc.edu (Josh Hopkins) writes:\n\n\n>I remeber reading the comment that General Dynamics was tied into this, in \n>connection with their proposal for an early manned landing.  Sorry I don\'t \n>rember where I heard this, but I\'m fairly sure it was somewhere reputable. \n>Anyone else know anything on this angle?\n\nIf by that you mean anything on the GD approach, there was an article on\nit in a recent Avation Week. I don\'t remember the exact date but it was\nrecent.\n\n Allen\n\n-- \n+---------------------------------------------------------------------------+\n| Lady Astor:   "Sir, if you were my husband I would poison your coffee!"   |\n| W. Churchill: "Madam, if you were my wife, I would drink it."             |\n+----------------------56 DAYS TO FIRST FLIGHT OF DCX-----------------------+\n',
 'From: alee@mnemosyne.cs.du.edu (Alec Lee)\nSubject: Scan Rate vs. Font Size\nSummary: Which is more important?\nOrganization: University of Denver, Dept. of Math & Comp. Sci.\nLines: 10\n\nThis past winter I found myself spending a ridiculous amout of time in front\nof my computer.  Since my eyes were going berserk, I decided to shell out\nsome serious money to upgrade from a 14" to a 17" monitor.  I\'m running\n800x600 at 72 Hz.  My eyes are very grateful.  However, I find myself using\na smaller font with less eye strain.  Has anyone else had this kind of \nexperience?  I thought that small fonts were the culprit but it seems that\nflicker was my real problem.  Any comments?\n\nAlec Lee\nalee@cs.du.edu\n',
 'From: kmr4@po.CWRU.edu (Keith M. Ryan)\nSubject: Re: After 2000 years, can we say that Christian Morality is\nOrganization: Case Western Reserve University\nLines: 20\nNNTP-Posting-Host: b64635.student.cwru.edu\n\nIn article <1993Apr17.162105.3303@scic.intel.com> sbradley@scic.intel.com (Seth J. Bradley) writes:\n\n>Ifone simply says "God did it", then that is not falsifiable.\n\n\tUnless God admits that he didn\'t do it....\n\n\t=)\n\n\n---  \n\n  " I\'d Cheat on Hillary Too."\n\n   John Laws\n   Local GOP Reprehensitive\n   Extolling "Traditional Family Values."\n\n\n\n\n',
 "From: robink@hparc0.aus.hp.com (Robin Kenny)\nSubject: Re: CMOS memory loss..Any idea why?\nOrganization: HP Australasian Response Centre (Melbourne)\nX-Newsreader: TIN [version 1.1 PL8.5]\nLines: 14\n\nHow is the CMOS backed-up? Dry cell batteries or ni-cad cell?\n\nYour batteries may be dead.\n\nmwallack@kean.ucs.mun.ca (mwallack@kean.ucs.mun.ca) wrote:\n: A friend's computer recently failed to recognize its hard drive.\n: On examination it was discovered that the CMOS had lost all data.\n: No other problems were discovered.  When the CMOS was restored, \n: everything appeared to work as before.  This all happened after\n: a long period of stable operation.  The most recent change had \n: been the addition of a second hard drive as a slave.  Qemm had\n: been installed along with DeskView for quite a while.  Any ideas?\n: The computer is a 386dx with 8megs of ram, an ATI Wonder xl card, and is\n: about a year and a half old.\n",
 'From: paulson@tab00.larc.nasa.gov (Sharon Paulson)\nSubject: Re: food-related seizures?\nOrganization: NASA Langley Research Center, Hampton VA, USA\nLines: 48\n\t<C5uq9B.LrJ@toads.pgh.pa.us> <C5x3L0.3r8@athena.cs.uga.edu>\nNNTP-Posting-Host: cmb00.larc.nasa.gov\nIn-reply-to: mcovingt@aisun3.ai.uga.edu\'s message of Fri, 23 Apr 1993 03:41:24 GMT\n\nIn article <C5x3L0.3r8@athena.cs.uga.edu> mcovingt@aisun3.ai.uga.edu (Michael Covington) writes:\n\n   Newsgroups: sci.med\n   Path: news.larc.nasa.gov!saimiri.primate.wisc.edu!sdd.hp.com!elroy.jpl.nasa.gov!swrinde!zaphod.mps.ohio-state.edu!howland.reston.ans.net!europa.eng.gtefsd.com!emory!athena!aisun3.ai.uga.edu!mcovingt\n   From: mcovingt@aisun3.ai.uga.edu (Michael Covington)\n   Sender: usenet@athena.cs.uga.edu\n   Nntp-Posting-Host: aisun3.ai.uga.edu\n   Organization: AI Programs, University of Georgia, Athens\n   References: <PAULSON.93Apr19081647@cmb00.larc.nasa.gov> <116305@bu.edu> <C5uq9B.LrJ@toads.pgh.pa.us>\n   Date: Fri, 23 Apr 1993 03:41:24 GMT\n   Lines: 27\n\n   In article <C5uq9B.LrJ@toads.pgh.pa.us> geb@cs.pitt.edu (Gordon Banks) writes:\n   >In article <116305@bu.edu> dozonoff@bu.edu (david ozonoff) writes:\n   >>\n   >>Many of these cereals are corn-based. After your post I looked in the\n   >>literature and located two articles that implicated corn (contains\n   >>tryptophan) and seizures. The idea is that corn in the diet might\n   >>potentiate an already existing or latent seizure disorder, not cause it.\n   >>Check to see if the two Kellog cereals are corn based. I\'d be interested.\n   >\n   >Years ago when I was an intern, an obese young woman was brought into\n   >the ER comatose after having been reported to have grand mal seizures\n   >why attending a "corn festival".  We pumped her stomach and obtained\n   >what seemed like a couple of liters of corn, much of it intact kernals.  \n   >After a few hours she woke up and was fine.  I was tempted to sign her out as\n   >"acute corn intoxication."\n   >----------------------------------------------------------------------------\n   >Gordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\n\n   How about contaminants on the corn, e.g. aflatoxin???\n\n\n\n   -- \n   :-  Michael A. Covington, Associate Research Scientist        :    *****\n   :-  Artificial Intelligence Programs      mcovingt@ai.uga.edu :  *********\n   :-  The University of Georgia              phone 706 542-0358 :   *  *  *\n   :-  Athens, Georgia 30602-7415 U.S.A.     amateur radio N4TMI :  ** *** **  <><\n\nWhat is aflatoxin?\n\nSharon\n--\nSharon Paulson                      s.s.paulson@larc.nasa.gov\nNASA Langley Research Center\nBldg. 1192D, Mailstop 156           Work: (804) 864-2241\nHampton, Virginia.  23681           Home: (804) 596-2362\n',
 'From: cdw2t@dayhoff.med.Virginia.EDU (Dances With Federal Rangers)\nSubject: Re: BMW MOA members read this!\nOrganization: University of Virginia\nLines: 19\n\nIn article <1993Apr15.065731.23557@cs.cornell.edu> karr@cs.cornell.edu (David Karr) writes:\n\n     [riveting BMWMOA election soap-opera details deleted]\n\n>Well, there doesn\'t seem to be any shortage of alternative candidates.\n>Obviously you\'re not voting for Mr. Vechorik, but what about the\n>others?\n\nI\'m going to buy a BMW just to cast a vote for Groucho.\n\nRide safe,\n----------------------------------------------------------------------------\n|        Cliff Weston           DoD# 0598          \'92 Seca II (Tem)       |\n|                                                                          |\n|               This bike is in excellent condition.                       |\n|               I\'ve done all the work on it myself.                       |\n|                                                                          |\n|                     -- Glen "CRASH" Stone                                |\n----------------------------------------------------------------------------\n',
 'From: baseball@catch-the-fever.scd.ucar.edu (Gregg Walters)\nSubject: Mathcad 4.0 swap file?\nOrganization: Scientific Computing Divison/NCAR Boulder, CO\nLines: 119\n\nReposting and summarizing, for your information or additional comment.\n\n*** THIS IS LONG ***\n\nI have 16MB of memory on my 386SX (25 MHz), an Intel math coprocessor, and\na 120MB hard drive with 20MB free (no compression).  I have been running\nMathcad 3.1, under Windows 3.1 in enhanced mode, with a 5MB RAM drive,\n2MB/1MB Smart drive, and no swap file (permanent or temporary) for\nseveral months.\n\nI am interested in the faster Mathcad 4.0, but I am concerned about reported\nswap file requirements and the legitimacy of Mathsoft\'s claim about increased\nspeed.\n\nTO 386SX USERS:\n\n  Will Mathcad 4.0 run without a swap file, or insist that I use a swap file?\n\nSo far, in response to a less detailed description of my setup, or in\nunrelated postings, the more informed answers, on the net or by E-mail,\nappear to be:\n\n  1) by fuess@llnl.gov (David A. Fuess) >>\n\n   >> According to Mathsoft, no. Mathcad uses the swap file extensively so as\n   >> not to overburden the physical resources. They say this is actually a\n   >> win32s feature. A figure of 10MB was indicated to me as a minimum. But\n   >> you might try anyway!\n\n  2) by bert.tyler@satalink.com (Bert Tyler) >>\n\n   >> I\'m not all that certain that Mathcad is the culprit here.\n   >>\n   >> I have a 486/66DX2 with 16MB of main memory (less 2MB for a RAMdisk and\n   >> a bit for a DOS session that is opened as part of the startup process),\n   >> which I have been running without any swapfile.  When I installed the\n   >> WIN32s subsystem from the March Beta of the NT SDK, the WIN32s subsystem\n   >> itself demanded the presence of a swapfile.  The only WIN32s program\n   >> I\'ve run to date is the 32-bit version of Freecell that came with that\n   >> subsystem.\n   >>\n   >> I gave Windows a small temporary swapfile (I\'m leery of files that must\n   >> remain in fixed locations on my hard disk), and all seems well.\n\n  3) by bca@ece.cmu.edu (Brian C. Anderson) >>\n\n   >> What is Win32?  I upgraded to Mathcad 4.0 and it installed a directory for\n   >> Win32 under \\\\windows\\\\system .  During the upgrade it told me that win32\n   >> was required.\n\n  4) by case0030@student.tc.umn.edu (Steven V Case-1) >>\n\n  >> MathCad 4.0 makes use of the Win32s libraries.  You\'ve probably\n  >> heard about Win32s, it is a 32-bit Windows library that provides\n  >> much of the Windows NT functionality (no support for threads and\n  >> multitasking and such) but can be run under Windows 3.1.\n\n  5) by rhynetc@zardoz.chem.appstate.edu (Thomas C. Rhyne) >>\n\n   >> I also have 16 Mb of ram, and indeed Mathcad 4.0 insisted on a permanent\n   >> swapfile; it would not run otherwise.\n\n  6) by bishop@baeyer.chem.fsu.edu (Greg Bishop) >>\n\n   >> 3) MathCAD absolutely requires 4MB RAM (with 12MB swap file) or 8MB RAM\n   >> (with 8MB swap file).  It will give you a not enough memory error if the\n   >> swap file is less than 8MB.  It is a MAJOR resource hog.  If you do not\n   >> load the symbolic processor or the smart math, it takes about 5MB of RAM\n   >> (real or virtual) just to load (again, due to the win32s libraries.\n\n********************************************************************************\n*                                                                              *\n* So it seems that in addition to the system requirements shown on Mathsoft\'s  *\n* advertisement for 4.0, that you need a swap file, possibly as big as 12MB.   *\n* Looks like I would just need an 8MB swap file, and would need to choose (or  *\n* can I?) between a faster permanent swap file, or a slower temporary swap file*\n*                                                                              *\n* Apparently a Win32 subsystem ships with Mathcad 4.0 - how much disk space    *\n* does this require?                                                           *\n*                                                                              *\n********************************************************************************\n\nI also received these answers:\n\n  1) by mfdjh@uxa.ecn.bgu.edu (Dale Hample) >>\n\n   >> If you\'ve got 16 megs of RAM, why not configure 10megs as a ram disk for\n   >> Mathcad?  DOS 6 permits different bootup configurations.\n\n********************************************************************************\n*                                                                              *\n* Can Mathcad 4.0 + Win32 be configured to use such a RAM drive instead of a   *\n* swap file?  If not, I don\'t see how using DOS 6.0 for an alternate bootup    *\n* would provide Windows with this swap file.   Some time back I remember a     *\n* discussion about the issues of using a RAM drive to support a swap file,     *\n* but I thought this involved slower, < 8MB systems.                           *\n*                                                                              *\n* I have DOS 6.0 but for various reasons have not yet done a full installation.*\n*                                                                              *\n* By the way, is a full installation of DOS 6.0 required to avail oneself of   *\n* the "alternate bootup" feature?  Which files from the installation disks are *\n* required?                                                                    *\n*                                                                              *\n********************************************************************************\n\n  2) by wild@access.digex.com (Wildstrom) >>\n\n   >> Presumeably, you mean without a _permanent_ swap file. If Windows needs a\n   >> swap file, it will upo and create one if a permanent one doesn\'t exist.\n   >> Permanent is generally faster though. I don\'t know why Mathcad wouldn\'t\n   >> be happy with either type--Ver. 3.0 is and so should any program conforming\n   >> to the Win specification.\n\n*********************************************************************************\n*                                                                               *\n* So far, 16MB has been enough RAM to avoid the overhead of running ANY swap    *\n* file - I have been running Mathcad 3.1 under Windows 3.1 without one.         *\n*                                                                               *\n*********************************************************************************\n',
 'From: bf3833@pyuxe.cc.bellcore.com (feigenbaum,benjamin)\nSubject: Clinton\'s views on Jerusalem\nOrganization: Bellcore, Livingston, NJ\nLines: 15\n\nI recently read that during Bill Clinton\'s campaign, he stated\nthat if elected he would immediately recognize Jerusalem as\nIsrael\'s capital.  According to the article, Mr. Clinton\nreaffirmed this after winning the presidency.  However,\nduring recent talks with President Mubarak, Secretary of\nState Christopher stated that "the status of Jerusalem\nwill be a final matter of discussion between the parties".\n\nNow I don\'t want to start a big discussion over the status\nof Jerusalem.  All I want to know is if anyone can \nauthenticate Mr. Clinton\'s statements with dates, places, etc.\n\nThank you.\n\nBen.\n',
 "From: spiro@netcom.com (Philip N. Spiro)\nSubject: Re: NEW CD-ROM for Gateways', and misc. info\nOrganization: NETCOM On-line Communication Services (408 241-9760 guest)\nX-Newsreader: TIN [version 1.1 PL8]\nDistribution: na\nLines: 15\n\nTerry Clark (tclark@news.weeg.uiowa.edu) wrote:\n\n:    The upgrade to a Nanao 550i is now $765.\n:        (this monitor will handle 1280x1024 at a vertical refresh\n:         of 72-76Hz).\n\n\tNot according to Nanao. The 550i will not do better than 60Hz\n\tat 1280x1024. BTW, Gateway told me the same thing.\n\n\n-- \nPhil\n-------------------------------------------\nPhil Spiro  spiro@netcom.com   415-964-6647\n\n",
 'From: mtjensen@nbivax.nbi.dk\nSubject: Re: This year\'s biggest and worst (opinion)...\nReply-To: mtjensen\nOrganization: Niels Bohr Institute and Nordita, Copenhagen\nLines: 56\n\nIn article <C4zCII.Ftn@watserv1.uwaterloo.ca>, smale@healthy.uwaterloo.ca (Bryan Smale) writes:\n> \n> I was thinking about who on each of the teams were the MVPs, biggest\n> surprises, and biggest disappointments this year. Now, these are just\n> my observations and are admittedly lacking because I have not had an\n> opportunity to see all the teams the same amount. Anyway....\n>   \n> MVP = most valuable player to his team both in terms of points and\n>       in terms of leadership ("can\'t win without him")\n>   \n> Biggest surprise = the player who rose above expectation -- the player\n>       that may have raised the level of his game to a new height, even\n>       if that new level doesn\'t necessarily warrant an allstar berth\n>       (includes those players who at the outset of the season, may not\n>       even have been in the team\'s plans).\n>    \n> Biggest disappointment = the player from whom we expected more (e.g., I\n>       picked Denis Savard in Montreal because with the new emphasis on\n>       offence brought by Demers, shouldn\'t Savard have done better?)\n>    \n> -----------------------------------------------------------------------\n>   \n>                         Team           Biggest       Biggest\n> Team:                   MVP:          Surprise:    Disappointment:\n> -----------------------------------------------------------------------\n> Boston Bruins           Oates          D.Sweeney     Wesley\n> Buffalo Sabres          Lafontaine     Mogilny       Audette (jinx?)\n> Calgary Flames          Roberts        Reichel       Petit\n> Chicago Blackhawks      Roenick        Ruuttu        Goulet\n> Detroit Red Wings       Yzerman        Chaisson      Kozlov\n> Edmonton Oilers         Manson         Buchberger    Mellanby\n> Hartford Whalers        Sanderson      Cassells      Corriveau\n> Los Angeles Kings       Robitaille     Donnelly      Hrudey\n> Minnesota North Stars   Modano      Tinordi(not expected back)  Broten\n> Montreal Canadiens      Muller         Lebeau        Savard\n> New Jersey Devils       Stevens        Semak         MacLean\n> New York Islanders      Turgeon        King(finally) Marois\n> New York Rangers        Messier        Kovalev       Bourque\n> Ottawa Senators         MacIver        Baker         Jelinek\n> Philadelphia Flyers     Lindros/Recchi Fedyk/Galley  Eklund\n> Pittsburgh Penguins     Lemieux        Tocchet(even for him)  Jagr\n> Quebec Nordiques        Sakic/Ricci    Kovalenko     Pearson\n> San Jose Sharks         Kisio          Gaudreau      Maley\n> St Louis Blues          Shanahan       C.Joseph      Ron Sutter\n> Tampa Bay Lightening    Bradley        Bradley       Creighton/Kasper\n> Toronto Maple Leafs     Gilmour        Potvin        Ellett/Anderson\n> Vancouver Canucks       Bure           Nedved(finally)    Momesso\n> Washington Capitals     Hatcher        Bondra/Cote   Elynuik\n> Winnipeg Jets           Selanne        Selanne       Druce\n> ----------------------------------------------------------------------\n>   \n> As I mentioned up top, these are my *impressions* from where I sit. I\n> would welcome any opinions from those fans nearer their teams (in other\n> words, *anywhere* away from a Toronto newspaper!)\n>    \n> Bryan\n',
 'From: bobs@thnext.mit.edu (Robert Singleton)\nSubject: Re: Americans and Evolution\nOrganization: Massachvsetts Institvte of Technology\nLines: 138\nDistribution: world\nNNTP-Posting-Host: thnext.mit.edu\n\nIn article <16BA8C4AC.I3150101@dbstu1.rz.tu-bs.de>  \nI3150101@dbstu1.rz.tu-bs.de (Benedikt Rosenau) writes:\n> In article <1pq47tINN8lp@senator-bedfellow.MIT.EDU>\n> bobs@thnext.mit.edu (Robert Singleton) writes:\n>  \n> (Deletion)\n> >\n> >I will argue that your latter statement, "I believe that no gods exist"\n> >does rest upon faith - that is, if you are making a POSITIVE statement\n> >that "no gods exist" (strong atheism) rather than merely saying I don\'t\n> >know and therefore don\'t believe in them and don\'t NOT believe in then\n> >(weak atheism). Once again, to not believe in God is different than\n> >saying I BELIEVE that God does not exist. I still maintain the \n> >position, even after reading the FAQs, that strong atheism requires \n> >faith.\n> >\n>  \n> No it in the way it is usually used. In my view, you are saying here \n> that driving a car requires faith that the car drives.\n>  \n\nI\'m not saying this at all - it requires no faith on my part to\nsay the car drives because I\'ve seen it drive - I\'ve done more\nthan at in fact - I\'ve actually driven it. (now what does require\nsome faith is the belief that my senses give an accurate representation\nof what\'s out there....) But there is NO evidence - pro or con -\nfor the existence or non-existence of God (see what I have to\nsay below on this).\n\n> For me it is a conclusion, and I have no more faith in it than I \n> have in the premises and the argument used.\n>  \n\nSorry if I remain skeptical - I don\'t believe it\'s entirely a\nconclusion. That you have seen no evidence that there IS a God\nis correct - neither have I. But lack of evidence for the existence \nof something is in NO WAY evidence for the non-existence of something \n(the creationist have a similar mode of argumentation in which if they \ndisprove evolution the establish creation). You (personally) have never \nseen a neutrino before, but they exist. The "pink unicorn" analogy breaks\ndown and is rather naive. I have a scientific theory that explains the \nappearance of animal life - evolution. When I draw the conclusion that \n"pink unicorns" don\'t exist because I haven\'t seen them, this conclusion\nhas it\'s foundation in observation and theory. A "pink unicorn", if\nit did exist, would be qualitatively similar to other known entities.\nThat is to say, since there is good evidence that all life on earth has\nevolved from "more primitive" ancestors these pink unicorns would share \na common anscestory with horses and zebras and such. God, however,\nhas no such correspondence with anything (IMO). There is no physical\nframe work of observation to draw ANY conclusions FROM. \n\n\n\n> >But first let me say the following.\n> >We might have a language problem here - in regards to "faith" and\n> >"existence". I, as a Christian, maintain that God does not exist.\n> >To exist means to have being in space and time. God does not HAVE\n> >being - God IS Being. Kierkegaard once said that God does not\n> >exist, He is eternal. With this said, I feel it\'s rather pointless\n> >to debate the so called "existence" of God - and that is not what\n> >I\'m doing here. I believe that God is the source and ground of\n> >being. When you say that "god does not exist", I also accept this\n> >statement - but we obviously mean two different things by it. However,\n> >in what follows I will use the phrase "the existence of God" in it\'s\n> >\'usual sense\' - and this is the sense that I think you are using it.\n> >I would like a clarification upon what you mean by "the existence of\n> >God".\n> >\n>  \n> No, that\'s a word game. \n\nI disagree with you profoundly on this. I haven\'t defined God as\nexistence - in fact, I haven\'t defined God. But this might be\ngetting off the subject - although if you think it\'s relevant\nwe can come back to it. \n\n>  \n> Further, saying god is existence is either a waste of time, existence is\n> already used and there is no need to replace it by god, or you are \n> implying more with it, in which case your definition and your argument \n> so far are incomplete, making it a fallacy.\n>  \n\nYou are using wrong categories here - or perhaps you misunderstand\nwhat I\'m saying. I\'m making no argument what so ever and offering no\ndefinition so there is no fallacy. I\'m not trying to convince you of\nanything. *I* Believe - and that rests upon Faith. And it is inappropriate\nto apply the category of logic in this realm (unless someone tells you\nthat they can logically prove God or that they have "evidence" or ...,\nthen the use of logic to disprove their claims if fine and necessary).\n\nBTW, an incomplete argument is not a fallacy - some things are not\nEVEN wrong. \n\n>  \n> (Deletion)\n> >One can never prove that God does or does not exist. When you say\n> >that you believe God does not exist, and that this is an opinion\n> >"based upon observation", I will have to ask "what observtions are\n> >you refering to?" There are NO observations - pro or con - that\n> >are valid here in establishing a POSITIVE belief.\n> (Deletion)\n>  \n> Where does that follow? Aren\'t observations based on the assumption\n> that something exists?\n>  \n\nI don\'t follow you here. Certainly one can make observations of\nthings that they didn\'t know existed. I still maintain that one\ncannot use observation to infer that "God does not exist". Such\na positive assertion requires a leap.  \n\n\n\n> And wouldn\'t you say there is a level of definition that the assumption\n> "god is" is meaningful. If not, I would reject that concept anyway.\n>  \n> So, where is your evidence for that "god is" is meaningful at some \n> level?\n\nOnce again you seem to completely misunderstand me. I have no\nEVIDENCE that "\'god is\' is meaningful" at ANY level. Maybe such\na response as you gave just comes naturally to you because so\nmany people try to run their own private conception of God down\nyour throat. I, however, am not doing this. I am arguing one, and\nonly one, thing - that to make a positive assertion about something\nfor which there can in principle be no evidence for or against\nrequires a leap - it requires faith. I am, as you would say, a\n"theist"; however, there is a form of atheism that I can respect -\nbut it must be founded upon honesty. \n\n\n\n>    Benedikt\n\n--\nbob singleton\nbobs@thnext.mit.edu\n',
 'From: jake@bony1.bony.com (Jake Livni)\nSubject: Re: About this \'Center for Policy Resea\nOrganization: The Department of Redundancy Department\nLines: 85\n\nIn article <1483500350@igc.apc.org> Center for Policy Research <cpr@igc.apc.org> writes:\n\n>It seems to me that many readers of this conference are interested\n>who is behind the Center for Polict Research. I will oblige.\n\nTrumpets, please.\n\n>My name is Elias Davidsson, Icelandic citizen, born in Palestine. My\n>mother was thrown from Germany because she belonged to the \'undesirables\'\n>(at that times this group was defined as \'Jews\'). She was forced to go\n>to Palestine due to many  cynical factors. \n\n"Forced to go to Palestine."  How dreadful.  Unlike other\nundesirables/Jews, she wasn\'t forced to go into a gas chamber, forced\nunder a bulldozer, thrown into a river, forced into a "Medical\nexperiment" like a rat, forced to march until she dropped dead, burned\nto nothingness in a crematorium.  Your mother was "forced to go to\nPalestine."  You have our deepest sympathies.\n\n>I have meanwhile settled in Iceland (30 years ago) \n\nWe are pleased to hear of your escape.  At least you won\'t have to\nsuffer the same fate that your mother did.\n\n>and met many people who were thrown out from\n>my homeland, Palestine, \n\nYour homeland, Palestine?  \n\n>because of the same reason (they belonged to\n>the \'indesirables\'). \n\nShould we assume that you are refering here to Jews who were kicked\nout of their homes in Jerusalem during the Jordanian Occupation of\nEast Jerusalem?  These are the same people who are now being called\nthieves for re-claiming houses that they once owned and lived in and\nnever sold to anyone?\n\n>These people include my neighbors in Jerusalem\n>with the children of whom I played as child. Their crime: Theyare\n>not Jews. \n\nI have never heard of NOT being a Jew as a crime.  Certainly in\nIsrael, there is no such crime.  In some times and places BEING a Jew\nis a crime, but NOT being a Jew??!!\n\n>My conscience does not accept such injustice, period. \n\nOur brains do not accept your logic, yet, either.\n\n>My\n>work for justice is done in the name of my principled opposition to racism\n>and racial discrimination. Those who protest against such practices\n>in Arab countries have my support - as long as their protest is based\n>on a principled position, but not as a tactic to deflect criticism\n>from Israel. \n\nThe way you\'ve written this, you seem to accept criticism in the Arab\nworld UNLESS it deflects criticism from Israel, in which case, we have\nto presume, you no longer support criticism of the Arab world.\n\n>The struggle against discrimination and racism is universal.\n\nLook who\'s taling about discrimination now!\n\n>The Center for Policy Research is a name I gave to those activities\n>undertaken under my guidance in different domains, and which command\n>the support of many volunteers in Iceland. It is however not a formal\n>institution and works with minimal funds.\n\nBe careful.  You are starting to sound like Barfling.\n\n>Professionally I am music teacher and composer. I have published \n>several pieces and my piano music is taught widely in Europe.\n>\n>I would hope that discussion about Israel/Palestine be conducted in\n>a more civilized manner. Calling names is not helpful.\n\nGood.  Don\'t call yourself "ARF" or "the Center for Policy Research",\neither. \n\n-- \nJake Livni  jake@bony1.bony.com           Ten years from now, George Bush will\nAmerican-Occupied New York                   have replaced Jimmy Carter as the\nMy opinions only - employer has no opinions.    standard of a failed President.\n',
 'From: Russell.P.Hughes@dartmouth.edu (RPH)\nSubject: Power Arc II Ignition, Super E Carb\nX-Posted-From: InterNews 1.0b14@dartmouth.edu\nOrganization: HOG HEAVEN\nLines: 35\n\nNow the bike is off warranty, I finally replaced the stock items on my\nSoftail Custom with the title ones. Installation was pretty easy in\nboth cases, even for a fairly non-mechanical chemist type dude like me!\n I discovered the limitations of my tool collection, but had fun buying\nand making the requisite tools!\n\nMC Ignitions Power Arc II Single Fire Ignition: easy to install, but\nread the wiring diagram carefully!  Setting the static timing was a\npiece of cake.  Once installed, I have found easier starting, smoother\nidle, and more power, plus a more satisfying (to me) bass note in the\nexhaust register...a lovely whompa-whompa-whompa idle  :-)\nThe folks at MC Ignitions were great in answering my dumb questions on\nthe phone..... a very helpful bunch of guys with a great product.\n\nS&S Super E Carb: installation easy, once I hacked down an Allen wrench\nto a small anough reach to get at the intake manifold bolts. Tunes like\na dream, just like they say!  The stock carb (non-adjustable) was so\nlean that it was gasping and spluttering for gas sometimes, and even\nbackfiring into the intake manifold. The Super E is terrific, no\nhesitation in any gear, and my plugs are a lovely tan color with no\nneed to rejet from the factory settings!\n\nI know this may not seem like much to you grizzled veteran wrenchers\nout there, but I had my bike in so many pieces this weekend I began to\nget worried. But it all went back together again, and runs like a\ndream, so I am feeling pretty happy.\n\nNow all I have to do is install my BUB pipes and try to pass the NH\nNoise Gestapo Test!\n\n\nRuss Hughes  \'92 FXSTC  DoD# 6022(10E20)\n"Love ...yeah, that\'s the feeling you get when you like something\nas much as your motorcycle."\n                                --Sonny Barger\n',
 "From: brad@clarinet.com (Brad Templeton)\nSubject: Re: Secret algorithm [Re: Clipper Chip and crypto key-escrow]\nOrganization: ClariNet Communications Corp.\nKeywords: encryption, wiretap, clipper, key-escrow, Mykotronx\nLines: 21\n\nIn article <1993Apr18.032405.23325@magnus.acs.ohio-state.edu> jebright@magnus.acs.ohio-state.edu (James R Ebright) writes:\n>In article brad@clarinet.com (Brad Templeton) writes:\n>\n>[...]>\n>>The greatest danger of the escrow database, if it were kept on disk,\n>>would be the chance that a complete copy could somehow leak out.  You\n>[...]>\n>>Of course then it's hard to backup.  However, I think the consequences\n>>of no backup -- the data is not there when a warrant comes -- are worse\n>>than the consequences of a secret backup.\n>\n>If the data isn't there when the warrant comes, you effectively have\n>secure crypto.  If secret backups are kept...then you effectively have\n>no crypto.  Thus, this poster is essentialy arguing no crypto is better\n>than secure crypto.\n\nNo, the poster (me) has his brain in the wrong gear.  As you can infer\nfrom the first sentence, I meant the consequences of no backup are *better*\nthan the consequences of an easy to copy database.\n-- \nBrad Templeton, ClariNet Communications Corp. -- Sunnyvale, CA 408/296-0366\n",
 'From: bressler@iftccu.ca.boeing.com (Rick Bressler)\nSubject: Re: Re: Guns GONE. Good Riddance !\nOrganization: Boeing Commercial Airplane Group\nLines: 13\n\n/ iftccu:talk.politics.guns / Jason Kratz <U28037@uicvm.uic.edu> /  3:34 pm  Apr 18, 1993 /\n\n>>Surrender your arms. Soon enough, officers will be around to collect\n>>them. Resistance is useless. They will overwhelm you - one at a time.\n>       ^^^^^^^^^^^^^^^^^^^^^\n>\n>Listen buddy, if you\'re going to quote Star Trek get the quote right.  It was\n>"Resistance is futile".  Get it right the next time :-)\n\nSounds like a VOGON quote to me..... Perhaps YOU should READ more widely \ninstead of watching that idiot box....\n\nRick.\n',
 'From: bradd@rigel.cs.pdx.edu (Brad A Davis)\nSubject: For Sale: 386/25MHz motherboard (or system) with 8 megabytes\nSummary: 386DX/25 system w/8Mb for $475; motherboard alone for $325\nArticle-I.D.: pdxgate.7251\nDistribution: or\nOrganization: Portland State University, Computer Science Dept.\nLines: 30\n\nI recently upgraded to a 486 and have found out I don\'t really have a need\nfor my old 386.  I\'d prefer to sell just the motherboard and keep the case\netc, so I\'ll offer the motherboard and case separately and let you decide.\n\nI\'m asking $325 for the motherboard, which has:\n    25Mhz 386 DX (not SX)\n    8 megabytes of 32-bit, 70ns memory\n    AMI BIOS\n    based on C&T NEAT chipset\n    \t(this means the motherboard and bus circuitry timings are\n\tprogrammable - the BIOS\' advanced configuration menus let you\n\tselect system, DMA, bus clock, wait states, command delays, etc.)\n    "baby AT" sized - fits in mini-tower, full-sized or most any other case\n(Includes User\'s Guide and a copy of the BIOS reference manual)\n\nFor $150 more you could have the rest of the system too:\n    full-size AT case with 200(?) watt power supply\n    2 serial, 1 parallel, 1 game ports\n    20Mb hard disk\n    1.2Mb floppy disk\n    keyboard\n    video card (choice of VGA or ???)\n\nIf you\'re interested, please give me a call.  The system is set up at my house\nin Aloha, and you\'re welcome to come test drive it.\n\nRandom drivel from the keyboard of:       +---+\n  Brad Davis, NCD Inc, Beaverton OR       |   | Network Computing Devices\n  bradd@pcx.ncd.com  (503) 642-9927       |NCD| PC-XDivision\n             (office)(503) 671-8431       +---+\n',
 "From: jmkerrig@vela.acs.oakland.edu (KERRIGAN JOHN M)\nSubject: Re: Top Ten Ways Slick Willie Could Improve His Standing With Americans\nOrganization: Oakland University, Rochester MI.\nLines: 40\nNNTP-Posting-Host: vela.acs.oakland.edu\n\nIn article <C5KMz5.Hy4@newsserver.technet.sg> ipser@solomon.technet.sg (Ed Ipser) writes:\n:>Top Ten Ways Slick Willie Could Improve His Standing With Americans\n:>\n:>10. Institute a national sales tax to pay for the socialization of\n:>    America's health care resources.\n:>\n:>9.  Declare war on Serbia. Reenact the draft.\n:>\n:>8.  Stimulate the economy with massive income transfers to Democtratic\n:>    constituencies.\n:>\n:>7.  Appoint an unrepetent socialist like Mario Cuomo to the Suprmeme Court.\n:>\n:>6.  Focus like a laser beam on gays in the military.\n:>\n:>5.  Put Hillary in charge of the Ministry of Truth and move Stephanopoulos\n:>    over to socialzed health care.\n:>\n:>4.  Balance the budget through confiscatory taxation.\n:>\n:>3.  Remind everyone, again, how despite the Democrats holding the\n:>    Presidency, the majority of seats in the House, and in the Senate,\n:>    the Republicans have still managed to block his tax-and-spend programs.\n:>\n:>2.  Go back to England and get a refresher course in European Socialism.\n:>\n\n  ***SNIP***\n\nAnd the number one way Slick Willie could improve his standing with\nAmericans...\n\n(Drum roll Anton)\n\n1.  Get himself an appointment with Dr. Kervorkian - and keep it!\n\n-- \n-------------------------------------------------------------------------------\n**        John Kerrigan        a.k.a.  jmkerrig@vela.acs.oakland.edu        **\n-------------------------------------------------------------------------------\n",
 'From: keith@cco.caltech.edu (Keith Allan Schneider)\nSubject: Re: <Political Atheists?\nOrganization: California Institute of Technology, Pasadena\nLines: 12\nNNTP-Posting-Host: punisher.caltech.edu\n\nlivesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n\n>Now along comes Mr Keith Schneider and says "Here is an "objective\n>moral system".  And then I start to ask him about the definitions\n>that this "objective" system depends on, and, predictably, the whole\n>thing falls apart.\n\nIt only falls apart if you attempt to apply it.  This doesn\'t mean that\nan objective system can\'t exist.  It just means that one cannot be\nimplemented.\n\nkeith\n',
 "From: bdunn@cco.caltech.edu (Brendan Dunn)\nSubject: Re: Amusing atheists and agnostics\nOrganization: California Institute of Technology, Pasadena\nLines: 8\nNNTP-Posting-Host: punisher.caltech.edu\n\nThanks to whoever posted this wonderful parody of people who post without \nreading the FAQ!  I was laughing for a good 5 minutes.  Were there any \nparts of the FAQ that weren't mentioned?  I think there might have been one\nor two...\n\nPlease don't tell me this wasn't a joke.  I'm not ready to hear that yet...\n\nBrendan\n",
 "From: dealy@narya.gsfc.nasa.gov (Brian Dealy - CSC)\nSubject: Re: Motif maling list\nOrganization: NASA/Goddard Space Flight Center\nLines: 14\nDistribution: world\nNNTP-Posting-Host: narya.gsfc.nasa.gov\nOriginator: dealy@narya.gsfc.nasa.gov\n\n\nThe motif mailing list will now be located at\nlobo.gsfc.nasa.gov\n\nIf you would like to be added (or deleted) from this list, please\nsend mail to motif-request@lobo.gsfc.nasa.gov\nto mail to the list, send mail to motif@lobo.gsfc.nasa.gov\n\n\nBrian\n-- \nBrian Dealy                |301-572-8267| It not knowing where it's at  \ndealy@kong.gsfc.nasa.gov   |            | that's important,it's knowing\n!uunet!dftsrv!kong!dealy   |            | where it's not at...  B.Dylan\n",
 'From: chongo@toad.com (Landon C. Noll)\nSubject: 10th International Obfuscated C Code Contest Opening (part 2 of 2)\nArticle-I.D.: toad.32195\nExpires: 7 May 93 00:00:00 GMT\nReply-To: chongo@toad.com.UUCP (Landon C. Noll)\nDistribution: world\nOrganization: Nebula Consultants in San Francisco\nLines: 1382\n\nEnclosed are the rules, guidelines and related information for the 10th\nInternational Obfuscated C Code Contest.  (This is part 2 of a 2 part\nshar file).\n\nEnjoy!\n\nchongo <Landon Curt Noll> /\\\\oo/\\\\\nLarry Bassel\n\n=-=\n\n#!/bin/sh\n# This is part 02 of a multipart archive\n# ============= mkentry.c ==============\necho "x - extracting mkentry.c (Text)"\nsed \'s/^X//\' << \'SHAR_EOF\' > mkentry.c &&\nX/* @(#)mkentry.c\t1.24 3/1/93 02:28:49 */\nX/*\nX * Copyright (c) Landon Curt Noll & Larry Bassel, 1993.  \nX * All Rights Reserved.  Permission for personal, education or non-profit use \nX * is granted provided this this copyright and notice are included in its \nX * entirety and remains unaltered.  All other uses must receive prior \nX * permission in writing from both Landon Curt Noll and Larry Bassel.\nX */\nX/*\nX * mkentry - make an International Obfuscated C Code Contest entry\nX *\nX * usage:\nX *\tmkentry -r remarks -b build -p prog.c -o ioccc.entry\nX *\nX *\t-r remarks\t\tfile with remarks about the entry\nX *\t-b build\t\tfile containing how prog.c should be built\nX *\t-p prog.c\t\tthe obfuscated program source file\nX *\t-o ioccc.entry\t\tioccc entry output file\nX *\nX * compile by:\nX *\tcc mkentry.c -o mkentry\nX */\nX/*\nX * Placed in the public domain by Landon Curt Noll, 1992.\nX *\nX * THIS SOFTWARE IS PROVIDED ``AS IS\'\' AND WITHOUT ANY EXPRESS OR IMPLIED\nX * WARRANTIES, INCLUDING, WITHOUT LIMITATION, THE IMPLIED WARRANTIES OF\nX * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.\nX */\nX/*\nX * WARNING:\nX *\nX * This program attempts to implement the IOCCC rules.  Every attempt\nX * has been made to make sure that this program produces an entry that\nX * conforms to the contest rules.  In all cases, where this program\nX * differs from the contest rules, the contest rules will be used.  Be\nX * sure to check with the contest rules before submitting an entry.\nX *\nX * Send questions or comments (but not entries) about the contest, to:\nX *\nX *\t...!{sun,pacbell,uunet,pyramid}!hoptoad!judges\nX *\tjudges@toad.com\nX * The rules and the guidelines may (and often do) change from year to\nX * year.  You should be sure you have the current rules and guidelines\nX * prior to submitting entries.  To obtain all 3 of them, send Email\nX * to the address above and use the subject \'send rules\'.\nX *\nX * Because contest rules change from year to year, one should only use this\nX * program for the year that it was intended.  Be sure that the RULE_YEAR\nX * define below matches this current year.\nX */\nX\nX#include <stdio.h>\nX#include <ctype.h>\nX#include <time.h>\nX#include <sys/types.h>\nX#include <sys/stat.h>\nX\nX/* logic */\nX#ifndef TRUE\nX# define TRUE 1\nX#endif /* TRUE */\nX#ifndef FALSE\nX# define FALSE 0\nX#endif /* FALSE */\nX#define EOF_OK TRUE\nX#define EOF_NOT_OK FALSE\nX\nX/* global limits */\nX#define RULE_YEAR 1993\t\t/* NOTE: should match the current year */\nX#define START_DATE "1Mar92 0:00 UTC"\t/* first confirmation received */\nX#define MAX_COL 79\t\t/* max column a line should hit */\nX#define MAX_BUILD_SIZE 256\t/* max how to build size */\nX#define MAX_PROGRAM_SIZE 3217\t/* max program source size */\nX#define MAX_PROGRAM_SIZE2 1536\t/* max program source size not counting\nX\t\t\t\t   whitespace and {}; not followed by\nX\t\t\t\t   whitespace or EOF */\nX#define MAX_TITLE_LEN 12\t/* max chars in the title */\nX#define MAX_ENTRY_LEN 1\t\t/* max length in the entry input line */\nX#define MAX_ENTRY 8\t\t/* max number of entries per person per year */\nX#define MAX_FILE_LEN 1024\t/* max filename length for a info file */\nX\nX/* where to send entries */\nX#define ENTRY_ADDR1 "...!{apple,pyramid,sun,uunet}!hoptoad!obfuscate"\nX#define ENTRY_ADDR2 "obfuscate@toad.com"\nX\nX/* uuencode process - assumes ASCII */\nX#define UUENCODE(c) (encode_str[(int)(c)&0xff])\nX#define UUENCODE_LEN 45\t\t/* max uuencode chunk size */\nX#define UUINFO_MODE 0444\t/* mode of an info file\'s uuencode file */\nX#define UUBUILD_MODE 0444\t/* mode of the build file\'s uuencode file */\nX#define UUBUILD_NAME "build"\t/* name for the build file\'s uuencode file */\nX#define UUPROG_MODE 0444\t/* mode of the program\'s uuencode file */\nX#define UUPROG_NAME "prog.c"\t/* name for the program\'s uuencode file */\nX\nX/* encode_str[(char)val] is the uuencoded character of val */\nXchar encode_str[256+1] = "`!\\\\"#$%&\'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\\\\\\\]^_ !\\\\"#$%&\'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\\\\\\\]^_ !\\\\"#$%&\'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\\\\\\\]^_ !\\\\"#$%&\'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\\\\\\\]^_";\nX\nX/* global declarations */\nXchar *program;\t\t\t/* our name */\nXlong start_time;\t\t/* the startup time */\nX\nX/* forward declarations */\nXvoid parse_args();\nXvoid usage();\nXFILE *open_remark();\nXFILE *open_build();\nXFILE *open_program();\nXFILE *open_output();\nXvoid output_entry();\nXvoid output_remark();\nXvoid output_author();\nXvoid output_info();\nXvoid output_build();\nXvoid output_program();\nXvoid output_end();\nXint get_line();\nXvoid output_till_dot();\nXint col_len();\nXvoid check_io();\nXvoid uuencode();\nX\nXmain(argc, argv)\nX    int argc;\t\t/* arg count */\nX    char **argv;\t/* the args */\nX{\nX    FILE *remark=NULL;\t/* open remarks stream */\nX    FILE *build=NULL;\t/* open build file stream */\nX    FILE *prog=NULL;\t/* open program stream */\nX    FILE *output=NULL;\t/* open output stream */\nX    char *rname=NULL;\t/* file with remarks about the entry */\nX    char *bname=NULL;\t/* file containing how prog.c should be built */\nX    char *pname=NULL;\t/* the obfuscated program source file */\nX    char *oname=NULL;\t/* ioccc entry output file */\nX    struct tm *tm;\t/* startup time structure */\nX\nX    /*\nX     * check on the year\nX     */\nX    start_time = time((long *)0);\nX    tm = gmtime(&start_time);\nX    if (tm->tm_year != RULE_YEAR-1900) {\nX\tfprintf(stderr,\nX\t"%s: WARNING: this program applies to %d, which may differ from %d\\\\n\\\\n",\nX\t    argv[0], RULE_YEAR, 1900+tm->tm_year);\nX    }\nX\nX    /*\nX     * parse the command line args\nX     */\nX    parse_args(argc, argv, &rname, &bname, &pname, &oname);\nX\nX    /*\nX     * open/check the input and output files\nX     *\nX     * We open and truncate the output file first, in case it is the same\nX     * as one of the input files.\nX     */\nX    output = open_output(oname);\nX    remark = open_remark(rname);\nX    build = open_build(bname);\nX    prog = open_program(pname);\nX    if (output==NULL || remark==NULL || build==NULL || prog==NULL) {\nX\texit(1);\nX    }\nX\nX    /*\nX     * output each section\nX     */\nX    output_entry(output, oname);\nX    output_remark(output, oname, remark, rname);\nX    output_author(output, oname);\nX    output_info(output, oname);\nX    output_build(output, oname, build, bname);\nX    output_program(output, oname, prog, pname);\nX    output_end(output, oname);\nX\nX    /* \nX     * flush the output \nX     */\nX    if (fflush(output) == EOF) {\nX\tfprintf(stderr, "%s: flush error in %s: ", program, oname);\nX\tperror("");\nX\texit(2);\nX    }\nX\nX    /*\nX     * final words\nX     */\nX    printf("\\\\nYour entry can be found in %s.  You should check this file\\\\n", \nX\toname);\nX    printf("correct any problems and verify that the uudecode utility will\\\\n");\nX    printf("correctly decode your build file and program.\\\\n\\\\n");\nX    printf("This program has been provided as a guide for submitters.  In\\\\n");\nX    printf("cases where it conflicts with the rules, the rules shall apply.\\\\n");\nX    printf("It is your responsibility to ensure that your entry conforms to\\\\n");\nX    printf("the current rules.\\\\n\\\\n");\nX    printf("Email your entries to:\\\\n");\nX    printf("\\\\t%s\\\\n", ENTRY_ADDR1);\nX    printf("\\\\t%s\\\\n\\\\n", ENTRY_ADDR2);\nX    printf("Please use the following subject when you Email your entry:\\\\n");\nX    printf("\\\\tioccc entry\\\\n\\\\n");\nX    /* all done */\nX    exit(0);\nX}\nX\nX/*\nX * parse_args - parse the command line args\nX *\nX * Given the command line args, this function parses them and sets the\nX * required name flags.  This function will return only if the command\nX * line syntax is correct.\nX */\nXvoid\nXparse_args(argc, argv, rname, bname, pname, oname)\nX    int argc;\t\t/* arg count */\nX    char **argv;\t/* the args */\nX    char **rname;\t/* file with remarks about the entry */\nX    char **bname;\t/* file containing how prog.c should be built */\nX    char **pname;\t/* the obfuscated program source file */\nX    char **oname;\t/* ioccc entry output file */\nX{\nX    char *optarg;\t/* -flag option operand */\nX    int flagname;\t/* the name of the -flag */\nX    int i;\nX\nX    /*\nX     * Not everyone has getopt, so we must parse args by hand.\nX     */\nX    program = argv[0];\nX    for (i=1; i < argc; ++i) {\nX\nX\t/* determine the flagname */\nX\tif (argv[i][0] != \'-\') {\nX\t    usage(1);\nX\t    /*NOTREACHED*/\nX\t}\nX\tflagname = (int)argv[i][1];\nX\nX\t/* determine the flag\'s operand */\nX\tif (flagname != \'\\\\0\' && argv[i][2] != \'\\\\0\') {\nX\t    optarg = &argv[i][2];\nX\t} else {\nX\t    if (i+1 >= argc) {\nX\t\tusage(2);\nX\t\t/*NOTREACHED*/\nX\t    } else {\nX\t\toptarg = argv[++i];\nX\t    }\nX\t}\nX\nX\t/* save the flag\'s operand in the correct global variable */\nX\tswitch (flagname) {\nX\tcase \'r\':\nX\t    *rname = optarg;\nX\t    break;\nX\tcase \'b\':\nX\t    *bname = optarg;\nX\t    break;\nX\tcase \'p\':\nX\t    *pname = optarg;\nX\t    break;\nX\tcase \'o\':\nX\t    *oname = optarg;\nX\t    break;\nX\tdefault:\nX\t    usage(3);\nX\t    /*NOTREACHED*/\nX\t}\nX    }\nX\nX    /*\nX     * verify that we have all of the required flags\nX     */\nX    if (*rname == NULL || *bname == NULL || *pname == NULL || *oname == NULL) {\nX\tusage(4);\nX\t/*NOTREACHED*/\nX    }\nX    return;\nX}\nX\nX/*\nX * usage - print a usage message and exit\nX *\nX * This function does not return.\nX */\nXvoid\nXusage(exitval)\nX    int exitval;\t\t/* exit with this value */\nX{\nX    fprintf(stderr,\nX\t"usage: %s -r remarks -b build -p prog.c -o ioccc.entry\\\\n\\\\n", program);\nX    fprintf(stderr, "\\\\t-r remarks\\\\tfile with remarks about the entry\\\\n");\nX    fprintf(stderr, "\\\\t-b build\\\\tfile containing how prog.c should be built\\\\n");\nX    fprintf(stderr, "\\\\t-p prog.c\\\\tthe obfuscated program source file\\\\n");\nX    fprintf(stderr, "\\\\t-o ioccc.entry\\\\tioccc entry output file\\\\n");\nX    exit(exitval);\nX}\nX\nX/*\nX * open_remark - open/check the remark file\nX *\nX * The remark file should be indented by 4 spaces, and should not extend \nX * beyond column MAX_COL.  These are not requirements, so we only warn.\nX *\nX * This function returns NULL on I/O or format error.\nX */\nXFILE *\nXopen_remark(filename)\nX    char *filename;\nX{\nX    FILE *stream;\t\t/* the opened file stream */\nX    char buf[BUFSIZ+1];\t\t/* input buffer */\nX    int toolong=0;\t\t/* number of lines that are too long */\nX    int non_indent=0;\t\t/* number of lines not indented by 4 spaces */\nX\nX    /*\nX     * open the remark input file\nX     */\nX    stream = fopen(filename, "r");\nX    if (stream == NULL) {\nX\tfprintf(stderr, "%s: cannot open remark file: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\treturn(NULL);\nX    }\nX\nX    /*\nX     * look at each line\nX     */\nX    while (fgets(buf, BUFSIZ, stream) != NULL) {\nX\nX\t/* count lines that do not start with 4 spaces */\nX\tif (buf[0] != \'\\\\n\' && strncmp(buf, "    ", 4) != 0) {\nX\t    ++non_indent;\nX\t}\nX\nX\t/* count long lines */\nX\tif (col_len(buf) > MAX_COL) {\nX\t    /* found a line that is too long */\nX\t    ++toolong;\nX\t}\nX    }\nX\nX    /* watch for I/O errors */\nX    check_io(stream, filename, EOF_OK);\nX\nX    /* note long lines if needed */\nX    if (toolong > 0) {\nX\tfprintf(stderr,\nX\t    "%s: WARNING: %d line(s) from %s extend beyond the 80th column\\\\n",\nX\t    program, toolong, filename);\nX\tfprintf(stderr,\nX\t    "%s:          This is ok, but it would be nice to avoid\\\\n\\\\n",\nX\t    program);\nX    }\nX\nX    /* note non-indented lines, if needed */\nX    if (non_indent > 0) {\nX\tfprintf(stderr,\nX\t    "%s: WARNING: %d line(s) from %s are not indented by 4 spaces\\\\n",\nX\t    program, non_indent, filename);\nX\tfprintf(stderr,\nX\t    "%s:          This is ok, but it would be nice to avoid\\\\n\\\\n",\nX\t    program);\nX    }\nX\nX    /* return the open file */\nX    rewind(stream);\nX    return(stream);\nX}\nX\nX/*\nX * open_build - open/check the build file\nX *\nX * The how to build file must not be longer than MAX_BUILD_SIZE bytes.\nX *\nX * This function returns NULL on I/O or size error.\nX */\nXFILE *\nXopen_build(filename)\nX    char *filename;\nX{\nX    FILE *stream;\t\t/* the opened file stream */\nX    struct stat statbuf;\t/* the status of the open file */\nX\nX    /*\nX     * open the how to build input file\nX     */\nX    stream = fopen(filename, "r");\nX    if (stream == NULL) {\nX\tfprintf(stderr, "%s: cannot open how to build file: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\treturn(NULL);\nX    }\nX\nX    /*\nX     * determine the size of the file\nX     */\nX    if (fstat(fileno(stream), &statbuf) < 0) {\nX\tfprintf(stderr, "%s: cannot stat how to build file: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\treturn(NULL);\nX    }\nX    if (statbuf.st_size > MAX_BUILD_SIZE) {\nX\tfprintf(stderr,\nX\t    "%s: FATAL: the how to build file: %s, is %d bytes long\\\\n",\nX\t    program, filename, statbuf.st_size);\nX\tfprintf(stderr,\nX\t    "%s:        it may not be longer than %d bytes\\\\n",\nX\t    program, MAX_BUILD_SIZE);\nX\treturn(NULL);\nX    }\nX\nX    /* return the open file */\nX    return(stream);\nX}\nX\nX/*\nX * open_program - open/check the program source file\nX *\nX * The program source file must be <= 3217 bytes.  The number of\nX * non-whitespace and }{; chars not followed by whitespace must\nX * be <= 1536 bytes.\nX *\nX * This function returns NULL on I/O or size error.\nX */\nXFILE *\nXopen_program(filename)\nX    char *filename;\nX{\nX    FILE *stream;\t\t/* the opened file stream */\nX    struct stat statbuf;\t/* the status of the open file */\nX    int count;\t\t\t/* special count size */\nX    int c;\t\t\t/* the character read */\nX\nX    /*\nX     * open the program source input file\nX     */\nX    stream = fopen(filename, "r");\nX    if (stream == NULL) {\nX\tfprintf(stderr, "%s: cannot open program source file: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\texit(7);\nX    }\nX\nX    /*\nX     * determine the size of the file\nX     */\nX    if (fstat(fileno(stream), &statbuf) < 0) {\nX\tfprintf(stderr, "%s: cannot stat program source file: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\treturn(NULL);\nX    }\nX    if (statbuf.st_size > MAX_PROGRAM_SIZE) {\nX\tfprintf(stderr,\nX\t    "%s: FATAL: the program source file: %s, is %d bytes long\\\\n",\nX\t    program, filename, statbuf.st_size);\nX\tfprintf(stderr,\nX\t    "%s:        it may not be longer than %d bytes\\\\n",\nX\t    program, MAX_PROGRAM_SIZE);\nX\treturn(NULL);\nX    }\nX\nX    /*\nX     * count the non-whitespace, non {}; followed by whitespace chars\nX     */\nX    count = 0;\nX    c = 0;\nX    while ((c=fgetc(stream)) != EOF) {\nX\t/* look at non-whitespace */\nX\tif (!isascii(c) || !isspace(c)) {\nX\t    switch (c) {\nX\t    case \'{\':\t\t/* count if not followed by EOF or whitespace */\nX\t    case \'}\':\nX\t    case \';\':\nX\t\t/* peek at next char */\nX\t\tc = fgetc(stream);\nX\t\tif (c != EOF && isascii(c) && !isspace(c)) {\nX\t\t    /* not followed by whitespace or EOF, count it */\nX\t\t    ungetc(c, stream);\nX\t\t    ++count;\nX\t\t}\nX\t\tbreak;\nX\t    default:\nX\t\t++count;\nX\t\tbreak;\nX\t    }\nX\t}\nX    }\nX\nX    /* watch for I/O errors */\nX    check_io(stream, filename, EOF_OK);\nX\nX    /* look at the special size */\nX    if (count > MAX_PROGRAM_SIZE2) {\nX\tfprintf(stderr,\nX\t    "%s: FATAL: the number of bytes that are non-whitespace, and\\\\n",\nX\t    program);\nX\tfprintf(stderr,\nX\t    "%s:        that are not \'{\', \'}\', \';\' followed by whitespace\\\\n",\nX\t    program);\nX\tfprintf(stderr,\nX\t    "%s:        or EOF must be <= %d bytes\\\\n",\nX\t    program, MAX_PROGRAM_SIZE2);\nX\tfprintf(stderr,\nX\t    "%s:        in %s, %d bytes were found\\\\n",\nX\t    program, filename, count);\nX\treturn(NULL);\nX    }\nX\nX    /* return the open file */\nX    rewind(stream);\nX    return(stream);\nX}\nX\nX/*\nX * open_output - open/check the entry output file\nX *\nX * This function returns NULL on open error.\nX */\nXFILE *\nXopen_output(filename)\nX    char *filename;\nX{\nX    FILE *stream;\t\t/* the opened file stream */\nX\nX    /*\nX     * open the ioccc entry output file\nX     */\nX    stream = fopen(filename, "w");\nX    if (stream == NULL) {\nX\tfprintf(stderr, "%s: cannot open ioccc entry file for output: %s: ",\nX\t    program, filename);\nX\tperror("");\nX\texit(8);\nX    }\nX\nX    /* return the open file */\nX    return(stream);\nX}\nX\nX/*\nX * output_entry - output the ---entry--- section\nX *\nX * Read the needed information form stdin, and write the entry section.\nX */\nXvoid\nXoutput_entry(output, oname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX{\nX    char title[MAX_TITLE_LEN+1+1];\t/* the entry\'s title */\nX    char buf[MAX_COL+1+1];\t\t/* I/O buffer */\nX    int entry=0;\t\t\t/* entry number */\nX    int ret;\t\t\t\t/* fields processed by fscanf */\nX    int ok_line=0;\t\t\t/* 0 => the line is not ok */\nX    char skip;\t\t\t\t/* input to skip */\nX    FILE *date_pipe;\t\t\t/* pipe to a date command */\nX    time_t epoch_sec;\t\t\t/* seconds since the epoch */\nX    char *p;\nX\nX    /*\nX     * write the start of the section\nX     */\nX    fprintf(output, "---entry---\\\\n");\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * write the rule year\nX     */\nX    fprintf(output, "rule:\\\\t%d\\\\n", RULE_YEAR);\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /* determine if this is a fix */\nX    printf("Is this a fix, update or resubmittion to a ");\nX    printf("previous entry (enter y or n)? ");\nX    while (get_line(buf, 1+1, 0) <= 0 || !(buf[0]==\'y\' || buf[0]==\'n\')) {\nX\tprintf("\\\\nplease answer y or n: ");\nX    }\nX    if (buf[0] == \'y\') {\nX\tfprintf(output, "fix:\\\\ty\\\\n");\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\tprintf("\\\\nBe sure that the title and entry number that you give\\\\n");\nX\tprintf("are the same of as the entry you are replacing\\\\n");\nX    } else {\nX\tfprintf(output, "fix:\\\\tn\\\\n");\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX    }\nX\nX    /*\nX     * write the title\nX     */\nX    printf("\\\\nYour title must match expression be a [a-zA-Z0-9_=] character\\\\n");\nX    printf("followed by 0 to %d more [a-zA-Z0-9_=+-] characters.\\\\n\\\\n",\nX\tMAX_TITLE_LEN-1);\nX    printf("It is suggested, but not required, that the title should\\\\n");\nX    printf("incorporate your username; in the\\\\n");\nX    printf("case of multiple authors, consider using parts of the usernames\\\\n");\nX    printf("of the authors.\\\\n\\\\n");\nX    printf("enter your title: ");\nX    do {\nX\t/* prompt and read a line */\nX\tif ((ok_line = get_line(title, MAX_TITLE_LEN+1, MAX_COL-9)) <= 0) {\nX\t    printf("\\\\ntitle is too long, please re-enter: ");\nX\t    continue;\nX\t}\nX\nX\t/* verify the pattern, not everyone has regexp, so do it by hand */\nX\tif (!isascii((int)title[0]) ||\nX\t    !(isalnum((int)title[0]) || title[0] == \'_\' || title[0] == \'=\')) {\nX\t    printf("\\\\ninvalid first character in the title\\\\n\\\\n");\nX\t    printf("enter your title: ");\nX\t    ok_line = 0;\nX\t} else {\nX\t    for (p=(&title[1]); *p != \'\\\\0\' && *p != \'\\\\n\'; ++p) {\nX\t\tif (!isascii((int)*p) ||\nX\t\t    !(isalnum((int)*p) || \nX\t\t      *p == \'_\' || *p == \'=\' || *p == \'+\' || *p == \'-\')) {\nX\t\t    printf("\\\\ninvalid character in the title\\\\n\\\\n");\nX\t\t    printf("enter your title: ");\nX\t\t    ok_line = 0;\nX\t\t}\nX\t    }\nX\t}\nX    } while (ok_line <= 0);\nX    fprintf(output, "title:\\\\t%s", title);\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * write the entry number\nX     */\nX    printf("\\\\nEach person may submit up to %d entries per year.\\\\n\\\\n",\nX\tMAX_ENTRY);\nX    printf("enter an entry number from 0 to %d inclusive: ", MAX_ENTRY-1);\nX    do {\nX\t/* get a valid input line */\nX\tfflush(stdout);\nX\tret = fscanf(stdin, "%d[\\\\n]", &entry);\nX\tcheck_io(stdin, "stdin", EOF_NOT_OK);\nX\t/* skip over input until newline is found */\nX\tdo {\nX\t    skip = fgetc(stdin);\nX\t    check_io(stdin, "stdin", EOF_NOT_OK);\nX\t    if (skip != \'\\\\n\') {\nX\t\t/* bad text in input, invalidate entry number */\nX\t\tentry = -1;\nX\t    }\nX\t} while (skip != \'\\\\n\');\nX\nX\t/* check if we have a number, and if it is in range */\nX\tif (ret != 1 || entry < 0 || entry > MAX_ENTRY-1) {\nX\t    printf(\nX\t      "\\\\nThe entry number must be between 0 and %d inclusive\\\\n\\\\n",\nX\t\tMAX_ENTRY-1);\nX\t    printf("enter the entry number: ");\nX\t}\nX    } while (ret != 1 || entry < 0 || entry > MAX_ENTRY-1);\nX    fprintf(output, "entry:\\\\t%d\\\\n", entry);\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * write the submission date\nX     */\nX    /* returns a newline */\nX    epoch_sec = time(NULL);\nX    fprintf(output, "date:\\\\t%s", asctime(gmtime(&epoch_sec)));\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * write the OS/machine host information\nX     */\nX    printf(\nX      "\\\\nEnter the machine(s) and OS(s) under which your entry was tested.\\\\n");\nX    output_till_dot(output, oname, "host:");\nX}\nX\nX/*\nX * output_remark - output the ---remark--- section\nX *\nX * Read the needed information form stdin, and write the entry section.\nX */\nXvoid\nXoutput_remark(output, oname, remark, rname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX    FILE *remark;\t\t/* stream to the file containing remark text */\nX    char *rname;\t\t/* name of the remark file */\nX{\nX    char buf[BUFSIZ+1];\t\t/* input/output buffer */\nX\nX    /*\nX     * write the start of the section\nX     */\nX    fprintf(output, "---remark---\\\\n");\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * copy the remark file to the section\nX     */\nX    while (fgets(buf, BUFSIZ, remark) != NULL) {\nX\tfputs(buf, output);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX    }\nX    check_io(remark, rname, EOF_OK);\nX\nX    /* be sure that the remark section ends with a newline */\nX    if (buf[strlen(buf)-1] != \'\\\\n\') {\nX\tfputc(\'\\\\n\', output);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX    }\nX}\nX\nX/*\nX * output_author - output the ---author--- section\nX *\nX * Read the needed information from stdin, and write the author section.\nX * If multiple authors exist, multiple author sections will be written.\nX */\nXvoid\nXoutput_author(output, oname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX{\nX    char buf[MAX_COL+1+1];\t/* I/O buffer */\nX    int more_auths;\t\t/* TRUE => more authors to note */\nX    int auth_cnt=0;\t\t/* number of authors processed */\nX\nX    /*\nX     * prompt the user for the author section\nX     */\nX    printf("\\\\nEnter information about each author.  If your entry is after\\\\n");\nX    printf("%s and before the contest deadline, the judges\\\\n", START_DATE);\nX    printf("will attempt to Email back a confirmation to the first author\\\\n");\nX\nX    /*\nX     * place author information for each author in an individual section\nX     */\nX    do {\nX\nX\t/* write the start of the section */\nX\tfprintf(output, "---author---\\\\n");\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/* write the author */\nX\tprintf("\\\\nAuthor #%d name: ", ++auth_cnt);\nX\twhile (get_line(buf, MAX_COL+1, MAX_COL-9) <= 0) {\nX\t    printf("\\\\nname too long, please re-enter: ");\nX\t}\nX\tfprintf(output, "name:\\\\t%s", buf);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/* write the organization */\nX\tprintf("\\\\nEnter the School/Company/Organization of author #%d\\\\n",\nX\t    auth_cnt);\nX\tprintf("\\\\nAuthor #%d org: ", auth_cnt);\nX\twhile (get_line(buf, MAX_COL+1, MAX_COL-9) <= 0) {\nX\t    printf("\\\\nline too long, please re-enter: ");\nX\t}\nX\tfprintf(output, "org:\\\\t%s", buf);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/* write the address */\nX\tprintf(\nX\t    "\\\\nEnter the postal address for author #%d.  Be sure to include\\\\n",\nX\t    auth_cnt);\nX\tprintf("your country and do not include your name.\\\\n");\nX\toutput_till_dot(output, oname, "addr:");\nX\nX\t/* write the Email address */\nX\tprintf(\nX\t    "\\\\nEnter the Email address for author #%d.  Use an address from\\\\n",\nX\t    auth_cnt);\nX\tprintf(\nX\t    "a registered domain or well known site.  If you give several\\\\n");\nX\tprintf("forms, list them one per line.\\\\n");\nX\toutput_till_dot(output, oname, "email:");\nX\nX\t/* write the anonymous status */\nX\tprintf("\\\\nShould author #%d remain anonymous (enter y or n)? ",\nX\t    auth_cnt);\nX\twhile (get_line(buf, 1+1, 0) <= 0 || !(buf[0]==\'y\' || buf[0]==\'n\')) {\nX\t    printf("\\\\nplease answer y or n: ");\nX\t}\nX\tfprintf(output, "anon:\\\\t%s", buf);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/* determine if there is another author */\nX\tprintf("\\\\nIs there another author (enter y or n)? ");\nX\twhile (get_line(buf, 1+1, 0) <= 0 || !(buf[0]==\'y\' || buf[0]==\'n\')) {\nX\t    printf("\\\\nplease answer y or n: ");\nX\t}\nX\tif (buf[0] == \'y\') {\nX\t    more_auths = TRUE;\nX\t} else {\nX\t    more_auths = FALSE;\nX\t}\nX    } while (more_auths == TRUE);\nX    return;\nX}\nX\nX/*\nX * output_info - output the ---info--- section(s)\nX *\nX * Read the needed information from stdin, and write the info section.\nX * If multiple info files exist, multiple info sections will be written.\nX */\nXvoid\nXoutput_info(output, oname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX{\nX    char infoname[MAX_FILE_LEN+1];\t/* filename buffer */\nX    char yorn[1+1];\t\t/* y or n answer */\nX    char *uuname;\t\t/* name to uuencode as */\nX    FILE *infile;\t\t/* info file stream */\nX\nX    /*\nX     * prompt the user for info information\nX     */\nX    printf("\\\\nInfo files should be used only to supplement your entry.\\\\n");\nX    printf("For example, info files may provide sample input or detailed\\\\n");\nX    printf("information about your entry.  Because they are supplemental,\\\\n");\nX    printf("the entry should not require them to exist.\\\\n\\\\n");\nX\nX    /*\nX     * while there is another info file to save, uuencode it\nX     */\nX    printf("Do you have a info file to include (enter y or n)? ");\nX    while (get_line(yorn, 1+1, 0) <= 0 || !(yorn[0]==\'y\' || yorn[0]==\'n\')) {\nX\tprintf("\\\\nplease answer y or n: ");\nX    }\nX    while (yorn[0] == \'y\') {\nX\nX\t/* read the filename */\nX\tprintf("\\\\nEnter the info filename: ");\nX\twhile (get_line(infoname, MAX_FILE_LEN+1, 0) <= 0) {\nX\t    printf("\\\\nInfo filename too long, please re-enter: ");\nX\t}\nX\nX\t/* compute the basename of the info filename */\nX\t/* remove the trailing newline */\nX\tuuname = &infoname[strlen(infoname)-1];\nX\t*uuname = \'\\\\0\';\nX\t/* avoid rindex/shrrchr compat issues, do it by hand */\nX\tfor (--uuname; uuname > infoname; --uuname) {\nX\t    if (*uuname == \'/\') {\nX\t\t++uuname;\nX\t\tbreak;\nX\t    }\nX\t}\nX\nX\t/* attempt to open the info file */\nX\tinfile = fopen(infoname, "r");\nX\tif (infile == NULL) {\nX\t    fprintf(stderr, "\\\\n%s: cannot open info file: %s: ",\nX\t\tprogram, infoname);\nX\t    perror("");\nX\t    continue;\nX\t}\nX\nX\t/*\nX\t * write the start of the section\nX\t */\nX\tfprintf(output, "---info---\\\\n");\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/* uuencode the info file */\nX\tuuencode(output, oname, infile, infoname, UUINFO_MODE, uuname);\nX\nX\tprintf("\\\\nDo you have another info file to include (enter y or n)? ");\nX\twhile (get_line(yorn, 1+1, 0) <= 0 || !(yorn[0]==\'y\' || yorn[0]==\'n\')) {\nX\t    printf("\\\\nplease answer y or n: ");\nX\t}\nX    };\nX    return;\nX}\nX\nX/*\nX * output_build - output the ---build--- section\nX *\nX * Read the needed information from stdin, and write the build section.\nX */\nXvoid\nXoutput_build(output, oname, build, bname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX    FILE *build;\t\t/* open build file stream */\nX    char *bname;\t\t/* name of the build file */\nX{\nX    /*\nX     * write the start of the section\nX     */\nX    fprintf(output, "---build---\\\\n");\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * uuencode the program file\nX     */\nX    uuencode(output, oname, build, bname, UUBUILD_MODE, UUBUILD_NAME);\nX    return;\nX}\nX\nX/*\nX * output_program - output the ---program--- section\nX *\nX * Read the needed information form stdin, and write the program section.\nX */\nXvoid\nXoutput_program(output, oname, prog, pname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX    FILE *prog;\t\t\t/* open program stream */\nX    char *pname;\t\t/* name of program file */\nX{\nX    /*\nX     * write the start of the section\nX     */\nX    fprintf(output, "---program---\\\\n");\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * uuencode the program file\nX     */\nX    uuencode(output, oname, prog, pname, UUPROG_MODE, UUPROG_NAME);\nX    return;\nX}\nX\nX/*\nX * output_end - output the ---end--- section\nX *\nX * Read the needed information form stdin, and write the \'end section\'.\nX */\nXvoid\nXoutput_end(output, oname)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX{\nX    /*\nX     * write the final section terminator\nX     */\nX    fprintf(output, "---end---\\\\n");\nX    check_io(output, oname, EOF_NOT_OK);\nX    return;\nX}\nX\nX/*\nX * get_line - get an answer from stdin\nX *\nX * This function will flush stdout, in case a prompt is pending, and\nX * read in the answer.\nX *\nX * This function returns 0 if the line is too long, of the length of the\nX * line (including the newline) of the line was ok.  This function does\nX * not return if ERROR or EOF.\nX */\nXint\nXget_line(buf, siz, maxcol)\nX    char *buf;\t\t\t/* input buffer */\nX    int siz;\t\t\t/* length of input, including the newline */\nX    int maxcol;\t\t\t/* max col allowed, 0 => disable check */\nX{\nX    int length;\t\t\t/* the length of the input line */\nX\nX    /* flush terminal output */\nX    fflush(stdout);\nX\nX    /* read the line */\nX    if (fgets(buf, siz+1, stdin) == NULL) {\nX\t/* report the problem */\nX\tcheck_io(stdin, "stdin", EOF_NOT_OK);\nX    }\nX\nX    /* look for the newline */\nX    length = strlen(buf);\nX    if (buf[length-1] != \'\\\\n\') {\nX\tint eatchar;\t\t/* the char being eaten */\nX\nX\t/* no newline found, line must be too long, eat the rest of the line */\nX\tdo {\nX\t    eatchar = fgetc(stdin);\nX\t} while (eatchar != EOF && eatchar != \'\\\\n\');\nX\tcheck_io(stdin, "stdin", EOF_NOT_OK);\nX\nX\t/* report the situation */\nX\treturn 0;\nX    }\nX\nX    /* watch for long lines, if needed */\nX    if (maxcol > 0 && (length > maxcol || col_len(buf) > maxcol)) {\nX\t/* report the situation */\nX\treturn 0;\nX    }\nX\nX    /* return length */\nX    return length;\nX}\nX\nX/*\nX * output_till_dot - output a set of lines until \'.\' by itself is read\nX *\nX * This routine will read a set of lines until (but not including)\nX * a single line with \'.\' is read.  The format of the output is:\nX *\nX *\tleader:\\\\tfirst line\nX *\t\\\\tnext line\nX *\t\\\\tnext line\nX *\t   ...\nX *\nX * This routine will not return if I/O error or EOF.\nX */\nXvoid\nXoutput_till_dot(output, oname, leader)\nX    FILE *output;\t\t/* entry\'s output file stream */\nX    char *oname;\t\t/* name of the output file */\nX    char *leader;\t\t/* the lead text for the first line */\nX{\nX    char buf[BUFSIZ+1];\t\t/* input buffer */\nX    int count;\t\t\t/* lines read */\nX    int done=FALSE;\t\t/* TRUE => finished reading input */\nX\nX    /* instruct the user on how to input */\nX    printf("\\\\nTo end input, enter a line with a single period.\\\\n");\nX\nX    /* read lines until \'.\' or EOF */\nX    count = 0;\nX    while (!done) {\nX\t/* issue the prompt */\nX\tprintf("%s\\\\t", (count>0) ? "" : leader);\nX\tfflush(stdout);\nX\nX\t/* get the line */\nX\tif (get_line(buf, BUFSIZ, MAX_COL-9) <= 0) {\nX\t    printf("\\\\nline too long, please re-enter:\\\\n\\\\t");\nX\t    continue;\nX\t}\nX\nX\t/* note if \'.\' was read */\nX\tif (strcmp(buf, ".\\\\n") == 0) {\nX\t    done = TRUE;\nX\t}\nX\nX\t/* write line if we read something */\nX\tif (!done) {\nX\t    fprintf(output, "%s\\\\t%s", (count++>0) ? "" : leader, buf);\nX\t    check_io(output, oname, EOF_NOT_OK);\nX\t}\nX    }\nX\nX    /* if no lines read, at least output something */\nX    if (count <= 0) {\nX\tfprintf(output, "%s\\\\t.\\\\n", leader);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX    }\nX    return;\nX}\nX\nX/*\nX * col_len - determine the highest that a string would reach\nX *\nX * Given a string, this routine returns that a string would reach\nX * if the string were printed at column 1.  Tab stops are assumed\nX * to start at 9, 17, 25, 33, ...\nX */\nXint\nXcol_len(string)\nX    char *string;\t\t/* the string to examine */\nX{\nX    int col;\t/* current column */\nX    char *p;\t/* current char */\nX\nX    /* scan the string */\nX    for (col=0, p=string; *p != \'\\\\0\' && *p != \'\\\\n\'; ++p) {\nX\t/* note the column shift */\nX\tcol = (*p==\'\\\\t\') ? 1+((col+8)/8*8) : col+1;\nX    }\nX    if (*p == \'\\\\n\') {\nX\t--col;\nX    }\nX\nX    /* return the highest column */\nX    return col;\nX}\nX\nX/*\nX * check_io - check for EOF or I/O error on a stream\nX *\nX * Does not return if EOF or I/O error.\nX */\nXvoid\nXcheck_io(stream, name, eof_ok)\nX    FILE *stream;\t\t/* the stream to check */\nX    char *name;\t\t\t/* the name of this stream */\nX    int eof_ok;\t\t\t/* EOF_OK or EOF_NOT_OK */\nX{\nX    /* test for I/O error */\nX    if (ferror(stream)) {\nX\tfprintf(stderr, "%s: error on %s: ", program, name);\nX\tperror("");\nX\texit(1);\nX\nX    /* test for EOF */\nX    } else if (eof_ok == EOF_NOT_OK && feof(stream)) {\nX\tfprintf(stderr, "%s: EOF on %s\\\\n", program, name);\nX\texit(1);\nX    }\nX    return;\nX}\nX\nX/*\nX * uuencode - uuencode a file\nX *\nX * Perform the uuencoding process identical to the process performed\nX * by the uuencode(1) utility.\nX *\nX * This routine implements the algorithm described in the uuencode(5)\nX * 4.3BSD Reno man page.\nX */\nXvoid\nXuuencode(output, oname, infile, iname, umode, uname)\nX    FILE *output;\t\t/* output file stream */\nX    char *oname;\t\t/* output filename */\nX    FILE *infile;\t\t/* input file stream */\nX    char *iname;\t\t/* input filename */\nX    int umode;\t\t\t/* the mode to put on the uuencode file */\nX    char *uname;\t\t/* name to put on the uuencode file */\nX{\nX    char buf[UUENCODE_LEN+1];\t/* the uuencode buffer */\nX    int read_len;\t\t/* actual number of chars read */\nX    int val;\t\t\t/* 6 bit chunk from buf */\nX    char filler=\'\\\\0\';\t\t/* filler uuencode pad text */\nX    char *p;\nX\nX    /*\nX     * output the initial uuencode header\nX     */\nX    fprintf(output, "begin %o %s\\\\n", umode, uname);\nX    check_io(output, oname, EOF_NOT_OK);\nX\nX    /*\nX     * clear out the input buffer\nX     */\nX    for (p=buf; p < &buf[sizeof(buf)/sizeof(buf[0])]; ++p) {\nX\t*p = \'\\\\0\';\nX    }\nX\nX    /*\nX     * We will process UUENCODE_LEN chars at a time, forming\nX     * a single output line each time.\nX     */\nX    while ((read_len=fread(buf,sizeof(buf[0]),UUENCODE_LEN,infile)) > 0) {\nX\t\nX\t/*\nX\t * the first character is the length character\nX\t */\nX\tfputc(UUENCODE(read_len), output);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/*\nX\t * We will convert 24 bits at a time.  Thus we will convert\nX\t * 3 sets of 8 bits into 4 sets of uuencoded 6 bits.\nX\t */\nX\tfor (p=buf; read_len>0; read_len-=3, p+=3) {\nX\nX\t    /* bits 0 to 5 */\nX\t    val = (p[0]>>2)&0x3f;\nX\t    fputc(UUENCODE(val), output);\nX\t    check_io(output, oname, EOF_NOT_OK);\nX\nX\t    /* bits 6 to 11 */\nX\t    val = ((p[0]<<4)&0x30) | ((p[1]>>4)&0x0f);\nX\t    fputc(UUENCODE(val), output);\nX\t    check_io(output, oname, EOF_NOT_OK);\nX\nX\t    /* bits 12 to 17 */\nX\t    val = ((p[1]<<2)&0x3c) | ((p[2]>>6)&0x03);\nX\t    fputc(UUENCODE(val), output);\nX\t    check_io(output, oname, EOF_NOT_OK);\nX\nX\t    /* bits 18 to 23 */\nX\t    val = p[2]&0x3f;\nX\t    fputc(UUENCODE(val), output);\nX\t    check_io(output, oname, EOF_NOT_OK);\nX\t}\nX\nX\t/* end of UUENCODE_LEN line */\nX\tfputc(\'\\\\n\', output);\nX\tcheck_io(output, oname, EOF_NOT_OK);\nX\nX\t/*\nX\t * clear out the input buffer  (don\'t depend on bzero() or memset())\nX\t */\nX\tfor (p=buf; p < &buf[sizeof(buf)/sizeof(buf[0])]; ++p) {\nX\t    *p = \'\\\\0\';\nX\t}\nX    }\nX\nX    /* check the last read on the input file */\nX    check_io(infile, iname, EOF_OK);\nX\nX    /* write end of uuencode file */\nX    fprintf(output, "%c\\\\nend\\\\n", UUENCODE(filler));\nX    check_io(output, oname, EOF_NOT_OK);\nX}\nSHAR_EOF\nchmod 0444 mkentry.c ||\necho "restore of mkentry.c failed"\nset `wc -c mkentry.c`;Wc_c=$1\nif test "$Wc_c" != "33961"; then\n\techo original size 33961, current size $Wc_c\nfi\n# ============= obfuscate.info ==============\necho "x - extracting obfuscate.info (Text)"\nsed \'s/^X//\' << \'SHAR_EOF\' > obfuscate.info &&\nX1993 Obfuscated contest information\nX\nXCopyright (c) Landon Curt Noll & Larry Bassel, 1993.  \nXAll Rights Reserved.  Permission for personal, education or non-profit use is \nXgranted provided this this copyright and notice are included in its entirety \nXand remains unaltered.  All other uses must receive prior permission in writing \nXfrom both Landon Curt Noll and Larry Bassel.\nX\nXThe International Obfuscated C Code Contest (IOCCC), in the sprit of\nXco-operation, is willing mention other programming contents, as space\nXpermits.  \nX\nXHow to have your contest included in this file:\nX\nX    If you wish the IOCCC judges to include your contest in this file,\nX    send a request to:\nX\nX\tjudges@toad.com\nX\nX    We request that contest descriptions be limited to 50 lines and to\nX    not exceed 2500 bytes.  We typically request that your contest\nX    include a current description of the IOCCC.\nX\nX    In order to be included in this file for given year, we must\nX    receive a current description no EARLIER than Jan 1 00:00:00 UTC and\nX    no LATER than Feb 15 00:00:00 UTC.  Agreement to publish your\nX    contest must also be obtained prior to Feb 15.  Annual contests\nX    that fail to submit a new entry will be dropped from this file.\nX\nXOfficial Disclaimer:  (pardon the officialese)\nX\nX    The contents noted below, other than the IOCCC, are not affiliated \nX    with the IOCCC, nor are they endorsed by the IOCCC.  We reserve the \nX    right to refuse to print information about a given contest.\nX\nX    The information below was provided by the particular contest\nX    organizer(s) and printed by permission.  Please contact the\nX    contest organizer(s) directly regarding their contents.\nX\nXWith that official notice given, we present for your ENJOYMENT, the following\nXinformation about contents:\nX\nX---------------------------------------------------------------------------\nX\nX    10th International Obfuscated C Contest   \nX    \nX\t"The original obfuscated contest"\nX\nX    Obfuscate:  tr.v.  -cated, -cating, -cates.  1. a.  To render obscure.\nX                b.  To darken.  2. To confuse:  Their emotions obfuscated \nX\t\ttheir judgment.  [LLat. obfuscare, to darken : ob(intensive) +\nX                Lat. fuscare, to darken < fuscus, dark.] -obfuscation n.\nX                obfuscatory adj.\nX \nX    GOALS OF THE CONTEST:\nX \nX        * To write the most Obscure/Obfuscated C program under the rules below.\nX        * To show the importance of programming style, in an ironic way.\nX        * To stress C compilers with unusual code.\nX        * To illustrate some of the subtleties of the C language.\nX        * To provide a safe forum for poor C code.  :-)\nX \nX    The IOCCC is the grandfather of USENET programming contests.  Since\nX    1984, this contest demonstrated that a program that mearly works\nX    correctly is not sufficient.  The IOCCC has also done much to add\nX    the arcane word \'obfuscated\' back into the English language.\nX    (see "The New Hacker\'s Dictionary" by Eric Raymond)\nX \nX    You are strongly encouraged to read the new contest rules before\nX    sending any entries.  The rules, and sometimes the contest Email\nX    address itself, change over time.  A valid entry one year may\nX    be rejected in a later year due to changes in the rules.  The typical\nX    start date for contests is in early March.  Contest rules are normally not\nX    finalized and posted until the beginning of the contest.  The typical \nX    closing date for contests are in early May.\nX \nX    The contest rules are posted to comp.unix.wizards, comp.lang.c,\nX    misc.misc, alt.sources and comp.sources.d.  If you do not have access \nX    to these groups, or if you missed the early March posting, you may \nX    request a copy from the judges, via Email, at;\nX \nX        judges@toad.com   -or-   ...!{sun,uunet,utzoo,pyramid}!hoptoad!judges\nX \nX    Previous contest winners are available via anonymous ftp from\nX    ftp.uu.net under the directory /pub/ioccc.\nX\nX---------------------------------------------------------------------------\nX\nX    0th International Obfuscated Perl Contest\nX\tBy: Landon Noll & Larry Wall\nX\nX    This content is being planned.  Someday when Landon & Larry are not too \nX    busy, they will actually get around to posting the first set of rules!\nX\nX    Landon says: "Yes, I know that I said we would have a contest in 1993,\nX\t\t  but other existing projects got in the way.  Hopefully\nX\t\t  something will be developed after Nov 1993."\nX\nX---------------------------------------------------------------------------\nX\nX                2nd International obFUsCaTeD POsTsCripT Contest\nX                     Jonathan Monsarrat (jgm@cs.brown.edu)\nX                         Alena Lacova (alena@nikhef.nl)\nX\nX    A  contest of  programming skills  and  knowledge, exclusively  for the\nX    PostScript programming language. Its purpose:\nX\nX    * To spread knowledge of PostScript and its details.\nX    * To applaud those with the best tricks.\nX    * To prove  that humans can  beat those damnable  machine generators at\nX      their own game by writing  the most obscure and mysterious PostScript\nX      programs ever.\nX\nX    Winners will receive the fame and attention that goes with having their\nX    program entry posted as a winner to programmers world-wide.\nX\nX    The 1993 contest rules and results are available by ftp as\nX    ``wilma.cs.brown.edu:pub/postscript/obfuscated*.shar\'\', or individually\nX    in the obfuscated directory. The judges will post the 1994 rules\nX    in November to comp.lang.postscript on Usenet, and other places.\nX    Send questions to jgm@cs.brown.edu.\nX\nX    Categories include: Best Obfuscated PostScript, Best Artwork,\nX    Most Compact, Best Interactive Program, Most Useful, and\nX    anything so unusual and creative that it deserves an award.\nX\nX    The judges will choose the winners of each category.\nX\nX    Alena Lacova  is a system  administrator at NIKHEF  (Institute for High\nX    Energy and Nuclear  Physics) in the  Netherlands. She is  the author of\nX    The PostScript Chaos  Programs, which draw  Julia sets, Mandelbrot sets\nX    and other kinds of fractal functions.\nX\nX    Jonathan Monsarrat is a graduate  student from MIT and Brown University\nX    in  the  U.S.A. He  is  the  FAQ maintainer  for  the  Usenet newsgroup\nX    comp.lang.postscript and the author of The PostScript Zone and LameTeX.\nX .\nX\nSHAR_EOF\nchmod 0444 obfuscate.info ||\necho "restore of obfuscate.info failed"\nset `wc -c obfuscate.info`;Wc_c=$1\nif test "$Wc_c" != "6257"; then\n\techo original size 6257, current size $Wc_c\nfi\nexit 0\n-- \nSunnyvale residents: Vote Landon Noll for Sunnyvale City Council seat 1.\n',
 'From: baldwa@antietam.adobe.com (Sanjay Baldwa)\nSubject: X support for pressure sensitive tablet\nReply-To: baldwa@adobe.com\nOrganization: Adobe Systems, Mountain View, CA, USA \nDistribution: comp\nLines: 7\n\nAre there any vendors supporting pressure sensitive tablet/pen with X? I\nwill appreciate any pointers.\n\nThanks, Sanjay\n\n--\nbaldwa@adobe.com  or  ..!decwrl!adobe!baldwa\n',
 'From: bm967@cleveland.Freenet.Edu (David Kantrowitz)\nSubject: Can you share one monitor w/ 2 cpus?\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 6\nNNTP-Posting-Host: slc4.ins.cwru.edu\n\n\nI have a Centris 610 & want to get an IBM machine as well.\nTo save space on my desk, I would like to use one monitor\nfor both, with a switch-box. Does anyone know of a way to do\nthis?\n\n',
 'From: mss@netcom.com (Mark Singer)\nSubject: Re: Young Catchers\nArticle-I.D.: netcom.mssC52qMx.768\nOrganization: Netcom Online Communications Services (408-241-9760 login: guest)\nLines: 86\n\nIn article <7975@blue.cis.pitt.edu> genetic+@pitt.edu (David M. Tate) writes:\n>mss@netcom.com (Mark Singer) said:\n>>\n>>We know that very, very few players at this age make much of an impact\n>>in the bigs, especially when they haven\'t even played AAA ball.  \n>\n>Yes.  But this is *irrelevant*.  You\'re talking about averages, when we\n>have lots of information about THIS PLAYER IN PARTICULAR to base our\n>decisions on.\n\nDo you really have *that* much information on him?  Really?\n\n>Why isn\'t Lopez likely to hit that well?  He hit that well last year (after\n>adjusting his stats for park and league and such); he hit better (on an\n>absolute scale) than Olson or Berryhill did.  By a lot.\n\nI don\'t know.  You tell me.  What percentage of players reach or \nexceed their MLE\'s *in their rookie season*?  We\'re talking about\n1993, you know.\n\n>\n>As for rushing...  If there really is a qualitative difference between the\n>minors and the majors that requires a period of adjustment (and I don\'t\n>believe there is), then wouldn\'t you rather waste Lopez\'s 22-year old good\n>season than his 23-year old very good season or his 24-year-old excellent\n>season?  The sooner you get him acclimated, the more of his prime you get to\n>use.\n\nIf that were your purpose, maybe.  Offerman spent 1992 getting \nacclimated, if you will.  The Dodgers as a team paid a big price\nthat season.  Perhaps they will reap the benefits down the road.\nDo you really think they would have done what they did if they\nwere competing for a pennant?\n\n>\n>>>Lopez was hitting .588 over 17 AB when he was cut from spring\n>>>training.  What does he have to do to earn a chance?  Maybe not a full\n>>>time job, but at least a couple starts and a few AB for him to prove\n>>>his worth?\n>>\n>The point was not that 17 AB is a significant sample, but rather that he\n>hadn\'t done anything in spring training to cause even a blockhead manager\n>to question whether his minor league numbers were for real, or to send him\n>down "until he gets warmed up".\n\nFor a stat-head, I\'m amazed that you put any credence in spring\ntraining.  Did you notice who he got those 10 (!) hits off of, or\nare you going to tell me that it doesn\'t make a difference?\n\n>>The kid *will* improve playing at AAA, \n>\n>Just like Keith Mitchell did?\n\nWait a minute.  I missed something here.  First, forget Keith\nMitchell.  Are you saying that a kid who moves from AA to AAA\nand then does not improve would have been better off making a\ndirect leap to the majors?  If a player does well at AA and then\ndoes not improve at AAA, isn\'t that a sign that maybe he doesn\'t\nbelong in the bigs?\n\nNow, Keith Mitchell.  As I recall (no stat books handy - surprise!)\nhe jumped from AA to Atlanta in 1991.  He did so well that he was\nreturned to the minors, where he didn\'t do very well at all.  Now\nhis career is in jeopardy.  So how does he fit in with your \npoint.  Good MLE\'s in AA.  Moved him right to the big club.  Now\nhe\'s one step away from being traded or moved out of baseball.\nDuh.\n\n\n>That was me, and you so far your only counter-proposal is that they\n>really don\'t understand how good Lopez is, or overvalue experience,\n>or some combination of the two.  I think my interpretation was more\n>flattering to the organization.\n\nWell, I\'ve cast my lot.  Certainly you may understand better how \ngood Lopez is.  And I may overvalue experience.  But neither one\nof us runs a baseball team.\n\n\n\n--\tThe Beastmaster\n\n\n-- \nMark Singer    \nmss@netcom.com\n',
 "From: gt6511a@prism.gatech.EDU (COCHRANE,JAMES SHAPLEIGH)\nSubject: Re: Riddle me this...\nOrganization: Georgia Institute of Technology\nLines: 18\n\nOn the subject of CS/CN/tear gas: when I received my initial introduction to\ntear gas, the first thing that came to mind was the location of the exit.  If\nthere had been anything in the way, corners to negotiate, doors to open, or \nany other obstacles to movement, I would have had a difficult time exiting the\nchamber.  And any concentration of tear gas is hazardous to individuals with\nrespiratory problems, and the wearing of soft contact lenses in a tear gas \ncontaminated area is considered a REAL BAD IDEA.  So hoping the BD's would\npeaceably come strolling out the door after being gassed is a bit unrealistic.\nIf they could have found the door, having them staggering out retching wouldn't\nbe too far fetched.  Throw in the factor of 50-51 days of being under siege and\nsubject to psychological warfare, and all bets on functional abilities are off.\nAnybody tried to get Amnesty International to jump in on this one?\n\n-- \n********************************************************************************\nJames S. Cochrane        *  When in danger, or in doubt, run in * This space \ngt6511a@prism.gatech.edu *  circles, scream and shout.          * for rent\n********************************************************************************\n",
 'From: Arthur_Noguerola@vos.stratus.com\nSubject: Re: Adcom cheap products?\nOrganization: Stratus Computer, Marlboro Ma.\nLines: 22\nNNTP-Posting-Host: m21.eng.stratus.com\n\nIn article <C5K177.BoK@world.std.com> rogerw@world.std.com (Roger A Williams) wrote:  \n>mdonahue@amiganet.chi.il.us (Mike Donahue) writes: \n> \n> \n>>I do NOT know much about Adcom Mobil Audio products, but I DO know for a fact \n>>that ADCOM does NOT make its own "High End" Home Audio Equptment and that 80%+ \n>>of it comes directly out of Tiawan... \n> \n>Like most high-volume manufacturers, Adcom has most of its PC boards \n>assembled off-shore (in their case, mostly in the far east).  Final \n>assembly _and testing_ are done in East Brunswick. \n> \n\n          and of course you older folks on the net will remember \n          way back when Adcom got its RAVE reviews and kudos (ca \n          1985  or  so)  their  555 amp and preamp WERE not only \n          designed here but built here in  the  USA.  then  they \n          went  to  mexico  and then to taiwan right after their \n          sales  skyrocketed   because   of   their   Stereopile \n          review!!!  if you have units that old look for MADE IN \n          --- stickers on your unit. \n\n',
 "From: cthulhu@mosquito.cis.ufl.edu (Mark Kupper)\nSubject: ** Comics for sale **\nOrganization: Univ. of Florida CIS Dept.\nLines: 59\nNNTP-Posting-Host: mosquito.cis.ufl.edu\n\n  I want to get rid of alot of comics that I have. I am selling for 30% off\nthe Overstreet Price Guide. \n\nCOMIC                                           CONDITION\n-----                                           ---------\n\nArion #1                                        M\nBatman's Detective Comics #480                  VF-NM\nContest of Champions #1                         M\nContest of Champions #2                         M\nContest of Champions #3                         M\nCrystar #1                                      M\nDaredevil #181 (Elektra Dies)                   NM-M\nDaredevil #186                                  M\nFantastic Four #52 (1st app. Black Panther)     F-VF\nG.I. Joe #1                                     M\nHercules #1                                     M\nIncredible Hulk #181 (1st app. Wolverine)       VF\nThe Krypton Chronicles #1                       M\nThe Man-Thing #1                                M\nThe Man-Thing #5                                M\nMarvel Age #1                                   VF\nMarvel Age #2                                   NM\nMarvel and DC Present (X-men and New\n        Teen Titans)                            M\nMarvel Graphic Novel #4 (1st app. New Mutants)  M\nThe Marvel Guide to Collecting Comics           NM\nMarvel Team-up #1                               VF-NM\nMarvel Team-up #95                              M\nMaster of Kung Fu #90                           M\nThe Micronauts #1                               M\nMicronauts King-Size Annual #1                  M\nNew Mutants #1 (5 copies!)                      M\nNew Mutants #2                                  M\nNew Mutants #3                                  M\nThe Omega Men #1                                M\nRed Sonja #1                                    M\nRipley's Believe It or Not True War Strories #1 VF\nRom Spaceknight #1                              M\nRom Spaceknight #8                              M\nThe Secret Society of Super Villains #1         NM\nPeter Parker, the Spectacular Spiderman #44     M\nAmazing Spiderman #188                          M\nStar Trek #4                                    M\nSuper-Villain Classics #1 (Origin Galactus)     M\nNew Teen Titans #1                              M\nUncanny Tales #33 (Publisher's File Copy)       NM-M\nVision and the Scarlet Witch #1                 M\nWhat If #3 (The Avengers Had Never Been)        NM\nWolverine #1 (limited series)                   M\nWolverine #2 (limited series)                   M\nWolverine #3 (limited series)                   M\nWolverine #4 (limited series)                   M\nX-men #25                                       F\nX-men #26                                       F\nX-men #30                                       F\nX-men #34                                       F\n\n\n",
 'From: tk@dcs.ed.ac.uk (Tommy Kelly)\nSubject: Objective Values \'v\' Scientific Accuracy (was Re: After 2000 years, can we say that Christian Morality is)\nReply-To: tk@dcs.ed.ac.uk (Tommy Kelly)\nOrganization: Laboratory for the Foundations of Computer Science, Edinburgh U\nLines: 54\n\nFrank, I tried to mail this but it bounced.  It is fast moving out\nof t.a scope, but I didn\'t know if t.a was the only group of the three\nthat you subscribed to.\nApologies to regular t.a folks.\n\nIn article <1qjahh$mrs@horus.ap.mchp.sni.de> frank@D012S658.uucp (Frank O\'Dwyer) writes:\n\n>Science ("the real world") has its basis in values, not the other way round, \n>as you would wish it.  \n\nYou must be using \'values\' to mean something different from the way I\nsee it used normally.\n\nAnd you are certainly using \'Science\' like that if you equate it to\n"the real world".\n\nScience is the recognition of patterns in our perceptions of the Universe\nand the making of qualitative and quantitative predictions concerning\nthose perceptions.\n\nIt has nothing to do with values as far as I can see.\nValues are ... well they are what I value.\nThey are what I would have rather than not have - what I would experience\nrather than not, and so on.\n\nObjective values are a set of values which the proposer believes are\napplicable to everyone.\n\n>If there is no such thing as objective value, then science can not \n>objectively be said to be more useful than a kick in the head.\n\nI don\'t agree.\nScience is useful insofar as it the predictions mentioned above are\naccurate.  That is insofar as what I think *will be* the effect on\nmy perceptions of a time lapse (with or without my input to the Universe)\nversus what my perceptions actually turn out to be.\n\nBut values are about whether I like (in the loosest sense of the word) the \nperceptions :-)\n\n>Simple theories with accurate predictions could not objectively be said\n>to be more useful than a set of tarot cards.  \n\nI don\'t see why.\n\'Usefulness\' in science is synonomous with \'accuracy\' - period.\nTarot predictions are not useful because they are not accurate - or\ncan\'t be shown to be accurate.\nScience is useful because it is apparently accurate.\n\nValues - objective or otherwise - are beside the point.\n\nNo?\n\ntommy\n',
 'From: taybh@hpsgm2.sgp.hp.com (Beng Hang TAY)\nSubject: Re: Cirrus Logic 5426 Graph Card\nOrganization: HP Singapore Notes-Server\nLines: 17\n\nIn comp.os.ms-windows.misc, gardner_a@kosmos.wcc.govt.nz (andy gardner) writes:\n\n    In article <1qms3c$37t@news.cs.tu-berlin.de>, wong@cs.tu-berlin.de (Wolfgang Jung) writes:\n\n    >Version 1.3 drivers are due to be release by Cirrus soon.\n    >Unfortunately, their not available via FTP, you have to dial\n    >up their BBS in the USA.  I do this from NZ using a 14.4k modem\n    >to cut down on phone bills.  It took me around 7 minutes to \n    >download the v1.2 driver.\n\n\tCould you please upload to any of the ftp sites (such as\n\tftp.ciaca.indiana.edu) and announce it here? This will benefit\n\tpeople does not have access to their BBS in USA (like me :-))?\n\n\tThanks a lot.\n\n- Beng Hang Tay\n',
 'From: j3david@sms.business.uwo.ca (James David)\nSubject: Plus minus stat\nOrganization: University of Western Ontario\nNntp-Posting-Host: sms.business.uwo.ca\nLines: 165\n\n>Post: 51240 of 51243\n>Newsgroups: rec.sport.hockey\n>From: maynard@ramsey.cs.laurentian.ca (Roger Maynard)\n>Subject: Re: Plus minus stat\n>Organization: Dept. of Computer Science, Laurentian University,\n>Sudbury, ON Date: Fri, 16 Apr 1993 01:59:36 GMT\n \n<discussion deleted>\n \n>>>Good for you.  You\'d only be displaying your ignorance of\n>>>course, but to each his own...\n>> \n>>Roger, I\'m not sure here, but I think "ignorance" is really a\n>>function of "a lack of knowledge" and not "formulating an\n>>opinion"...but hey, if you need to take a cheap shot, then by\n>>all means go ahead...that\'s if it makes you feel better.\n \n>To knowledgeable observers of the game my meaning is obvious. \n>Your hockey education is not my responsibility.\n \nMY HOCKEY EDUCATION?  What the f--- are you talking about?  I\'m\nnot even going to try to refute this absolutely insane statement. \n \n>>My word, such vehemence against poor ol\' Bob Gainey.  Why does\n>>he bother you so much...he was an effective player for his\n>>style of play.\n \n>He was just another player.  To laud him as anything more I find\n>bothersome.  I hated the Habs.  I hated Lafleur until I realized\n>that he was likely the most aesthetically pleasing player to\n>ever  skate in my lifetime.  Why would anyone talk about Gainey?\n \n"I hate the Habs" ?...you sound like a 10-year old.  This\nstatement is just further exemplifies your total inability to\nargue objectively about hockey.  Don\'t give me this crap about\n"cogent arguments"...I\'ve yet to read something of yours that is\ncogent.  You consistently argue with: (1) emotion; (2) huge,\nsweeping statements\n \nFrankly, you have a very unconvincing style.\n \nI\'m not defending Bob Gainey...frankly, I don\'t care for him all\nthat much.  But your dismissal of him as something less than an\neffective hockey player is tiresome...it has no basis in\nanything.  How many Calders did he win? I think it was four (go\nahead and refresh my memory).  What about the Conn Smythe?  Was\nthat a fluke?  Yeah, not the makings of a hockey superstar, I\nknow, but try to have a reason, any reason, to shoot him down.\n \n>>>go  around.  Who would you rather have as your "checking"\n>>>centre?  Doug Gilmour or Doug Jarvis?  For that matter I would\n>>>take either Gretzky or Mario as my "checking" centres.  Do you\n>>>think Gretzky could cover Bob Gainey?\n \n>>I\'m really sorry Roger, but you have lost me completely here. \n>>Why don\'t you ask me if I would rather have Jesus Christ,\n>>himself, in nets?\n \n>Did he play hockey at a high level?  Was he any good?  If not,\n>why would you bother to bring JC up?  I am talking about hockey\n>players here.  If you can\'t follow the conversation don\'t follow\n>up.  As I said previously, it is not my responsibility to\n>educate you.\n \nHey cowboy!  You\'re the "expert" who introduced the idiotic\ncomparison of Gainey with Gretzky and Lemieux...you figure it\nout.\n \n>>Now, if you were to compare, say for example, Bob Gainey with\n>>Guy Carbonneau, you would have a balanced comparison.\n \n>Sure.  Two journeymen.  Big deal.  Neither one of them is worth\n>discussing.\n \nHow many individual awards between them? Eight...I don\'t remember\n(once again, please feel free to refresh my memory...and try to\nbe as sarcastic as possible about my "hockey education").\n \n>I\'m wrong AGAIN...hmmm, let\'s see...where was I wrong in the\n \n>>>I would take Fuhr and Sanderson off of the latter.\n \nOH MY GOD!!!  Did I say that?  Roger...what\'s your point?  Fuhr\nis a goaltender, goaltender\'s don\'t "plug"...in his prime, he was\none of the best.  Sanderson was a scrapper...if you stick him on\nyou may as well include half the Flyers team of the same era.\n \n>>first place?  I\'m only guessing here, Rog, but I have a feeling\n>>that you\'ve setup a "You\'re wrong again" macro key on your\n>>machine.\n \n>That is an excellent idea and if I decide to waste any more time\n>responding to any of your, or Greg\'s, postings then I will be\n>sure to implement that very macro.\n \nOh Roger, you shouldn\'t...really.  I don\'t deserve this...you are\nfar too accomodating already.\n \n>>I would suggest that your comment: "And when the press runs out\n>>of things to say about  the stars on dynasties they start to\n>>hype the pluggers.  Grant Fuhr, Essa Tikkannen, Butch Goring,\n>>Bob Nystrom, Bob Gainey, Doug Jarvis, Derek Sanderson, Wayne\n>>Cashman, Bob Baun, Bob Pulford, Ralph Backstrom, Henri Richard,\n>>Dick Duff...and so on..." demonstrates a blanket disregard for\n>>these individuals as contributors to the game...so yes, settle\n>>down...nobody has claimed that they are hockey gods.\n \n>Tarasov claimed that Gainey was a "hockey god."  And Greg ate\n>it up. And that is what this thread is all about.  If you didn\'t\n>know  that then why are you responding?\n \nYou seem to have allowed all of these other players fall into\nyour sweeping, vacuous statement...that\'s why.  If you want to\ndebate Gainey, go ahead...but why bring up everybody else?  How\ndoes it support your argument?  Do you have an argument, or do\nyou just like to throw around a few names hoping to impress us?\n \n \n>And as for "blanket disregard for these individuals", I can\n>remember  Leaf teams, purely populated by such "individuals",\n>winning four Stanley Cups.  Teams.  No one ran around telling\n>us that George Armstrong was the best hockey player in the\n>world.\n \nGreat.  I couldn\'t agree more.  The Flyers won two cups for the\nsame reasons...deservedly so.  So what?  I don\'t get it.  Are you\nangry that the Leafs didn\'t get more recognition?  \n \nYou seem to think these pluggers are "hyped"...I don\'t\nagree...plain and simple.  If you\'re last statement is some sort\nof compromise, fair enough.\n \n>>>You might consider developing your own style.  After all,\n>>>imitation is  the sincerest form of flattery and I am quite\n>>>sure that flattery is not  your intention.\n>> \n>>C\'mon...it has a nice ring to it...and admit it, you had a good\n>>laugh.\n \n>Right.  I had to get to the end of your posting before I\n>realized you were  a complete joke.\n \nNot a pleasant bone in your body, eh Rog?  Why are you so\nunhappy?  Not getting invited to enough parties?  What?\n \n>In the future, if you are going to respond to my postings I\n>would appreciate it if you could present a cogent argument\n>supported by facts gleaned from a version of reality that most\n>of the rest of us would recognize.\n \nRoger, why are you under the impression that responding to your\nposts is some great honour?  You really should stop...it sounds\na little bit pathetic.  Frankly, it\'s about as honourable as a\ngood fart.\n \ncongenially, as always, \n \njd\n \n-- \nJames David \nj3david@student.business.uwo.ca/s\n\nj3david@sms.business.uwo.ca (James David)\nWestern Business School  --  London, Ontario\n',
 "From: whit@carson.u.washington.edu (John Whitmore)\nSubject: Re: Help with ultra-long timing\nArticle-I.D.: shelley.1pr91aINNikg\nDistribution: world\nOrganization: University of Washington, Seattle\nLines: 25\nNNTP-Posting-Host: carson.u.washington.edu\n\nIn article <1pqu12$pmu@sunb.ocs.mq.edu.au> johnh@macadam.mpce.mq.edu.au (John Haddy) writes:\n>In article <C513wI.G5A@athena.cs.uga.edu>, mcovingt@aisun3.ai.uga.edu (Michael Covington) writes:\n>|> (1) Don't use big capacitors.  They are unreliable for timing due to\n>|> leakage. \n\n\tTrue (especially for electrolytic capacitors at high temperature).\n\n>|> Instead, use a quartz crystal and divide its frequency by 2 40 times\n>|> or something like that.\n\n>... Wouldn't a crystal be affected by cold? My gut feeling is that, as a\n>mechanically resonating device, extreme cold is likely to affect the\n>compliance (?terminology?) of the quartz, and hence its resonant frequency.\n\n\tLow power quartz oscillators are usually 32 kHz (and THESE\nhave significant temperature drifts, which one doesn't often notice\nwhile wearing the watch on one's wrist).  Low temperature sensitivity\nis available in other crystal types, which unfortunately\nare larger and higher frequency (1 MHz or so) and take more\nbattery power.  \n\n\tProgrammable timers might be less accurate, but they\nare more power-stingy than suitable crystal oscillators.\n\n\tJohn Whitmore\n",
 "From: pkortela@snakemail.hut.fi (Petteri Kortelainen)\nSubject: Re: New Finnish Star is born?\nOrganization: Helsinki University of Technology, Finland\nLines: 22\nDistribution: inet\nNNTP-Posting-Host: lk-hp-17.hut.fi\nIn-reply-to: hahietanen@tnclus.tele.nokia.fi's message of Thu, 15 Apr 1993 09:40:41 GMT\n\nIn article <1993Apr15.114041.1@tnclus.tele.nokia.fi> hahietanen@tnclus.tele.nokia.fi writes:\n\n>I saw yesterday on TV a game between Team Sweden and Team Finland.\n>Most of us might know that it was played in Stockholm and the result\n>was 4:3 for the home team. That's nothing very special... But I was\n>very surprised of Saku Koivu. I must admit that he surprised me \n>already in the Finnish playoffs. And now on team Finland!\n\n>Saku Koivu is a light weight player, if we consider his size: According\n>to my stats he is only 172cm and 68kgs! And he is only 18! (23.11.74).\n>But he is a real two-way player! Skates well, can score, gives nice\n>passes, does even bodycheckings!!? He is really something to watch\n>in the WC. \n\n>The size isn't always everything. Maybe we remember Harlamov...\n>And they say that Saku is still growing up (3cm during last year)...\n\nSaku isn't that small any longer I guess I heard he is 177cm tall at the\nmoment and will still grow 6-8cm.\n\nPetteri Kortelainen\n\n",
 "From: ak949@yfn.ysu.edu (Michael Holloway)\nSubject: Re: ORGAN DONATION AND TRANSPLANTATION FACT SHEET\nOrganization: St. Elizabeth Hospital, Youngstown, OH\nLines: 32\nReply-To: ak949@yfn.ysu.edu (Michael Holloway)\nNNTP-Posting-Host: yfn.ysu.edu\n\n\nIn a previous article, dougb@comm.mot.com (Doug Bank) says:\n\n>In article <1993Apr12.205726.10679@sbcs.sunysb.edu>, mhollowa@ic.sunysb.edu \n>|> Organ donors are healthy people who have died suddenly, usually \n>|> through accident or head injury.  They are brain dead.  The \n>|> organs are kept alive through mechanical means.\n>\n>OK, so how do you define healthy people?\n>\n>My wife cannot donate blood because she has been to a malarial region\n>in the past three years.  In fact, she tried to have her bone marrow\n>typed and they wouldn't even do that!  Why?\n>\n>I can't donate blood either because not only have I been to a malarial\n>region, but I have also been diagnosed (and surgically treated) for\n>testicular cancer.  The blood bank wont accept blood from me for 10\n>years.  \n\nObviously, it wouldn't be of much help to treat one problem by knowingly \nintroducing another.  Cancer mestastizes.  My imperfect understanding of \nthe facts are that gonadal cancer is particularly dangerous in this regard. \nI haven't done the research on it, but I don't recall ever hearing of a \ncase of cancer being transmitted by a blood transfusion.  Probably just a \ncommon sense kind of arbitrary precaution.  Transmissable diseases like \nmalaria though are obviously another story.\n\n\n-- \nMichael Holloway\nE-mail: mhollowa@ccmail.sunysb.edu (mail to freenet is forwarded)\nphone: (516)444-3090\n",
 'From: Petch@gvg47.gvg.tek.com (Chuck Petch)\nSubject: Daily Verse\nOrganization: Grass Valley Group, Grass Valley, CA\nLines: 4\n\nAbove all, love each other deeply, because love covers over a multitude of\nsins. \n\nIPeter 4:8\n',
 "From: nichols@spss.com (David Nichols)\nSubject: Re: Detroit Playoff Tradition\nKeywords: Octopi\nOrganization: SPSS Inc.\nLines: 24\n\nIn article <16APR199314443969@reg.triumf.ca> lange@reg.triumf.ca (THREADING THE CANADIAN TAPESTRY) writes:\n>Way back in the early years (~50's) it took 8 wins to garner the Stanley Cup. \n>Soooooo, a couple of local fish mongers (local to the Joe Louis Arena, that is)\n>started the tradition of throwing an octopi onto the ice with every win.  After\n>each victory, one leg would be severed before the octopus found its way to the\n>ice.  (They are dead by the way.)  It was a brilliant marketing strategy to\n>shore up the demand for one of their least popular products.\n>\n>Hope this helps.\n>\n>J. Lange\n>\n\nLocal to the Joe Louis Arena? You mean local to Olympia Stadium, where\nRed Wings games were played until fairly recently (early 80s comes to\nmind). As far as I know, the rest of the post is basically correct. If\nwhat you meant by local was simply Detroit and I'm being incredibly\npicky, okay, sorry about that.\n\n--\n David Nichols        Senior Statistical Support Specialist         SPSS, Inc.\n Phone: (312) 329-3684     Internet:  nichols@spss.com     Fax: (312) 329-3657\n*******************************************************************************\n Any correlation between my views and those of SPSS is strictly due to chance.\n",
 "From: mmb@lamar.ColoState.EDU (Michael Burger)\nSubject: TV Schedule for Next Week\nDistribution: na\nNntp-Posting-Host: lamar.acns.colostate.edu\nOrganization: Colorado State University, Fort Collins, CO  80523\nLines: 20\n\nUnited States TV Schedule:\nApril 18   Devils/Islanders at Pittsburgh   1 EST  ABC  (to Eastern time zone)\nApril 18   St. Louis at Chicago             12 CDT ABC  (to Cent/Mou time zones)\nApril 18   Los Angeles at Calgary           12 PDT ABC  (to Pacific time zone)\nApril 20   Devils/Islanders at Pittsburgh   7:30   ESPN\nApril 22   TBA                              7:30   ESPN\nApril 24   TBA                              7:30   ESPN\n\nIf somebody would send me the CBC/TSN schedule I'll post that as well.\n\n\n*******************************************************************************\n*  Mike Burger                    *  My Canada includes, Quebec, Ontario,     *\n*  mmb@lamar.colostate.edu        *  the Maritimes, the Prairies, and Florida *\n*  A Beginning Computing TA Stud  *  four months a year.                      *\n*  over 500 students served       *    --Royal Canadian Air Farce             *\n*******************************************************************************\n*      University of Michigan - 1990  --  Colorado State University - 199?    *\n*******************************************************************************\n\n",
 'From: iacovou@thufir.cs.umn.edu (Neophytos Iacovou)\nSubject: Re: If You Feed Armenians Dirt -- You Will Bite Dust!\nNntp-Posting-Host: thufir.cs.umn.edu\nOrganization: University of Minnesota\nLines: 34\n\nIn <1993Apr5.194120.7010@urartu.sdpa.org> dbd@urartu.sdpa.org (David Davidian) writes:\n\n>David Davidian says: Turkish officials came to Armenia last September and \n>Armenia given assurances the Armenian nuclear plant would stay shut. Turkey\n>promised Armenia electricity, and in the middle of December 1992, Turkey said\n>sorry we were only joking. Armenia froze this past winter -- 30,000 Armenians\n>lost their lives. Turkey claims it allowed "humanitarian" aid to enter Armenia\n>through its border with Turkey. What did Turkey do, it replaced the high \n>quality grain from Europe with "crap" from Turkey, mixed in dirt, and let that \n>garbage through to Armenia -- 30,000 Armenians lost their lives!\n\n  This is the latest from UPI \n\n     Foreign Ministry spokesman Ferhat Ataman told journalists Turkey was\n     closing its air space to all flights to and from Armenia and would\n     prevent humanitarian aid from reaching the republic overland across\n     Turkish territory.\n\n  \n   Historically even the most uncivilized of peoples have exhibited \n   signs of compassion by allowing humanitarian aid to reach civilian\n   populations. Even the Nazis did this much.\n\n   It seems as though from now on Turkey will publicly pronounce \n   themselves \'hypocrites\' should they choose to continue their\n   condemnation of the Serbians.\n\n\n\n--\n--------------------------------------------------------------------------------\nNeophytos Iacovou                                \nUniversity of Minnesota                     email:  iacovou@cs.umn.edu \nComputer Science Department                         ...!rutgers!umn-cs!iacovou\n',
 "From: sukenick@sci.ccny.cuny.edu (SYG)\nSubject: Re: AD conversion\nOrganization: City College of New York - Science Computing Facility\nLines: 33\n\n>> I am working a  data acquisition and analysis program to collect data\n>> from insect sensory organs.\n>> Another alternative is the use of the sound input port.\n>\n>Can you really make due with the non-existent dynamic range of an 8-bit\n>converter, of probably dubious linearity and monotonicity, and perhaps\n>AC-coupled as well?\n\nIt would depend on the requirements of the poster's data, for some\npurposes 1/256 resolution (with or without calibration curve).\n\n\nOtherwise the other possibilities would be:\n\n1) get a digital voltameter with serial output & connect to serial\nport on mac, collect data with some communications program.\n\n2) Buy an A/D chip from Analog devices, Burr-Brown, etc, connect to\na parallel to serial converter, use serial port for acquisition\n(nah. too much soldering and trouble shooting :-)\n\n3) Get a board from National Instruments, Data Translation, Omega,\netal.  The finest solution, but possibly the most costly.\n\n\n\nTo the original poster:  if the signal is too large, why not\nuse a voltage divider? Two resistors, cost very cheap...\n-- \n\n\t\t\t\t\t-george\n\t\t\t\t\tsukenick@sci.ccny.cuny.edu\n\t\t\t\t\t212-650-6028\n",
 'From: kmr4@po.CWRU.edu (Keith M. Ryan)\nSubject: Re: The Inimitable Rushdie\nOrganization: Case Western Reserve University\nLines: 20\nNNTP-Posting-Host: b64635.student.cwru.edu\n\nIn article <115686@bu.edu> jaeger@buphy.bu.edu (Gregg Jaeger) writes:\n\n>No, I say religious law applies to those who are categorized as\n>belonging to the religion when event being judged applies. This\n\n\n\tWho does the categorizing?\n\n\t\n---  \n\n  " I\'d Cheat on Hillary Too."\n\n   John Laws\n   Local GOP Reprehensitive\n   Extolling "Traditional Family Values."\n\n\n\n\n',
 "From: dug@hpopd.pwd.hp.com (Dug Smith)\nSubject: Re: Ducati 400 opinions wanted\nOrganization: Hewlett-Packard, CCSY Messaging Centre, UK.\nLines: 4\n\nI spoke to a sales dweeb in 3X, a Ducati dealer here in Blighty, and he had\nnothing good to say about them... it appears they are waaaay underpowered,\n(basically, it's the 750/900 with a 400cc engine), and there have been some\nquality problems (rusty _frame_ !!).  Save your pennies... buy the 900 :)\n",
 'From: jhesse@netcom.com (John Hesse)\nSubject: Re: Secret algorithm [Re: Clipper Chip and crypto key-escrow]\nKeywords: encryption, wiretap, clipper, key-escrow, Mykotronx\nOrganization: Netcom - Online Communication Services (408 241-9760 guest)\nLines: 21\n\nIn article <strnlghtC5LGFI.JqA@netcom.com> strnlght@netcom.com (David Sternlight) writes:\n>\n>\n>Though I share many of the concerns expressed by some, I find the proposal\n>less threatening than many others, since right now most Americans have no\n>secure telephony, and any jerk with a pair of clip leads and a "goat" can\n>eavesdrop. This would also plug up the security hole in cellular and\n>cordless phones.\n>\n\nOh great. Wonderful news. Nobody can listen in--except the feds. You\nbelieve that the feds offer the least threat to liberty of anyone, and I\'m\nsure I do too.\n\nGlad that jerk won\'t be tapping my phone anymore.\n-- \n------------------------------------------------------------------------------\nJohn Hesse           |          A man,     \njhesse@netcom.com    |                 a plan, \nMoss Beach, Calif    |                         a canal, Bob.\n------------------------------------------------------------------------------\n',
 'From: "Terence M. Rokop" <tr2i+@andrew.cmu.edu>\nSubject: Re: Patrick Playoffs Look Like This\nOrganization: Freshman, Physics, Carnegie Mellon, Pittsburgh, PA\nLines: 20\n\t<BSON.93Apr14154548@hal.gnu.ai.mit.edu>\nNNTP-Posting-Host: po5.andrew.cmu.edu\nIn-Reply-To: <BSON.93Apr14154548@hal.gnu.ai.mit.edu>\n\nJan Brittenson writes:\n\n>last year. The Pens\' weak spot is defense and goaltending -- if Boston\n\n            ...\n\n>   Boston doesn\'t have the guns of the Pens, but the Pens doesn\'t have\n>the defense, goaltending, and discipline of Boston. Still, Boston can\n\nWhy do you say this?  As of now, the Pens and Bruins have played the\nsame number of games, and given up the same number of goals.  They are\ntied for the third and fourth best defenses in the league, behind\nChicago first and Toronto second.  The Pens\' weak spot is defense?  Only\nby comparison to their offense, which is second in the league to\nDetroit.  But the Pens are no weaker on defense and goaltending than the\nBruins are; that is, they are both very strong.\n\n\n\n                                                Terry\n',
 'From: ron.roth@rose.com (ron roth)\nSubject: Selective Placebo\nX-Gated-By: Usenet <==> RoseMail Gateway (v1.70)\nOrganization: Rose Media Inc, Toronto, Ontario.\nLines: 33\n\nK(>  king@reasoning.com (Dick King) writes:\nK(>\nK(> RR>  ron.roth@rose.com (ron roth) wrote:\nK(> RR>  OTOH, who are we kidding, the New England Medical Journal in 1984\nK(> RR>  ran the heading: "Ninety Percent of Diseases are not Treatable by\nK(> RR>  Drugs or Surgery," which has been echoed by several other reports.\nK(> RR>  No wonder MDs are not amused with alternative medicine, since\nK(> RR>  the 20% magic of the "placebo effect" would award alternative \nK(> RR>  practitioners twice the success rate of conventional medicine...\nK(>  \nK(>  1: "90% of diseases" is not the same thing as "90% of patients".\nK(>  \nK(>     In a world with one curable disease that strikes 100 people, and nine\nK(>     incurable diseases which strikes one person each, medical science will cure\nK(>     91% of the patients and report that 90% of diseases have no therapy.\nK(>  \nK(>  2: A disease would be counted among the 90% untreatable if nothing better than\nK(>     a placebo were known.  Of course MDs are ethically bound to not knowingly\nK(>     dispense placebos...\nK(>  \nK(>     -dk\n \n Hmmm... even  *without*  the  ;-)  at the end, I didn\'t think anyone\n was going to take the mathematics or statistics of my post seriously.\n \n I only hope that you had the same thing in mind with your post, \n otherwise you would need at least TWO  ;-)\'s  at the end to help \n anyone understand your calculations above...\n\n  --Ron--\n---\n   RoseReader 2.00  P003228:  This mind intentionally left blank.\n   RoseMail 2.10 : Usenet: Rose Media - Hamilton (416) 575-5363\n',
 "Subject: Re: Cirrus Logic 5426 Graph Card\nFrom: gardner_a@kosmos.wcc.govt.nz (andy gardner)\nReply-To: gardner_a@kosmos.wcc.govt.nz\nOrganization: Wellington City Council (Public Access), Wgtn, Nz\nNNTP-Posting-Host: kosmos.wcc.govt.nz\nLines: 37\n\nIn article <1qms3c$37t@news.cs.tu-berlin.de>, wong@cs.tu-berlin.de (Wolfgang Jung) writes:\n>After setting up Windows for using my Cirrus Logic 5426 VLB GraphicsCard\n>It moved a normal Window from one place to another...\n\n>...What I was wondering why is it not using the BITBLT  Engine which\n>is suuposed to be on the Chip.\n\n>How are the experiences here..\n>Have I done something wrong ?\n\nThe 5426 has its own set of drivers. You may be using the\ndrivers intended for the 5420 or 5422 by mistake.\n\nBe sure you have the 5426 driver version 1.2\n\n>(I installed the MSWIN 3.1 MultiResolution drivers which where supplied \n>with the Card ?!)\n\nDon't quote me on this one, but I'd steer clear of the\nmulti resolution driver that allows you to change resolution\nwithout exiting Windows.  I think it's buggy.\n\n>Also if there are new(hopefully faster) drrivers around I would love to \n>how to get hold of them :-) (ftp or whatsoever :-) )\n\nVersion 1.3 drivers are due to be release by Cirrus soon.\nUnfortunately, their not available via FTP, you have to dial\nup their BBS in the USA.  I do this from NZ using a 14.4k modem\nto cut down on phone bills.  It took me around 7 minutes to \ndownload the v1.2 driver.\n\n\nGood Luck,  \n\nAndy Gardner,\nWellington, New Zealand\nTe Whanga-nui-a-Tara, Aotearoa\n",
 "From: cdt@sw.stratus.com (C. D. Tavares)\nSubject: Re: ATF BURNS DIVIDIAN RANCH! NO SURVIVORS!!!\nOrganization: Stratus Computer, Inc.\nLines: 13\nDistribution: world\nNNTP-Posting-Host: rocket.sw.stratus.com\n\nIn article <1r19tp$5em@bigboote.WPI.EDU>, mfrhein@wpi.WPI.EDU (Michael Frederick Rhein) writes:\n\n> >napalm, then let the wood stove inside ignite it.\n>                       ^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n> As someone else has pointed out, why would the stove be in use on a warm day  \n> in Texas. \n\nDo YOU eat all your food cold?\n-- \n\ncdt@rocket.sw.stratus.com   --If you believe that I speak for my company,\nOR cdt@vos.stratus.com        write today for my special Investors' Packet...\n\n",
 'From: gt1091a@prism.gatech.EDU (gt1091a gt1091a KAAN,TIMUCIN)\nSubject: Re: Lezgians Astir in Azerbaijan and Daghestan\nOrganization: Georgia Institute of Technology\nLines: 16\n\nHELLO, shit face david, I see that you are still around. I dont want to \nsee your shitty writings posted here man. I told you. You are getting\nitchy as your fucking country. Hey , and dont give me that freedom\nof speach bullshit once more. Because your freedom has ended when you started\nwriting things about my people. And try to translate this "ebenin donu\nbutti kafa David.".\n\nBYE, ANACIM HADE.\nTIMUCIN\n\n\n-- \nKAAN,TIMUCIN\nGeorgia Institute of Technology, Atlanta Georgia, 30332\nuucp:\t  ...!{decvax,hplabs,ncar,purdue,rutgers}!gatech!prism!gt1091a\nInternet: gt1091a@prism.gatech.edu\n',
 "From: kv07@IASTATE.EDU (Warren Vonroeschlaub)\nSubject: Re: Albert Sabin\nReply-To: kv07@IASTATE.EDU (Warren Vonroeschlaub)\nOrganization: Ministry of Silly Walks\nLines: 30\n\nIn article <1993Apr15.225657.17804@rambo.atlanta.dg.com>, wpr@atlanta.dg.com\n(Bill Rawlins) writes:\n>       Since you have referred to the Messiah, I assume you are referring\n>        to the New Testament.  Please detail your complaints or e-mail if\n>        you don't want to post.  First-century Greek is well-known and\n>        well-understood.  Have you considered Josephus, the Jewish Historian,\n>        who also wrote of Jesus?  In addition, the four gospel accounts\n>        are very much in harmony.  \n\n  Bill, I find it rather remarkable that you managed to zero in on what is\nprobably the weakest evidence.\n\n  What is probably the most convincing is the anti-Christian literature put out\nby the Jewish councils in the second century.  There are enormous quantities of\ndetailed arguments against Christianity, many of the arguments still being used\ntoday.  Despite volumes of tracts attacking Christianity, not one denies the\nexistance of Jesus, only of his activities.\n\n  I find this considerably more compelling than Josephus or the harmony of the\ngospels (especially considering that Matthew and Luke probably used Mark as a\nsource).\n\n |  __L__\n-|-  ___  Warren Kurt vonRoeschlaub\n |  | o | kv07@iastate.edu\n |/ `---' Iowa State University\n/|   ___  Math Department\n |  |___| 400 Carver Hall\n |  |___| Ames, IA  50011\n J  _____\n",
 'From: jiml@garfunkel.FtCollinsCO.NCR.COM (Jim L)\nSubject: Re: SIMM Speed\nDistribution: world\nOrganization: NCR Microelectronics Products Division (an AT&T Company)\nLines: 40\n\nIn article <1993Apr6.150808.27533@news.unomaha.edu>, hkok@cse (Kok Hon Yin) writes:\n|> Robert Desonia (robert.desonia@hal9k.ann-arbor.mi.us) wrote:\n|> : B\n|> : BK>Is it possible to plug in 70ns or 60ns SIMMs into a motherboard saying\n|> : BK>wants 80ns simms? \n|> \n|> : You shouldn\'t have troubles.  I have heard of machines having problems \n|> : with slower than recommended memory speeds, but never faster.  \n|> \n|> --\n|> It should run without any trouble of course but why do you want to buy some\n|> 60ns and mixed them with 80ns?  60ns is more expensive than 80ns and\n|> furthermore your machine will run the slowest SIMMs clock speed eventhough\n|> you have 60ns.  Just my 0.02cents thought....\n|> \n\n\nYour machine will run at whatever the bus is jumpered to/CMOS is set to\n(usually wait states) regardless of what speed RAM is installed.  No\nmotherboard can sense the speed of the RAM installed, unless you call\nfailing as a sort of auto-sense.  This is how you can sometimes use\n"slower" RAM in a machine.  You either set the number of wait states to\naccomodate the slow RAM (in which case, all memory will run at that\nslower rate) or you reduce the wait states and take the chance that the\nslower RAM will act like faster RAM and you won\'t crash.\n\nPutting faster RAM in won\'t speed things up unless you tell the machine\nit has faster RAM.  \n\nMixing fast and slow RAM will not help you if you have to keep the bus \nslowed down to accomodate slow RAM.\n\nJimL\n--------------------------------------------------------------------\n\n-- \nMailer address is buggy!  Reply to: jiml@strauss.FtCollinsCO.NCR.com\n\nJames Lewczyk                                   1-303-223-5100 x9267\nNCR-MPD Fort Collins, CO             jim.lewczyk@FtCollinsCO.NCR.COM\n',
 "From: bill@west.msi.com (Bill Poitras)\nSubject: Re: Automated X testing\nReply-To: bill@msi.com\nOrganization: Molecular Simulations Inc.\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 27\n\nMark D. Collier (mark@trident.datasys.swri.edu) wrote:\n: Does anyone know what is available in terms of automated testing\n: of X/Motif applications. I am thinking of a system which I could\n: program (or which could record events/output) with our verification\n: test procedures and then run/rerun each time we do regression\n: testing. I am interested in a product like this for our UNIX\n: projects and for a separate project which will be using OpenVMS.\n\nA question like this is answered in the FAQ, about sharing X windows.\nOne of the answers is XTrap, a record and playback extenstion to X.  You\ncan find it at export.lcs.mit.edu:/contrib/XTrapV33_X11R5.tar.Z.\n\nDoes anyone know of a program which doesn't require an X extension?  Most\nthe the X servers we have at work have vendor extensions which we can't\nmodify, so XTrap doesn't help up.  There is X conferencing software at\nmit, but I don't know how easy it would be to modify it to do record and\nplayback.\n\nAny help would be appreciated.\n--\n+-------------------+----------------------------+------------------------+\n| Bill Poitras      | Molecular Simulations Inc. | Tel (408)522-9229      |\n| bill@msi.com      | Sunnyvale, CA 94086-3522   | FAX (408)732-0831      |\n+-------------------+----------------------------+------------------------+\n|FTP Mail           |mail ftpmail@decwrl.dec.com | Offers:ftp via email   |\n|                   |Subject:<CR>help<CR>quit    |                        |\n+-------------------------------------------------------------------------+\n",
 'From: rcs8@po.CWRU.Edu (Robert C. Sprecher)\nSubject: Help with SIMM configuration\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 22\nNNTP-Posting-Host: thor.ins.cwru.edu\n\n\nCan someone please help me understand the current situation\nregarding SIMMS?\n\nI have a IIsi which I will probably keep for another 2 years.\n\nI would like to add more memory, ie go from 5 MB to 17 MB.\n\nI know that I will need 4 x 4MB, 80ns or faster SIMMS.\n\nWhich SIMMS, 30 pin or 72 pin?\nWould the SIMMS I get today be usable in 2 years with a \nnewer, more powerful system?\n\nAny insight would be appreciated.\n\nThanks.\n\nRob\n-- \nRob Sprecher\nrcs8@po.cwru.edu\n',
 "From: whughes@lonestar.utsa.edu (William W. Hughes)\nSubject: Re: WACO: Clinton press conference, part 1\nNntp-Posting-Host: lonestar.utsa.edu\nOrganization: University of Texas at San Antonio\nLines: 13\n\nIn article <feustelC5tw49.7p5@netcom.com> feustel@netcom.com (David Feustel) writes:\n>I predict that the outcome of the study of what went wrong with the\n>Federal Assault in Waco will result in future assaults of that type\n>being conducted as full-scale military operations with explicit\n>shoot-to-kill directives.\n\nYou mean they aren't already? Could have fooled me.\n\n\n-- \n                            REMEMBER WACO!\n     Who will the government decide to murder next? Maybe you?\n[Opinions are mine; I don't care if you blame the University or the State.]\n",
 'From: Mamatha Devineni Ratnam <mr47+@andrew.cmu.edu>\nSubject: Zane!!Rescue us from Simmons!!\nOrganization: Post Office, Carnegie Mellon, Pittsburgh, PA\nLines: 77\nNNTP-Posting-Host: andrew.cmu.edu\n\n\nSo far Simmons looks like a total idiot.\n\n\n1) Zane Smith should learn how to "switchpitch" and return from the DL. I\nwould rather have Zane Smith pitch right handed than have Moeller pitch at all.\n\n2) I am sure Simmons was ready to say I told you so after Otto had an\nimpressive win last week. NOw Otto\'s latest debacle has restored Simmon\'s\nreputation. Now he looks like he is back in his \'92 form when he had the\nAL\'s highest ERA among starters. Four our sake(not Ted\'s sake), I hope he\npitches with a 3.5 ERA for the rest of the season. Yeah, right.\n\n3) Tomlin and Merced are a bit disappointing. They are still doing decently.\nBUt considering the considerable amount of talent and maturity they have\nshown their first seasons, they seem to have actually gotten a little\nbit worse. Tomlin was almost unhittable his rookie year against lefty batters.\nMerced had a very good OBA his rookie year. He showed a lot of concentration at\nthe plate in his rookie year.\n\n4) Walk: Well, he seems to be on the losing end tonight. BUt I still think that\nWalk desrved his contract.\n\n5) Leyland should accept a part of the blame for the LaValliere situation. I\ncan\'t understand his and management\'s fear of losing Tom Prince through\nwaivers. Even if they do, what\'s the use. He is aright hander like Slaught.\nNot a very smart platoon. Also, I am blaming Leyland in this case, since he is hcurrently    convinced that LaVAlliere is through, while giving him\nway too much time last year in the regular season AND the playoffs(SLaught\nshould have played in all 7 games; he has a good average against right handed\npitching). Didn\'t Leyland and Simmons forsee this last year, and attempt to\ntrade LaValliere last year itself? Any fool could tell them LaVAlliere\nwasn\'t very fit last year.\n\n6) Dennis MOeller is SCARY!!!\n7) Candeleria: Well, he is not going to have such a high ERA at the end of the\nseason. Maybe it will be in 3-4 range. BUt $1 million  plus? Come on. Other\nthan the customary home run giving stage Patterson goes through for a few weeks,\nPatterson has served the PIrates very well each year. So far, he seems to have\npitched well for the Rangers. I think the PIrates should have spent the money\non Patterson in stead.\n\n8) The Rookie batters: Well, Young has surprised me a bit with his instant impact. Other than that, their excellent performance hasn\'t been too much of a surprise. I think we should thank Doughty for that.\n\n9) Rookie Pitchers: Worse than expected, especially Cooke.\n10) Slaught: How come he wasn\'t given a contract extension last year? NOw his\nvalue has increased immensely.\n\n11) Lonnie Smith!! Well, Eric Davis was signed for a comparable amount.\nLet\'s see. Eric can hit better. He can run better. He can field better.\nNow why didnt the PIrates go after Eric Davis. An injured Davis is better\nthan a healthy Lonnie Smith. Even if Lonnnie Smith gets some big hits this year,he won\'t be an asset. He has looked terrible on the bases and in the field.\n\n12) Management: BIG BIG ZERO. Sauer has yet to make a forceful agreement\nin favor of revenue sharing. He seems more concerned about pleasing that\nidiot Danforth by preparing the team for a move to Tampa Bay.\n13) Alex Cole fiasco. The PIrates infield and CF positions look good. The\nRF and LF would have looked good if we could have gotten Cole to replace\ntwo of the four outfielders. Eric Davis, Van Slyke and Cole would have made a\nvery respectable outfield. Even without Eric Davis, thye PIrates would have\na respectable outfield with Cole, SVan Slyke, and Merced(I think he should hit\nleft handed against lefts in stead of switch hitting). Simmons did have options\nfor the outfield. Ironically, the biggest accomplishment of Simmon\'s tenure was\ngetting Alex Cole really cheap. Too bad.\n\n14) Compensatory draft picks for Bonds: Forget it. The pirates can rant and rave.\nthey will not get those picks. As of now, the issue is still being appealed.\nNow, if this doesnt convince anyone that Simmons and Sauer are idiots,\nnothing else will.\n\nOn a final note. Tim Wakefield won\'t be as awful as he was in his last 2\nstarts. BUt don\'t count on him pitching like last year for the rest of\nthe season. Also, if the Pirates are in contention towards rthe end of the\nseason, they will miss Redus\'s clutch hitting and his speed(he has peaked\nin the second half of the last 2 seasons)>\n\n\n-Pravin Ratnam\n',
 "Nntp-Posting-Host: 134.58.96.14\nFrom: wimvh@liris.tew.kuleuven.ac.be (Wim Van Holder)\nDistribution: world\nOrganization: K.U.Leuven - Applied Economic Sciences Department\nSubject: Trumpet for Windows & other news readers\nLines: 18\n\nI'm looking for a decent Windows news reader. I've given up on winvn 0.76\nsince it doesn't work very well with the winsock.dll of the IBM TCP/IP for\nDOS 2.1.\n\nWhat the status of Trumpet for Windows? Will it use the Windows sockets ?\nI liked it in DOS but had to abandon it since I started using NDIS to access\nour token ring (results in invalid class error :(\n\n\nBye!\n\nWim Van Holder\nKatholieke Universiteit Leuven          Tel: ++32 (0)16/28.57.16\nDepartement T.E.W.                      FAX: ++32 (0)16/28.57.99\nDekenstraat 2\nB-3000 Leuven                           E-mail: wimvh@liris.tew.kuleuven.ac.be\nBELGIUM                                         fdbaq03@cc1.kuleuven.ac.be\n\n",
 "From: zappala@pollux.usc.edu (Daniel Zappala)\nSubject: Re: Marlins first 3 RBI\nArticle-I.D.: pollux.1psiepINNlj0\nDistribution: world\nOrganization: University of Southern California, Los Angeles, CA\nLines: 18\nNNTP-Posting-Host: pollux.usc.edu\n\n\nIn article <1psgriINNi1@rpco10.acslab.umbc.edu>, cs106116@umbc.edu (cs106116) writes:\n|> \n|> Hey, \n|> \n|>    I was watching the Orioles' game on TV yesterday (Monday)\n|> when a report came in to the booth that the first 3 runs came\n|> in on a three-run single.  Did this really happen?  If it did,\n|> how?  They said that the leadoff man knocked them in.  What \n|> exactly happened.  Thanks.\n|> \n\nWalt Weiss tripled just barely inside the right field line and into the\ncorner, driving in Santiago and Conine.  These were the first two\nRBIs.  The third came later when Weiss was knocked in.\n\n\nDaniel\n",
 "From: sml@eniac.seas.upenn.edu (Steven M Labovitz)\nSubject: Re: Accelerator for SE\nKeywords: Accelerator, compatibility\nOrganization: University of Pennsylvania\nLines: 13\nNntp-Posting-Host: eniac.seas.upenn.edu\n\n\n\tI too am interested in peoples' experience with accelerators for the\nSE.  Is an accelerator the best route to improve performace in my SE, or should\nI consider upgrading to an SE/30 motherboard?  Obviously, buying a new mac \nwould be ideal, but alas, I only have enough money for an accelerator or\nmotherboard.\n\tE-mail reply preferred.  Thanks.\n\n\n-------------------------------------------------------------------------------\nSteve Labovitz\nDept. of Materials Science & Engineering\nU. Penn\n",
 "From: bena@dec05.cs.monash.edu.au (Ben Aveling)\nSubject: Re: text of White House announcement and Q&As on clipper chip encryption\nOrganization: Computer Science, Monash University, Australia\nX-Newsreader: TIN [version 1.1 PL8]\nLines: 12\n\nAndrew Richard Conway (arc@leland.Stanford.EDU) wrote:\n\n: P.S. I can't work out why the US government doesn't want to sell\n: them overseas. After all, they are rather easy for US interests to decode,\n: so make a perfect tool for industrial/military espionage...lulling \n: anyone stupid enough to buy it into a false sense of security. You will\n: notice that there is NO mention anywhere about safety for non-Americans.\n\nDon't forget, you are in the country that wouldn't let the Russians\nbuy Apple II's because of security concerns.\n--\n        Ben  (-: bena@bruce.cs.monash.edu.au :-)  \n",
 'From: maxg@microsoft.com (Max Gilpin)\nSubject: HONDA CBR600 For Sale\nOrganization: Microsoft Corp.\nKeywords: CBR Hurricane \nDistribution: usa\nLines: 8\n\nFor Sale 1988 Honda CBR600 (Hurricane).  I bought the bike at the end of\nlast summer and although I love it, the bills are forcing me to part with\nit.  The bike has a little more than 6000 miles on it and runs very strong.\nIt is in nead of a tune-up and possibly break pads but the rubber is good.\nI am also tossing in a TankBag and a KIWI Helmet.  Asking $3000.00 or best\noffer.  Add hits newspaper 04-20-93 and Micronews 04-23-93.  Interested \nparties can call 206-635-2006 during the day and 889-1510 in the evenings\nno later than 11:00PM.  \n',
 'From: jdt@voodoo.ca.boeing.com (Jim Tomlinson (jimt II))\nSubject: An agnostic\'s question\nOrganization: BoGART To You Buddy, Bellevue, WA\nLines: 24\n\nPardon me if this is the wrong newsgroup.  I would describe myself as\nan agnostic, in so far as I\'m sure there is no single, universal\nsupreme being, but if there is one and it is just, we will surely be\njudged on whether we lived good lives, striving to achieve that\ngoodness that is within the power of each of us.  Now, the\ncomplication is that one of my best friends has become very\nfundamentalist.  That would normally be a non-issue with me, but he\nfeels it is his responsibility to proselytize me (which I guess it is,\naccording to his faith).  This is a great strain to our friendship.  I\nwould have no problem if the subject didn\'t come up, but when it does,\nthe discussion quickly begins to offend both of us: he is offended\nbecause I call into question his bedrock beliefs; I am offended by\nwhat I feel is a subscription to superstition, rationalized by such\ncircular arguments as \'the Bible is God\'s word because He tells us in\nthe Bible that it is so.\'  So my question is, how can I convince him\nthat this is a subject better left undiscussed, so we can preserve\nwhat is (in all areas other than religious beliefs) a great\nfriendship?  How do I convince him that I am \'beyond saving\' so he\nwon\'t try?  Thanks for any advice.\n\n-- \nJim Tomlinson                          206-865-6578  \\\\  "falling snow\nBoGART Project              jdt@voodoo.ca.boeing.com  \\\\  excellent snow"\nBoeing Computer Services   ...uunet!bcstec!voodoo!jdt  \\\\  - Anderson/Gabriel\n',
 "From: stxtnt@rs733.GSFC.NASA.Gov (Nigel Tzeng)\nSubject: Re: << AMIGA 3000, etc FOR SALE >> as of 4/2/93\nIn-Reply-To: dwilson@csugrad.cs.vt.edu's message of 2 Apr 93 20:09:59 GMT\nOrganization: Goddard Space Flight Center, Greenbelt, Md, USA\nLines: 26\n\nIn article <1pi6in$isg@csugrad.cs.vt.edu> dwilson@csugrad.cs.vt.edu (David Wilson) writes:\n\n\n   ~~~~~~~~~~FOR SALE as of 5PM 4/02/93~~~~~~~~~~\n\n   1       AMIGA 3000UX    25mhz, unix compatible machine w/100 meg Hard\n\t\t   Drive, 4 meg RAM, no monitor, keyboard (ESC and ~ keys \n\t\t   broken)\n\t\t   ASKING PRICE:   $1700 OBO.\n\nMind my asking why you're selling a used machine with a damaged\nkeyboard for the about the same price as a brand new A4000/030\n(A4000-EC030/4 megs/120meg IDE HD/HD Floppy/v3.0 OS - $1899)?\n\nI'd like to get an A3000 locally for something reasonable like less\nthan 1K without monitor.  Brand new the A3000-25mhz/50 meg HD/HD\nfloppy/2.1 ROM isn't running for more than $1400 or so.\n\nConsidering it's damaged, probabably has a real old version of the OS\nI'll offer $700.  Don't laugh...my A2000 isn't worth more than\n$250-$300 these days.\n\nN. Tzeng\n--\nNigel Tzeng\n.sig under construction\n",
 "From: gt7469a@prism.gatech.EDU (Brian R. Landmann)\nSubject: Torre: The worst manager?\nOrganization: Georgia Institute of Technology\nLines: 31\n\nJoe Torre has to be the worst manager in baseball.\n\nFor anyone who didn't see Sunday's game,\n\nWith a right hander pitching he decides to bench Lankform, a left handed\nhitter and play jordan and gilkey, both right handers.\n\nLater, in the ninth inning with the bases loaded and two outs he puts\nlankford, a 300 hitter with power in as a pinch runner and uses Luis\nAlicea, a 250 hitter with no power as a pinch hitter.  What the Hell\nis he thinking.\n\nEarlier in the game in an interview about acquiring Mark Whiten he commented\nhow fortunate the Cardinals were to get Whiten and that Whiten would be a\nregular even though this meant that Gilkey would be hurt, But torre said\nhe liked Gilkey coming off the bench.  Gilkey hit over 300 last year,\nwhat does he have to do to start, The guy would be starting on most every\nteam in the league.\n\nFurthermore, in Sundays game when lankford was thrown out at the plate, \nThe replay showed Bucky Dent the third base coach looking down the line\nand waving lankford home, \n\nI can't take this anymore\n\nbrian, a very distressed cardinal fan.\n-- \n\nBrian Landmann                                            \nGeorgia Institute of Technology                           \nInternet:gt7469a@prism.gatech.edu                       \n",
 'From: sivap-s@cs.buffalo.edu (S. Suresh)\nSubject: Re: screen problem in unix/xwindows/solaris\nOrganization: UB\nLines: 16\nNntp-Posting-Host: talos.cs.buffalo.edu\nX-Newsreader: TIN [version 1.1 PL9]\n\nSHONKWILER R W (ma201rs@prism.gatech.EDU) wrote:\n: Experiment: From a Sun openwindows 4.1.3 xterm window log into a\n: Solaris 2.x machine using rlogin; now do an "ls" and get the first\n: character of each line display in the last column of the display\n: with the rest of the line wrapped to the next line of the display.\n\n: Log out and the condition persists.  Check stty all, try reset\n: with no effect.\n\nThe condition happens  when the TAB is not  set  to 8 spaces,  set and\nthen check out.\n\n-- \nSuresh Sivaprakasam                    \nDepartment of Computer Science,    SUNY Buffalo,    Amherst,   NY - 14260-0001\nInternet :sivap-s@cs.Buffalo.EDU               Bitnet : sivap-s@SUNYBCS.BITNET\n',
 "From:  (Sean Garrison)\nSubject: Re: WFAN\nNntp-Posting-Host: berkeley-kstar-node.net.yale.edu\nOrganization: Yale University\nLines: 11\n\nIn article <C5JC3z.KnD@news.udel.edu>, philly@ravel.udel.edu (Robert C\nHite) wrote:\n> WIP took two of your\n> best sports jockeys too, Jody MacDonald and Steve Fredericks.\n\n\nDUDE!  Are you nuts?  WFAN is second to none.  Jody Mac's exit was quite a\nloss, but if you think Fredericks On The FAN was much of one, you're pretty\nskewed.\n\n                                Ñ Sean\n",
 'From: rar@schooner.otra.COM (Rich Rollman)\nSubject: File Formats\nOrganization: The Internet\nLines: 15\nTo: xpert@expo.lcs.mit.edu\n\nHi folks,\n\nCan anyone give me some information, the location of some\ninformation, or some reference material for the following\nfile formats: WIFF, MO;DCA/IOCA, PCX.\n\nIf this is not quite the appropriate place to ask such\nquestions, please let me know a more appropriate one and\naccept my apologies in advance.\n\nThanks for your help,\n\nRich Rollman\nDogleg Systems, Inc.\n(908) 389-9597\n',
 "From: kde@boi.hp.com (Keith Emmen)\nSubject: Re: Biblical Backing of Koresh's 3-02 Tape (Cites enclosed)\nOrganization: Hewlett-Packard / Boise, Idaho\nX-Newsreader: Tin 1.1scd1 PL4\nLines: 11\n\nxcpslf@oryx.com (stephen l favor) writes:\n: : Seems to me Koresh is yet another messenger that got killed\n: : for the message he carried. (Which says nothing about the \n: : character of the messenger.) I reckon we'll have to find out\n: : the rest the hard way.\n: : \n: \n: Koresh was killed because he wanted lots of illegal guns.\n\nI haven't heard of ANY illegal guns being found.  He was accused\nof not paying taxes on LEGAL guns.\n",
 'From: yaturner@netcom.com (D\'arc Angel)\nSubject: Re: YOWZA: SLOOOOWWWW printing from dos\nOrganization: The Houses of the Holy\nLines: 11\n\n\nI also had a simular problem with by NEC P7, it went away when I turned\non the "print directly to parallel port" option in the printer setup\napallette.\n\n-- \n\n\nMencsh tract und Gott lacht\n\nyaturner@netcom.com\n',
 'From: lochem@fys.ruu.nl (Gert-Jan van Lochem)\nSubject: Dutch: symposium compacte objecten\nSummary: U wordt uitgenodigd voor het symposium compacte objecten 26-4-93\nKeywords: compacte objecten, symposium\nOrganization: Physics Department, University of Utrecht, The Netherlands\nLines: 122\n\nSterrenkundig symposium \'Compacte Objecten\'\n                                             op 26 april 1993\n\n\nIn het jaar 1643, zeven jaar na de oprichting van de\nUniversiteit van Utrecht, benoemde de universiteit haar\neerste sterrenkundige waarnemer. Hiermee ontstond de tweede\nuniversiteitssterrenwacht ter wereld. Aert Jansz, de eerste\nwaarnemer, en zijn opvolgers voerden de Utrechtse sterrenkunde\nin de daaropvolgende jaren, decennia en eeuwen naar de\nvoorhoede van het astronomisch onderzoek. Dit jaar is het 350\njaar geleden dat deze historische benoeming plaatsvond.\n\nDe huidige generatie Utrechtse sterrenkundigen en studenten\nsterrenkunde, verenigd in het Sterrekundig Instituut Utrecht,\nvieren de benoeming van hun \'oervader\' middels een breed scala\naan feestelijke activiteiten. Zo is er voor scholieren een\nplanetenproject, programmeert de Studium Generale een aantal\nvoordrachten met een sterrenkundig thema en wordt op de Dies\nNatalis aan een astronoom een eredoctoraat uitgereikt. Er\nstaat echter meer op stapel.\n\nStudenten natuur- en sterrenkunde kunnen op 26 april aan een\nsterrenkundesymposium deelnemen. De onderwerpen van het\nsymposium zijn opgebouwd rond een van de zwaartepunten van het\nhuidige Utrechtse onderzoek: het onderzoek aan de zogeheten\n\'compacte objecten\', de eindstadia in de evolutie van sterren.\nBij de samenstelling van het programma is getracht de\ndeelnemer een zo aktueel en breed mogelijk beeld te geven van\nde stand van zaken in het onderzoek aan deze eindstadia. In de\neerste, inleidende lezing zal dagvoorzitter prof. Lamers een\nbeknopt overzicht geven van de evolutie van zware sterren,\nwaarna de zeven overige sprekers in lezingen van telkens een\nhalf uur nader op de specifieke evolutionaire eindprodukten\nzullen ingaan. Na afloop van elke lezing is er gelegenheid tot\nhet stellen van vragen. Het dagprogramma staat afgedrukt op\neen apart vel.\nHet niveau van de lezingen is afgestemd op tweedejaars\nstudenten natuur- en sterrenkunde. OOK ANDERE BELANGSTELLENDEN\nZIJN VAN HARTE WELKOM!\n\nTijdens de lezing van prof. Kuijpers zullen, als alles goed\ngaat, de veertien radioteleskopen van de Radiosterrenwacht\nWesterbork worden ingezet om via een directe verbinding tussen\nhet heelal, Westerbork en Utrecht het zwakke radiosignaal van\neen snel roterende kosmische vuurtoren, een zogeheten pulsar,\nin de symposiumzaal door te geven en te audiovisualiseren.\nProf. Kuijpers zal de binnenkomende signalen (elkaar snel\nopvolgende scherp gepiekte pulsen radiostraling) bespreken en\ntrachten te verklaren.\nHet slagen van dit unieke experiment staat en valt met de\ntechnische haalbaarheid ervan. De op te vangen signalen zijn\nnamelijk zo zwak, dat pas na een waarnemingsperiode van 10\nmiljoen jaar genoeg energie is opgevangen om een lamp van 30\nWatt een seconde te laten branden! Tijdens het symposium zal\ner niet zo lang gewacht hoeven te worden: de hedendaagse\ntechnologie stelt ons in staat live het heelal te beluisteren.\n\nDeelname aan het symposium kost f 4,- (exclusief lunch) en\nf 16,- (inclusief lunch). Inschrijving geschiedt door het\nverschuldigde bedrag over te maken op ABN-AMRO rekening\n44.46.97.713 t.n.v. stichting 350 JUS. Het gironummer van de\nABN-AMRO bank Utrecht is 2900. Bij de inschrijving dient te\nworden aangegeven of men lid is van de NNV. Na inschrijving\nwordt de symposiummap toegestuurd. Bij inschrijving na\n31 maart vervalt de mogelijkheid een lunch te reserveren.\n\nHet symposium vindt plaats in Transitorium I,\nUniversiteit Utrecht.\n\nVoor meer informatie over het symposium kan men terecht bij\nHenrik Spoon, p/a S.R.O.N., Sorbonnelaan 2, 3584 CA Utrecht.\nTel.: 030-535722. E-mail: henriks@sron.ruu.nl.\n\n\n\n******* DAGPROGRAMMA **************************************\n\n\n 9:30   ONTVANGST MET KOFFIE & THEE\n\n10:00   Opening\n           Prof. dr. H.J.G.L.M. Lamers (Utrecht)\n\n10:10   Dubbelster evolutie\n           Prof. dr. H.J.G.L.M. Lamers\n\n10:25   Radiopulsars\n           Prof. dr. J.M.E. Kuijpers (Utrecht)\n\n11:00   Pulsars in dubbelster systemen\n           Prof. dr. F. Verbunt (Utrecht)\n\n11:50   Massa & straal van neutronensterren\n           Prof. dr. J. van Paradijs (Amsterdam)\n\n12:25   Theorie van accretieschijven\n           Drs. R.F. van Oss (Utrecht)\n\n13:00   LUNCH\n\n14:00   Hoe zien accretieschijven er werkelijk uit?\n           Dr. R.G.M. Rutten (Amsterdam)\n\n14:35   Snelle fluktuaties bij accretie op neutronensterren\n        en zwarte gaten\n           Dr. M. van der Klis (Amsterdam)\n\n15:10   THEE & KOFFIE\n\n15:30   Zwarte gaten: knippen en plakken met ruimte en tijd\n           Prof. dr. V. Icke (leiden)\n\n16:05   afsluiting\n\n16:25   BORREL\n\n-- \nGert-Jan van Lochem\t     \\\\\\\\\t\t"What is it?"\nFysische informatica\t      \\\\\\\\\t"Something blue"\nUniversiteit Utrecht           \\\\\\\\\t"Shapes, I need shapes!"\n030-532803\t\t\t\\\\\\\\\t\t\t- HHGG -\n',
 'From: svoboda@rtsg.mot.com (David Svoboda)\nSubject: Re: edu breaths\nNntp-Posting-Host: corolla18\nOrganization: Motorola Inc., Cellular Infrastructure Group\nLines: 29\n\nIn article <1993Apr15.214910.5676@rtsg.mot.com> declrckd@rtsg.mot.com (Dan J. Declerck) writes:\n|In article <1993Apr15.003749.15710@rtsg.mot.com> svoboda@rtsg.mot.com (David Svoboda) writes:\n|>In article <1993Apr14.220252.14731@rtsg.mot.com> declrckd@rtsg.mot.com (Dan J. Declerck) writes:\n|>|\n|>|The difference of opinion, and difference in motorcycling between the sport-bike\n|>|riders and the cruiser-bike riders. \n|>\n|>That difference is only in the minds of certain closed-minded individuals.  I\n|>have had the very best motorcycling times with riders of "cruiser" \n|>bikes (hi Don, Eddie!), yet I ride anything but.\n|\n|Continuously, on this forum, and on the street, you find quite a difference\n|between the opinions of what motorcycling is to different individuals.\n\nYes, yes, yes.  Motorcycling is slightly different to each and every one of us.  This\nis the nature of people, and one of the beauties of the sport.  \n\n|Cruiser-bike riders have a different view of motorcycling than those of sport bike riders\n|(what they like and dislike about motorcycling). This is not closed-minded. \n\nAnd what view exactly is it that every single rider of cruiser bikes holds, a veiw\nthat, of course, no sport-bike rider could possibly hold?  Please quantify your\ngeneralization for us.  Careful, now, you\'re trying to pigeonhole a WHOLE bunch\nof people.\n\nDave Svoboda (svoboda@void.rtsg.mot.com)    | "I\'m getting tired of\n90 Concours 1000 (Mmmmmmmmmm!)              |  beating you up, Dave.\n84 RZ 350 (Ring Ding) (Woops!)              |  You never learn."\nAMA 583905  DoD #0330  COG 939  (Chicago)   |  -- Beth "Bruiser" Dixon\n',
 "From: sharp@mizar.usc.edu (Malcolm Sharp)\nSubject: Re: Trumpet for Windows & other news readers\nArticle-I.D.: mizar.1r74aa$d7l\nOrganization: University of Southern California, Los Angeles, CA\nLines: 5\nNNTP-Posting-Host: mizar.usc.edu\n\nWhere's an ftp site for Trumpet?  (other than wuarchive, umich,..\nsomething off the beaten path??)\n\nThanks.\nMalcolm\n",
 "From: essbaum@rchland.vnet.ibm.com (Alexander Essbaum)\nSubject: Re: Countersteering_FAQ please post\nDisclaimer: This posting represents the poster's views, not necessarily those of IBM\nNntp-Posting-Host: florida.rchland.ibm.com\nOrganization: IBM Rochester\nLines: 18\n\nIn article <12739@news.duke.edu>, infante@acpub.duke.edu (Andrew  Infante) writes:\n|> In article <05APR93.02678944.0049@UNBVM1.CSD.UNB.CA> C70A@UNB.CA (C70A000) writes:\n|> >In article <C4zKCL.FGC@ux1.cso.uiuc.edu> Eric@ux1.cso.uiuc.edu (93CBR900RR) writes:\n|> >>Would someone please post the countersteering FAQ...i am having this awful\n|> >>time debating with someone on why i push the right handle of my motorcycle\n|> >>foward when i am turning left...and i can't explain (well at least) why this\n|> >>happens...please help...post the faq...i need to convert him.\n|> >\n|> > Ummm, if you push on the right handle of your bike while at speed and\n|> >your bike turns left, methinks your bike has a problem.  When I do it\n|> \n|> Pushing the right side of my handlebars _will_ send me left.\n|> \n|> I'm sure others will take up the slack...\n\noh yes, i'm quite sure they will :)\n\naxel\n",
 'From: smorris@sumax.seattleu.edu (Steven A. Morris)\nSubject: Re: wife wants convertible\nOrganization: Addiction Studies Program, Seattle University\nLines: 15\nNNTP-Posting-Host: sumax.seattleu.edu\n\nIf you hold off, there are a number of interesting convertibles coming\nto market in the next few years.\n\nThe new LeBaron will be based on the Mitsubishi Galant, which should\nbe an improvement over the current model.\n\nThe new PL compact will have a convertible option (also a chrysler\nproduct)\n\nKia, makers of the Ford Festiva is planning a larger convertible.\n-- \nSteve Morris, M.A.    : Internet: smorris@sumax.seattleu.edu\nAddiction Studies Pgm : uucp    :{uw-beaver,uunet!gtenmc!dataio}!sumax!smorris\nSeattle University    : Phone   : (206) 296-5350 (dept) or 296-5351 (direct)\nSeattle, WA 98122_____:________________________________________________________\n',
 'From: gmt@beach.cis.ufl.edu (Gary McTaggart)\nSubject: 3d Animation Studio file format??\nOrganization: Univ. of Florida CIS Dept.\nLines: 7\nDistribution: world\nNNTP-Posting-Host: beach.cis.ufl.edu\n\nIs the ".3ds" file format for Autodesk\'s 3D Animation Studio available?\n\nThanks,\nGary\n\n(Please respond by email.  I have a hell of a time keeping up with news!!\n:-) )\n',
 'From: pat@rwing.UUCP (Pat Myrto)\nSubject: Re: An Open Letter to Mr. Clinton\nOrganization: Totally Unorganized\nLines: 48\n\nIn article <bontchev.735226256@fbihh> bontchev@fbihh.informatik.uni-hamburg.de writes:\n<strnlght@netcom.com (David Sternlight) writes:\n<\n<> Here\'s a simple way to convert the Clipper proposal to an unexceptionable\n<> one: Make it voluntary.\n<\n<As usually, you are not reading. The proposal -does- say that it is a\n<"voluntary program". This doesn\'t make it more desirable, though...\n<\n<> That is--you get high quality secure NSA classified technology if you agree\n<> to escrow your key. Otherwise you are on your own.\n<\n<"Secure"? How do you know? Because NSA is trying to make you believe it?\n<"Trust us." Yeah, right.\n<\n<"Otherwise you are on your own"? How do you know that tomorrow they\n<will not outlaw encrypring devices that don\'t use "their" technology?\n<Because they are promising you? Gee, they are not doing even that -\n<read the proposal again.\n\nOne minor nitpick:  It is not a proposal.  It is a *DECISION* ... from their\npoint of view it is a DONE DEAL.  The chips are being manufactured, it\nobviously has been budgeted, the whole thing.  THAT IS WHAT IS SO UPSETTING.\nTHIS WAS ALL DONE IN SECRET.  Because they DIDN\'T want the people to know\nwhat was going on until it is too late.\n\nOtherwise, I agree with you 100 percent.\n\nHow come it always takes someone who has lived under the Eastern Bloc to\nremind us about how precious and fragile our liberties are?\n\nPlease, keep up the good work.  Hopefully you will wake SOMEONE up...\n\n<\n<Regards,\n<Vesselin\n<-- \n<Vesselin Vladimirov Bontchev          Virus Test Center, University of Hamburg\n<Tel.:+49-40-54715-224, Fax: +49-40-54715-226      Fachbereich Informatik - AGN\n<< PGP 2.2 public key available on request. > Vogt-Koelln-Strasse 30, rm. 107 C\n<e-mail: bontchev@fbihh.informatik.uni-hamburg.de    D-2000 Hamburg 54, Germany\n\n\n-- \npat@rwing.uucp      [Without prejudice UCC 1-207]     (Pat Myrto) Seattle, WA\n         If all else fails, try:       ...!uunet!pilchuck!rwing!pat\nWISDOM: "Only two things are infinite; the universe and human stupidity,\n         and I am not sure about the former."              - Albert Einstien\n',
 'From: aew@eosvcr.wimsey.bc.ca (Alan Walford)\nSubject: Summary: ATI Graphics Ultra Questions etc\nReply-To: aew@eosvcr.wimsey.bc.ca\nOrganization: Eos Systems Inc, Vancouver, B.C., Canada\nLines: 147\n\n\nTo those interested in the new ATI Ultra Cards:\n\nI had posted some questions regarding the new ATI Ultra Pro cards and\nhad asked confirmation of some opinions.\n\nThis message is a summary of the responses. Thanks to all of you that\nreplied.\n\n\n> 1) The card does not work in a system with 32M RAM.\n\na) The higher memory limits apply to ISA cards only, as far as I know.  The VLB\n   and EISA version should have no problems.\n \nb) I\'m pretty sure from my experience that the ISA version doesn\'t\n   work in systems with over 16M Ram.  There is supposed to be way\n   of switching the "memory aperture" feature off to prevent this,\n   but apparently it doesn\'t work.  I posted some "help me" messages\n   on the net and people indicated that the EISA card didn\'t have this\n   problem.\n\nc) FALSE\n\nd) The VLB card, which I have, allows you to set memory aperture over 32M\n   by using their configuration software.  No messing with jumpers necessary.\n\n   The 32M problem is probably valid only for ISA cards.\n\n\n> 2) The card works in a 32M system with some switches\n>    set but it is much slower.\n\na) Again, the memory aperture need only be disabled if you have more than 124M RAM\n   (EISA and VLB) or 12 M (ISA).  32M should not be a problem for you. \n \nb) Dunno.\n\nc) Depends on the bus. YES if ISA, NO if EISA or Localbus\n\n\n> 3) The card is _interlaced_ in its 24bit (true-colour) modes.\n\na) Nope.  I can use 640x480 at 72hz, 24-bit and 800x600 at 70hz, 24-bit, all\n   non-interlaced.\n\nb) Yes - According to PC Magazine, they\'ve tested a local bus version\n   that does 1024x768 in 24-bit which may or may not be interlaced.\n\nc) Not for the Pro. Sometimes for the Plus.\n\n   Some modes may run only interlaced on certain monitors. This has nothing to \n   do with 24 bits ... only with screen size. Note that for 24 bit color\n   and Windows you MUST have 2 megs, memory size calculations notwithstanding.\n\n\n> 4) The latest build 59 drivers still do not work in many\n>    cases.\n\na) They aren\'t perfect, but are much improved.  I don\'t recall the last time which\n   I had to leave mach 32 mode (ATI GUP mode) and switch to 8514 or VGA mode due\n   to software incompatibility.\n\nb) True.  Many people recommended going back to Build 55 or 54.\n\nc) They appear to be excellent, but have a few bugs. For example, certain\n   graphs with dashed lines in Mathcad 3.1 do not print correctly, though they\n   do display OK on the screen. They are about par for fancy cards ..\n   other accelerated cards also have bugs.\n\nd) Overall, I like the card, even if driver performance is somewhat less than\n   satisfactory.  I am running the 1024*768 16 Color mode as that is all my\n   NT driver for October NT version seems to allow.\n\n   I will say this that Color performance is not quite as nice as a Diamond\n   Stealth VRAM, but I have not been able to try out a lot of the options on\n   the old driver.\n\n\n> 5) This card is the fastest full colour card for the money.\n\na) It\'s quite fast, but whether or not its the fastest is open to debate.\n \nb) Yes - I\'ll admit it was very very fast in 16-bit mode, which is what\n   I wanted to use it for.  Too bad it crashed (in many different ways)\n   every 20 minutes or so...\n\nc) Depends on many many things.\n\n\n> 6) This card is the greatest thing since sliced bread. ;-)\n\na) I like it.\n\nb) Well - PC Magazine seems to think it is.\n\nc) Yes, this appears to be true :-)\n\nd) As to greatest thing since sliced bread, I doubt it.  Better cards are\n   coming out.  Who knows, maybe ATI will come out with something faster yet.\n   Several reviews I read rated one Pycon Winjet card as a superior performer \n   at a cheaper price except for availability of drivers, which Pycon was \n   developing at that time.  (PC Magazine, about two months or so back)\n\n   Overall, the card has a lot of potential, but you have to be able to use it.\n \n\n-----------------------------------------------------------------------------\nThat is the end of the questions. These were the most discussed items in this\ngroup so I thought they needed confirmation. For those of you not familiar\nwith the card I have included a summary here (from an ATI ad since I don\'t have\nan Graphics Ultra yet.)\n\nATI Graphics Ultra Plus:\n- Accelerated 1024x768 at 65K colours\n- True colour(16.7M) at 800x600\n- Multimedia Video Acceleration (for Indeo Video,RLE and Video 1 compressed)\n  Stretch full motion video windows to full size\n- Fast VGA\n- Includes 3 button mouse (ISA versions only)\n- Anti-aliased fonts (ed. avail in 16 colour mode only,I think)\n- Real-time pan and zoom across large virtual windows desktop\n- Around a 1/2 length card size\n- Priced from $400 U.S.\n\nATI Graphics Ultra Pro:\n- Everything in Graphics Ultra Plus\n- Faster performance with VRAMS\n- Accelerated 1280x1024 at 256 colours 74Hz non-interlaced\n- Available in ISA, EISA and Microchannel\n- Priced from $600 U.S.\n\nATI Technologies\n(416) 756-0718\n\nI hope this summary can be of use to you.\n\nAl\n\nP.S.  I am not associated with ATI Technologies in any way other\n      than having used their previous ATI Ultra card for a few\n      years (which I generally liked).\n\n\n-- \nAlan Walford     Eos Systems Inc., Vancouver,B.C., Canada  Tel: 604-734-8655\naew@eosvcr.wimsey.bc.ca           OR        ...uunet!wimsey.bc.ca!eosvcr!aew  \n',
 "From: tmc@spartan.ac.BrockU.CA (Tim Ciceran)\nSubject: Re: Hijaak\nOrganization: Brock University, St. Catharines Ontario\nX-Newsreader: TIN [version 1.1 PL9]\nLines: 15\n\nHaston, Donald Wayne (haston@utkvx.utk.edu) wrote:\n: Currently, I use a shareware program called Graphics Workshop.\n: What kinds of things will Hijaak do that these shareware programs\n: will not do?\n\nI also use Graphic Workshop and the only differences that I know of are that\nHijaak has screen capture capabilities and acn convert to/from a couple of\nmore file formats (don't know specifically which one).  In the April 13\nissue of PC Magazine they test the twelve best selling image capture/convert\nutilities, including Hijaak.\n\nTMC.\n(tmc@spartan.ac.brocku.ca)\n\n\n",
 'From: HO@kcgl1.eng.ohio-state.edu (Francis Ho)\nSubject: 286 Laptop\nNntp-Posting-Host: kcgl1.eng.ohio-state.edu\nOrganization: The Ohio State University\nLines: 18\n\nMITSBISHI Laptop (MP 286L)\n\n-286/12 (12,8,6 MHz switchable)\n-2M RAM installed\n-Backlit CGA (Ext. CGA, MGA)\n-20M 3.5"HH HDD/1.44M 3.5" FDD\n-2 COM/1 LPT ports\n-complete manual set\n-Built like a tank\n-Excellent cosmetic cond.\n-dark gray\n-used very lightly\n\nProblems:\n(1)HDD stops working.\n(2)LCD sometimes doesn\'t work (ext. CAG/MGA works).\n\nBest Offer.\n',
 'From: ICH344@DJUKFA11.BITNET\nSubject: Wanted: Slot card with VGA + HDD-Contr.\nOrganization: Forschungszentrum Juelich\nLines: 18\n\nHello,\n\nI am looking for a PC card with the following features:\n\n  - Controller for IDE(AT-Bus)-HardDiskDrive\n  - Controller for 2 FloppyDiskDrives\n  - Standard(256KB) VGA Graphics  INCLUDING FEATURE CONNECTOR (important!)\n                                  ===========================\n\nThere *are* some manufacturors/distributors of this kind of card, but I have\nnot found them yet.\n\nIf you can help me, please mail to:  ICH344@DJUKFA11\n                                     ICH344@zam001.zam.kfa-juelich.de\n\n\nThanks a lot,\n                                                   Martin Mueller\n',
 'From: VEAL@utkvm1.utk.edu (David Veal)\nSubject: Re: National Sales Tax, The Movie\nLines: 66\nOrganization: University of Tennessee Division of Continuing Education\n\nIn article <1993Apr16.164750.21913@alchemy.chem.utoronto.ca> golchowy@alchemy.chem.utoronto.ca (Gerald Olchowy) writes:\n\n>In article <9304151442.AA05233@inet-gw-2.pa.dec.com> blh@uiboise.idbsu.edu (Broward L. Horne) writes:\n>>      Well, it seems the "National Sales Tax" has gotten its very\n>\n>>      own CNN news LOGO!\n>>\n>>      Cool.  That means we\'ll be seeing it often.\n>>\n>>      Man, I sure am GLAD that I quit working ( or taking this \n>>      seriously ) in 1990.  If I kept busting my ass, watching \n>>      time go by, being frustrated, I\'d be pretty DAMN MAD by \n>>      now.\n>>      \n>>      I just wish I had the e-mail address of total gumby who\n>>      was saying that " Clinton didn\'t propose a NST ".\n>>\n>\n>Actually, Jerry Brown essentially did...and Clinton, in his demagogue\n>persona, condemned Brown for it in the crucial NY primary last year.\n>\n>However....\n>\n>Why don\'t the Republicans get their act together, and say they\n>will support a broad-based VAT that would have to be visible\n>(the VAT in Canada is visible unlike the invisible VATS they\n>have in Europe)\n>and suggest a rate sufficient to halve income and corporate\n>and capital gains tax rates and at a rate sufficient to give\n>the Clintons enough revenue for their health care reform, \n\n       The Republicans are, in general, fighting any tax increase.\nThere is also worry that a VAT would be far too easy to increase\nincrementally.\n\n       (BTW, what is different between Canada\'s tax and most of\nEurope\'s that makes it "visible?")\n\n>and\n>force an agreement with the Democrats that the top income tax\n>rate would then be frozen for the forseeable future and could\n>be increased only via a national referendum.\n\n       This would require a constitutional amendment, and Congress\nenjoys raising taxes too much to restrict themselves like that.\n(Besides, with the 2/3 majority necessary to pull that off you\'d \nhave a difficult time "forcing" anything like that.)\n\n>Why not make use of the Clintons to do something worthwhile...\n>shift the tax burden from investment to consumption, and get\n>health care reform, and a frozen low top marginal tax rate\n>all in one fell swoop.\n\n       Primarily because it\'s a practical impossibility to "freeze"\ntax rates.\n\n       However, this is something that bothers me.  We\'re always talking\nabout "consumer confidence" and "consumer spending" as gauges for the\neconomy.  If they really are important, wouldn\'t shifting taxes to\nconsumption provide a disincentive to spend money?\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu - "I still remember the way you laughed, the day\nyour pushed me down the elevator shaft;  I\'m beginning to think you don\'t\nlove me anymore." - "Weird Al"\n',
 'From: dbm0000@tm0006.lerc.nasa.gov (David B. Mckissock)\nSubject: Blue Ribbon Panel Members Named\nNews-Software: VAX/VMS VNEWS 1.41    \nNntp-Posting-Host: tm0006.lerc.nasa.gov\nOrganization: NASA Lewis Research Center / Cleveland, Ohio\nLines: 71\n\nThe following press release was distributed April 1 by\nNASA Headquarters.\n\nSpace Station Redesign Advisory Members Named\n\nAlong with Dr. Charles M. Vest, recently named by Vice President\nAlbert Gore to head the advisory committee on the redesign of the\nSpace Station, NASA has announced the names of representatives\nfrom government and industry and academic experts from across the\ncountry to participate in an independent review of the redesign\noptions being developed by NASA.\n\n"I am extremely honored to have been selected to lead this\nimportant review panel. America\'s future in science and\ntechnology and as a world leader in space demands our utmost\nattention and care," said Vest. "We have assembled a diverse\npanel of experts that, I believe, will bring the appropriate\nmeasures of insight, integrity and objectivity to this critical\ntask."\n\nThe advisory committee is charged with independently assessing\nvarious redesign options of the space station presented by NASA\'s\nredesign team, and proposing recommendations to improve\nefficiency and effectiveness of the space station program. Space\nstation international partners also are being asked to \nparticipate and will be named at a later date. The advisory\ncommittee will submit its recommendations in June.\n\nAdvisory committee members named today include:\n\nDr. Charles Vest              Dr. Bobby Alford\nPresident, MIT                Executive VP & Dean of Medicine\n                              Baylor College of Medicine\n\nMr. Jay Chabrow               Dr. Paul Chu\nPresident, JMR Associates     Director, Texas Center for\n                              Superconductivity\n                              University of Houston\n\nDr. Ed Crawley                Dr. John Fabian\nProf of Aero & Astro          President & CEO\nMIT                           ANSER\n\nMaj. Gen. James Fain          Dr. Edward Fort\nDeputy Chief of Staff for     Chancellor\nRequirements; Headquarters    North Carolina AT&T\nUSAF Materials Command        State University\n\nDr. Mary Good                 Mr. Frederick Hauck\nSenior VP of Technology       President, International Technical\nAllied Signal, Inc.           Underwriters\n\nDr. Lou Lanzerotti            Mr. William Lilly\nChair, Space Sciences         National Academy of Public\nBoard, National Research      Administration\nCouncil\n\nMr. Duane McRuer              Dr. Brad Parkinson\nPresident Systems Technology  Prof of Astro & Aero\n                              Stanford University\n\nDr. Robert Seamans            Dr. Lee Silver\nFormer NASA Deputy Admin.     W.M. Keck Foundation Professor\n                              for Resource Geology\n                              California Institute of\n                              Technology\n\nDr. Albert "Bud" Wheelon\nRetired CEO\nHughes Aircraft\n\n',
 "From: alung@megatest.com (Aaron Lung)\nSubject: Re: Need to find out number to a phone line\nOrganization: Megatest Corporation\nLines: 24\n\nIn article <20756.2bd16dea@ecs.umass.edu> alee@ecs.umass.edu writes:\n>\n>Greetings!\n>      \n>        Situation:  I have a phone jack mounted on a wall.  I don't\n>                    know the number of the line.  And I don't want\n>                    to call up the operator to place a trace on it.\n>\n>        Question:   Is there a certain device out there that I can\n>                    use to find out the number to the line?\n>        Thanks for any response.\n>                                                    Al\n\nThere is a number you can call which will return a synthesized\nvoice telling you the number of the line.  Unfortunately, for the\nlife of me I can't remember what it is. The telephone technicians\nuse it all the time.  We used to play around with this in our\ndorm rooms since there were multiple phone lines running between\nrooms.\n\nsorry!\n\naaron\n\n",
 'From: peterd@jamie.dev.cdx.mot.com (Peter Desnoyers)\nSubject: Help with fixed-frequency (52kHz?) VGA monitor\nNntp-Posting-Host: jamie.dev.cdx.mot.com\nOrganization: Motorola Codex, Canton, Massachusetts\nLines: 14\n\nI recently bought a monichrome VGA monitor for $99 that will do\n1024x768 non-interlaced, which seems like a good deal. However, it is\na fixed-scan rate monitor, and only handles 52 kHz horizontal, I\nthink. With my Trident card it works only in graphics modes 5e and 62\n- not much use, since just about any application will set the mode to\nsomething else, especially if it wants to do text, I suppose. Anyway:\n\n - is there any way that I can use this as a general-purpose VGA\n   display with a 1-meg trident 8900C card?\n\n - if not, can I do so with some sort of different VGA card?\n\n\t\t\t\tPeter Desnoyers\n-- \n',
 'Subject: Re: Video in/out\nFrom: djlewis@ualr.edu\nOrganization: University of Arkansas at Little Rock\nNntp-Posting-Host: athena.ualr.edu\nLines: 40\n\nIn article <1993Apr18.080719.4773@nwnexus.WA.COM>, mscrap@halcyon.com (Marta Lyall) writes:\n> Organization: "A World of Information at your Fingertips"\n> Keywords: \n> \n> In article <628@toontown.columbiasc.ncr.com> craig@toontown.ColumbiaSC.NCR.COM (Craig S. Williamson) writes:\n>>\n>>I\'m getting ready to buy a multimedia workstation and would like a little\n>>advice.  I need a graphics card that will do video in and out under windows.\n>>I was originally thinking of a Targa+ but that doesn\'t work under Windows.\n>>What cards should I be looking into?\n>>\n>>Thanks,\n>>Craig\n>>\n>>-- \n>>                                             "To forgive is divine, to be\n>>-Craig Williamson                              an airhead is human."\n>> Craig.Williamson@ColumbiaSC.NCR.COM                -Balki Bartokomas\n>> craig@toontown.ColumbiaSC.NCR.COM (home)                  Perfect Strangers\n> \n> \n> Craig,\n> \n> You should still consider the Targa+. I run windows 3.1 on it all the\n> time at work and it works fine. I think all you need is the right\n> driver. \n> \n> Josh West  \n> email: mscrap@halcyon.com\n> \nAT&T also puts out two new products for windows, Model numbers elude me now,\na 15 bit video board with framegrabber and a 16bit with same. Yesterday I\nwas looking at a product at a local Software ETC store. Media Vision makes\na 15bit (32,768 color) frame capture board that is stand alone and doesnot\nuse the feature connector on your existing video card. It claims upto 30 fps\nlive capture as well as single frame from either composite NTSC or s-video\nin and out.\n\nDon Lewis\n<djlewis@ualr.edu>\n',
 'From: laszlo@eclipse.cs.colorado.edu (Laszlo Nemeth)\nSubject: New DoD listing. Membership is at 1148\nNntp-Posting-Host: eclipse.cs.colorado.edu\nOrganization: University of Colorado Boulder, Pizza Disposal Group\nLines: 23\n\nThere is a new DoD listing. To get a copy use one of these commands:\n\n\t\tfinger motohead@cs.colorado.edu\n\t\t\t\tOR\n\t\tmail motohead@cs.colorado.edu\n\nIf you send mail make sure your "From" line is correct (ie "man vacation").\nI will not try at all to fix mail problems (unless they are mine ;-). And I\nmay just publicly tell the world what a bad mailer you have. I do scan the \nmail to find bounces but I will not waste my time answering your questions \nor requests.\n\nFor those of you that want to update your entry or get a # contact the KotL.\nOnly the KotL can make changes. SO STOP BOTHERING ME WITH INANE MAIL\n\nI will not tell what "DoD" is! Ask rec.motorcycles. I do not give out the #\'s.\n\n\nLaszlo Nemeth\nlaszlo@cs.colorado.edu\n"hey - my tool works (yeah, you can quote me on that)." From elef@Sun.COM\n"Flashbacks = free drugs."\nDoD #0666          UID #1999\n',
 'Subject: Broken rib\nFrom: jc@oneb.almanac.bc.ca\nOrganization: The Old Frog\'s Almanac, Nanaimo, B.C.\nKeywords: advice needed\nSummary: long term problems?\nLines: 17\n\nHello,  I am not sure if this is the right conference to ask this\nquestion, however, Here I go..  I am a commercial fisherman and I \nfell about 3 weeks ago down into the hold of the boat and broke or\ncracked a rib and wrenched and bruised my back and left arm.\n  My question,  I have been to a doctor and was told that it was \nbest to do nothing and it would heal up with no long term effect, and \nindeed I am about 60 % better, however, the work I do is very \nhard and I am still not able to go back to work.  The thing that worries me\nis the movement or "clunking" I feel and hear back there when I move \ncertain ways...  I heard some one talking about the rib they broke \nyears ago and that it still bothers them.ÿ.  any opinions?\nthanx and cheers\n\n           jc@oneb.almanac.bc.ca (John Cross)\n     The Old Frog\'s Almanac  (Home of The Almanac UNIX Users Group)    \n(604) 245-3205 (v32)    <Public Access UseNet>    (604) 245-4366 (2400x4)\n        Vancouver Island, British Columbia    Waffle XENIX 1.64  \n',
 "From: downec@crockett1a.its.rpi.edu (Christopher Stevan Downey)\nSubject: Re: My Predictions of a classic playoff year!\nNntp-Posting-Host: crockett1a.its.rpi.edu\nReply-To: downec@rpi.edu\nOrganization: Rensselaer Polytechnic Institute, Troy, NY.\nLines: 82\n\nIn article <1993Apr17.152611.12934@ac.dal.ca>, 06paul@ac.dal.ca writes:\n|> Here is yet another prediction for them great playoffs!\n|> (you may laugh at your convenience!) :)\n|> \n|> \tAdams Division (I hate the NE (name) divisoin!!!)\n|> \n|> BOS vs BUF   BOS in 5  (the B's are hot lately!)\n|> \n|> MON vs QUE   MON in 7  (This will be the series to watch in the first round!)\n|> \n|> \n|> BOS vs MON   MON in 7  (this may be a bit biased but I feel the Canadiens will\n|> \t\t       (smarten up and start playing they played two months ago\n|> \t\t\t( i.e. bench Savard !!!)\n|> \tPatrick Division \n|> \n|> PIT vs NJD   PIT in 6  (It wont be a complete cake walk... there be a few lumps\n|> \t\t\t(in the cake batter!)\n|> \n|> WAS vs NYI   WAS in 6  \t(This will not be an exciting series..IMO)\n|> \n|> \n|> PITT vs WAS  PIT in 4   (Washington will be tired after the NYI)\n|> \n|> \tNorris Division\n|> \n|> CHI vs StL    CHI in 5   (StL will get a lucky game in)\n|> \n|> TOR vs DET    TOR in 7   (THis , like MON vs QUE, will be another intense \n|> \t\t\t (series to watch!)\n|> \n|> CHI vs TOR    TOR in 7   (Potvin will be settling in nicely by this point.)\n|> \n|> \tSmythe Division\n|> \n|> VAN vs WIN     VAN in 5  (Teemu is great, but Vancouver better as a team!)\n|> \n|> CAL vs LAK     CAL in 6  (Gretzky is great, but Calgary has been on fire lately)\n|> \t\t\t\t...sorry for the pun... um, no I am not! :)\n|> \n|> VAN vs CAL     VAN in 6  (This will be a great series! but VAN has proven they\n|> \t\t\t (Will not lie down and get beat!)\n|> \n|> \tWales Conference finals\n|> \n|> Pittsburgh vs Montreal    \tMontreal in 6 (Montreal IMHO is the only team\n|> \t\t\t\t\t      (that has a chance against \n|> \t\t\t\t\t\tPittsburgh.)\n|> \n|> \tCampbell Conference finals\n|> \n|> Vancouver vs Toronto\t\tToronto in 6  (Potvin will be series MVP)\n|> \n|> \n|> \tSTANLEY CUP FINALS  \n|> \n|> Toronto Maple Leafs    vs    Montreal Canadiens    \n|> \t(The Classic Stanley Cup Final matchup!!) <---also a dream come true!\n|> \n|> \tMontreal wins the Stanley cup in the 7th game 1 - 0 in double overtime.\n|> Roy and Potvin are spectacular throughout the series and share series MVP (if \n|> that is possible) Vincent Damphouse nets game winner from a brilliant pass by\n|> Brian Bellows! Canadiens star(?) Denis Savard watched his buddies play from the\n|> owners box nursing that splinter on his thumb which has left him on the \n|> disabled list since the first game of the playoffs (awww shucks). \n|> \n|> ***************************************YEE HAA!!*******************************\n|> *poof* And I wake up :)\n|> Well that is my predictions...I hope and dream they come true. and you can stop\n|> laughing anytime :)\n|> \n|> \t\t\t\t\t\t\tPaul\n|> \t\t\t\t\t\tDie hard Habs Fan living with\n|> \t\t\t\t\t\t3 Die hard Leafs fans!\n\nI only have one comment on this:  You call this a *classic* playoff year\nand yet you don't include a Chicago-Detroit series.  C'mon, I'm a Boston\nfan and I even realize that Chicago-Detroit games are THE most exciting\ngames to watch.\n\nChris\ndownec@rpi.edu\n",
 "Subject: USR 16.8k HST External Mo\nFrom: herbert.wottle@cccbbs.UUCP (Herbert Wottle) \nReply-To: herbert.wottle@cccbbs.UUCP (Herbert Wottle) \nDistribution: world\nOrganization: Cincinnati Computer Connection - Cincinnati, OH - 513-752-1055\nLines: 13\n\nFor Sale ---\n\n        U.S.Robotics 16.8k HST external modem, including power adapter,\n        Users Guide and Quick-Reference Card.\n\n        $515.00.\n\n        Call me voice at (513) 831-0162 -- let's talk about it.\n\n        Herb...\n---\n . QMPro 1.02 42-0616 . Dogs come when you call.  Cats have answering machines.\n                                                                    \n",
 "From: rog@cdc.hp.com (Roger Haaheim)\nSubject: Re: sex problem.\nArticle-I.D.: news.C52E58.L8G\nOrganization: HP California Design Center, Santa Clara, CA\nLines: 15\nNntp-Posting-Host: hammer.cdc.hp.com\nX-Newsreader: TIN [version 1.1 PL8]\n\nlarry silverberg (ls8139@albnyvms.bitnet) wrote:\n> Hello out there,\n\n> She suggested we go to a sex counselor, but I really don't want to (just yet).\n\nInteresting.  Does she know you have placed this info request on the\nnet for the world to see?  If not, how do you think she would react\nif she found out?  Why would you accept the advice of unknown entities\nrather than a counselor?\n\n> Any suggestions would be appreciated.\n\nSee the counselor.\n\nWell, you asked.\n",
 'From: deeds@vulcan1.edsg.hac.com ( Dean Deeds)\nSubject: GS1100E (was Re: buying advice needed)\nReply-To: deeds@vulcan1.UUCP ( Dean Deeds)\nOrganization: Hughes Aircraft Co., El Segundo, CA\nLines: 45\n\nIn article <Afoi=te00j_jAnvopV@cs.cmu.edu> Dale.James@cs.cmu.edu writes:\n>GS1100E.  It\'s a great bike, but you\'d better be damn careful!  \n>I got a 1983 as my third motorcycle, \n[...deleta...]\n>The bike is light for it\'s size (I think it\'s 415 pounds); but heavy for a\n>beginner bike.\n\nHeavy for a beginner bike it is; 415 pounds it isn\'t, except maybe in\nsome adman\'s dream.  With a full tank, it\'s in the area of 550 lbs,\ndepending on year etc.\n\n>You\'re 6\'4" -- you should have no problem physically managing\n>it.  The seat is roughly akin to a plastic-coated 2by6.  Very firm to very\n>painful, depending upon time in the saddle.\n\nThe 1980 and \'81 versions had a much better seat, IMO.\n\n>The bike suffers from the infamous Suzuki regulator problem.  I have so far\n>avoided forking out the roughly $150 for the Suzuki part by kludging in\n>different Honda regulator/rectifier units from junkyards.  The charging system\n>consistently overcharges the battery.  I have to refill it nearly weekly.\n>This in itself is not so bad, but battery access is gained only after removing\n>the seat, the tank, and the airbox.\n\nMy regulator lasted over 100,000 miles, and didn\'t overcharge the battery.\nThe wiring connectors in the charging path did get toasty though,\ntending to melt their insulation.  I suspect they were underspecified;\nit didn\'t help that they were well removed from cool air.\n\nBattery access on the earlier bikes doesn\'t require tank removal.\nAfter you learn the drill, it\'s pretty straightforward.\n\n[...]\n>replacement parts, like all Suzuki parts, are outrageously expensive.\n\nHaving bought replacement parts for several brands of motorcycles,\nI\'ll offer a grain of salt to be taken with Dale\'s assessment.\n\n[...]\n>Good luck, and be careful!\n>--Dale\n\nSentiments I can\'t argue with...or won\'t...\n-- Dean Deeds\n\tdeeds@vulcan1.edsg.hac.com\n',
 'From: dil.admin@mhs.unc.edu (Dave Laudicina)\nSubject: More Diamond SS 24X\nNntp-Posting-Host: dil.adp.unc.edu\nOrganization: UNC Office of Information Technology\nLines: 11\n\nHas anyone experienced a faint shadow at all resolutions using this\ncard. Is only in Windows. I have replaced card and am waiting on \nlatest drivers. Also have experienced General Protection Fault Errors\nin WSPDPSF.DRV on Winword Tools Option menu and in WINFAX setup.\nI had a ATI Ultra but was getting Genral Protection Fault errors\nin an SPSS application. These card manufactures must have terrible\nquality control to let products on the market with so many bugs.\nWhat a hassle. Running on Gateway 2000 DX2/50.\nThx Dave L\n\n \n',
 'From: yoony@aix.rpi.edu (Young-Hoon Yoon)\nSubject: Re: Constitutionality of 18 U.S.C 922(o)\nNntp-Posting-Host: aix.rpi.edu\nDistribution: usa\nLines: 50\n\nbrians@atlastele.com (Brian Sheets) writes:\n\n>You know, I was reading 18 U.S.C. 922 and something just did not make \n>sence and I was wondering if someone could help me out.\n\n>Say U.S.C. 922 :\n\n>(1) Except as provided in paragraph (2), it shall be unlawful for\n>any person to transfer or possess a machinegun.\n\n> Well I got to looking in my law dictionary and I found that a "person" \n>might also be an artificial entity that is created by government \n>and has no rights under the federal constitution. So, what I \n>don\'t understand is how a statute like 922 can be enforced on \n>an individual. So someone tell me how my government can tell\n>me what I can or cannot possess. Just passing a law \n>does not make it LAW. Everyone knows that laws are constitional\n>until it goes to court. So, has it ever gone to court, not\n>just your run of the mill "Ok I had it I am guilty, put me in jail"\n\n>Has anyone ever claimed that they had a right to possess and was told\n>by the Supreme Court that they didn\'t have that right?\n\n\n\n>-- \n>Brian Sheets\t\t    _   /|  \t"TRUCK?! What truck?"\n>Support Engineer  \t    \\\\`o_O\'    \t \n>Atlas Telecom Inc. \t      ( ) \t   -Raiders of the Lost Ark\n>brians@atlastele.com           U\n\nI\'m not a lawyer but to the best of my understanding, the Congress has no\nmore rights than what is enumerated in the constitution.  That is the \nprime reason why the National Firearms Act is based on collecting revenue.\nSince the Congress has the authority to levy taxes, the NFA is a tax act and\nthe registration requirement within it is to assist in that tax collection.\nU.S.C 922, in order to be constitutional, must have a basis on a particular\nauthority granted to the Congress by the Constitution.  Congress can not\narbitrarily ban a substance or product.  That is why prohibition came into\neffect, only by passing an ammendment.   What you said about constitutionality\nof law needs to be clarified.  I believe that an unconstitutional law was \nnever constitutional.  When a law is determined by the Supreme Court, to be\nunconstitutional, that law was never really a law.  The very nature of the law\nbeing unconstitutional invalidates the law at it\'s inception.  Please correct\nme if I\'m wrong, but when a law is deemed to be unconstitutional, anyone\nconvicted of breaking that law is absolved.\n   I don\'t believe U.S.C 922 has ever been challenged in court.  NFA has been\ninvalidated in two Federal District Court cases( one may have been appellate\nlevel{ U.S. vs Rock Island Armory  and U.S. vs Dalton}).\n\n',
 'From: lvc@cbnews.cb.att.com (Larry Cipriani)\nSubject: Gun Talk -- State legislative update\nOrganization: Ideology Busters, Inc.\nDistribution: usa\nKeywords: Gun Talk\nLines: 208\n\nApril 19, 1993\n \nAs William O. Douglas noted, "If a powerful sponsor is lacking,\nindividual liberty withers -- in spite of glowing opinions and\nresounding constitutional phrases."\n \nThe legislative scorecard outlined below resulted from subcommittee,\ncommittee, and floor action.  Many important victories, however, come\nfrom coordinating with legislators to ensure anti-gun/anti-hunting\nlegislation is either amended favorably, rejected, or never voted.\nThese quiet victories are no less impressive in protecting our\nfundamental civil liberties guaranteed by the Second Amendment to the\nU.S. Constitution.\n \n  ****\n \nArizona - SB 1233, NRA-supported legislation concerning minors in\ncriminal possession of firearms  passed the House 36-18, is currently\nawaiting action by the Governor.\n \nArkansas - HB 1447, Firearms Preemption Legislation was signed by the\nGovernor making this the forty-first state to pass preemption.\nPreemption had passed twice in previous sessions only to be vetoed by\nthen Gov. Bill Clinton.  HB 1417, mandatory storage of firearms,\namended and then killed in committee.\n \nColorado - SB 42, mandating the storage of firearms with a\ntrigger-lock, killed in committee.  SB 104,  prohibiting the sale of\ncertain semi-auto firearms was killed in committee.  SB 108,\nso-called Colorado Handgun Violence Prevention Act, including a\nprovision for a 10-day waiting period, killed in committee.\n \nConnecticut - Substitute Bill No. 6372, imposing a 6% tax on all\nfirearms, ammunition, and archery equipment killed in Environment\nCommittee.\n \nFlorida - A bill to require a 3-year license at a cost of $150 to own\nor possess semi-automatic firearms with a second degree felony\nprovision (15 years in prison) died in committee along with numerous\nother anti-gun owner bills.  No anti-gun legislation passed in\nFlorida this year.\n \nGeorgia - SB 12, supposed instant check with provision allowing for\nup to a 7-day "waiting period,"  defeated in House Public Safety\nCommittee and sent to Interim Study committee.  Mandatory storage\nbill -- SB 247 -- was defeated 39-15 in the Senate.  The same bill\npassed the upper-House 52-2 in 1992.\n \n \nIllinois - HB 90, prohibiting the sale, possession, manufacture,\npurchase, possession, or carrying of certain semi-auto firearms, was\ndefeated in House Judiciary II Subcommittee on Firearms. HB 91,\nmandatory storage legislation, failed in House Judiciary Subcommittee\non Firearms. HB 1550, repeals FOID and makes FTIP, point of sale\ncheck permanent, passed out of Judiciary Committee by a 10-4-2 vote.\nPresently on the calendar for third reading in the House.\n \nSB 40, mandatory storage bill, defeated in committee.\nSB 265, imposing a handgun excise tax, failed in Senate committee on\nRevenue\'s Subcommittee on Tax Increases.\nSB 272,imposing a tax on all persons engaged in the business of\nselling firearms, failed in Senate Revenue Committee\'s Subcommittee\non Tax Increases.\n \nIndiana - SB 241, Statewide Firearms Preemption, passed in the Senate\n34-16, and in the House 77-22.  Twelve amendments were introduced on\nthe House floor to SB 241.  Among these amendments were a ban on\ncertain semi-auto firearms, Mandatory Storage, Trigger-Lock, a ban on\n"Saturday Night Specials" (Similar to 1988 Maryland Bill), and\nHandgun Rationing (one handgun per month).  All were defeated.\n\n\t[I read this morning (4/20) S.B. 241 was defeated -- lvc]\n \nKansas - HB 2435, providing for a 72-hour waiting period on all\nfirearms was defeated in committee.  HB 2458, presently on the\nGovernor\'s desk, HB 2459 and SB 243 and 266 all relating to victims\'\nrights, are expected to be enacted into law.\n \nMaine - Funding for the Department of Fish and Wildlife 1993-94\nbudget, was restored following severe  reductions in the Governor\'s\nproposed budget.  LD 612, an anti-hunting bill which included reverse\nposting and 1000 yard safety zones, killed in committee.\n \nMaryland - SB 6-(Firearms Incendiary ammunition) died in committee on\na 8-3 vote, SB 41 (Reckless  Endangerment - Firearms - Sale or\nTransfer) died in committee on a 11-0 vote, SB 126 (Gun Control -\n"Assault Weapons") died in committee on 9-2 vote, SB 182 (Weapons\n-Free School Zone) was withdrawn, SB 185 (Weapons on School Property-\nDriver\'s License Suspension was withdrawn, SB 265 ("Assault Pistols"\n- Sale, Purchase or Transport) died in committee on 8-3 vote, SB 328\n("Assault Pistols" Act of 1993) died in committee on a 8-3 vote, SB\n682 (Baltimore City-Firearms-Rifles and Shotguns) died in committee\non a 9-2 vote.\n \nHB 274 (Pistol and Revolver Dealers Licenses - compliance with zoning\nlaws) was withdrawn, HB 366 (Regulated Firearms-sales and transfer)\ndied on the Senate Floor, HB 374 (Handguns and "assault weapons" -\nAdvertising for sale or transfer) died in committee, HB 384 (Handguns\nand "Assault Weapons" - Exhibitors) died in committee, HB 495\n("Assault Pistols" Act of 1993) died in committee on a 14-9 vote, HB\n496 (Gun Shows-Sale, Trade, or Transfer of regulated firearms) died\nin committee on a 19-6 vote, HB 601 (Firearms - Handguns - "Assault\nPistols" - Handgun Roster Board) was withdrawn, HB 683 (Rifles and\nShotguns - Registration) was withdrawn, HB 945 (Pistols and Revolvers\n- Private sales  or transfers- required notice) died in committee,\nand HB 1128 Prince Georges County -\n Weapons - Free School Zone) was withdrawn.\n \nMississippi - HB 141, closing a loophole allowing felons to possess\nfirearms, passed both Houses and signed by the Governor.  The bill\ncodifies into law mechanism for certain felons to have their Second\nAmendment liberties reinstated.\n \nNebraska - LB 83 and LB 225, mandatory trigger-lock bills, killed in\ncommittee.\n \nNew Hampshire - H.B. 363, providing for reciprocity for concealed\ncarry licenses passed.  H.B. 671,  increasing the term of a License\nto Carry Loaded Handguns passed.\n \nNew Mexico - SB 762, imposing a 7-day "waiting period," defeated in\nSenate committee (0-5) and then on  floor of the Senate (15-24).  HB\n182, mandatory storage legislation, was killed by a vote of 1-8 in\ncommittee.  HB 230, legislation safeguarding sportsmen in the field\nfrom harassment by animal rights extremists, signed into law by the\nGovernor on March 30.\n \nNew York - Seven-day waiting period was defeated in the City of\nBuffalo.   Ban on certain semi-autos was defeated in Monroe County.\nThe tax and fee bills to be imposed on guns and ammo were not\nincluded in the 1993-94 budget. SB 207, making pistol licenses\nprovides for validity of pistol license throughout the state, passed\nSenate.  Currently awaiting action in Assembly committee.\n \nNorth Dakota - HB 1484, granting victims compensation in certain\ncircumstances, was signed into law by the Governor on April 8.\n \nOregon - SB 334, banning firearms on school grounds and in court\nbuildings, withdrawn as a result of gun owners opposition.\n \nRhode Island - HB 5273, mandatory firearms storage legislation,\ndefeated in committee by a vote of 8-5. HB 6347, an act prohibiting\naliens from owning firearm; defeated by unanimous vote in committee.\nHB 5650, excepting NRA instructors from the firearms safety\nrequirement, reported favorably. HB 5781, exempting persons with an\nAttorney General\'s permit from the 7-day waiting period, reported to\nthe floor by a vote of 11-1.\nHB 6917, extending the term of a permit to carry from two years to\nthree years, reported to the floor unanimously.\n \nUtah   HB 290, reforming the state\'s concealed carry statute, passed\nout of House committee.  SB 32, creating civil liability for\nso-called negligent storage of a firearm, and SB 33 creating the\noffense of "reckless endangerment" with a firearm, killed on Senate\nfloor.\n \nVirginia: S.B. 336, and S.B. 803, requiring proof of state residence\nto obtain Virginia Driver\'s License passed.  S.B. 804, which\nincreases the penalty and imposes a mandatory minimum sentence for\n"straw man" purchases of multiple firearms passed.  S.B. 858,\nallowing possession of "sawed-off" rifles and shotguns in compliance\nwith federal law passed.  S.B. 1054, making it a felony for first\noffense of carrying a concealed firearm without a license (which the\nNRA opposes until law-abiding citizens can acquire a concealed carry\nlicense for self-defense), was defeated. H.B. 1900, increasing the\npenalty for use of a firearm in committing a felony was passed.  H.B.\n2076, requiring proof of residence to obtain a driver\'s license\npassed.  H.B. 2272, providing for a referendum on the imposition of a\nstatewide three- day "waiting period" in handgun purchases was\ndefeated.\n \nWashington: SB 5160, calling for waiting periods and licensing for\nall semi-automatic firearms, died  in committee.\n \nWest Virginia - S.C.R. 18, which calls for a study to control\ntransfers of handguns and "Assault Weapons" was defeated in the\nSenate 24-10.\n \nWisconsin - In a referendum up against all odds, the determined\nefforts of the Madison Area Citizens Against Crime paid off on April\n6 when a nonbinding referendum banning the possession of handguns in\nMadison, Wisconsin, was defeated.  Despite opposition to the ban --\naired largely by firearms owners at a series of public meetings on\nthe issue -- the Common Council voted on February 17 to place the\nreferendum on the ballot, allowing only seven weeks of campaigning to\nreverse public opinion on the controversial issue.\n \nAn October 1992 poll conducted by the Wisconsin State Journal found\n57% in support and 38% opposed, with 5% expressing no opinion.  By\nelection day, of the more than 56,000 voters who went to the polls,\n51% cast ballots in opposition to the proposal while 49% voted to\nhave the Madison Common Council enact such a ban.  The campaign\ncommittee, spearheaded by the Wisconsin Pro-Gun Movement and NRA-ILA,\nrelied on neighborhood canvassing, direct mail and radio/TV\nadvertising to educate voters on the civil liberties implications\nraised by enforcement of the ban if the referendum was approved.\n \nDespite the surprising defeat, it is expected that the Madison\ninitiative\'s chief proponent, Mayor Paul Soglin, will attempt to have\nthe Common Council enact an ordinance banning handguns.\n \n                Downloaded from GUN-TALK (703-719-6406)\n                A service of the\n                National Rifle Association\n                Institute for Legislative Action\n                Washington, DC 20036\n-- \nLarry Cipriani -- l.v.cipriani@att.com\n',
 'From: kayman@Xenon.Stanford.EDU (Robert Kayman)\nSubject: Re: Why is my mouse so JUMPY? (MS MOUSE)\nOrganization: Computer Science Department, Stanford University.\nLines: 42\n\nIn article <C638zs.pr@cs.vu.nl> wlieftin@cs.vu.nl (Liefting W) writes:\n>ecktons@ucs.byu.edu (Sean Eckton) writes:\n>\n>>I have a Microsoft Serial Mouse and am using mouse.com 8.00 (was using 8.20 \n>>I think, but switched to 8.00 to see if it was any better).  Vertical motion \n>>is nice and smooth, but horizontal motion is so bad I sometimes can\'t click \n>>on something because my mouse jumps around.  I can be moving the mouse to \n>>the right with relatively uniform motion and the mouse will move smoothly \n>>for a bit, then jump to the right, then move smoothly for a bit then jump \n>>again (maybe this time to the left about .5 inch!).  This is crazy!  I have \n>>never had so much trouble with a mouse before.  Anyone have any solutions?  \n>\n>>Does Microsoft think they are what everyone should be? <- just venting steam!\n>\n>I think I have the same problem. I think it is caused by the rubber ball\n>in the mouse, which doesn\'t roll so smooth. The detectors in the mouse\n>notice this and whoops, I hit a mine (using minesweeper :-) ).\n>\n>I think the solution will be buying a new mouse, and/or using a mouse pad.\n>\n>Wouter.\n\n\nAnd/or taking the rubber ball out of the mouse (should be directions\nin the manual or on the bottom of the mouse) and cleaning it with\nalcohol (isopropyl, I believe - the same alcohol as used for cleaning\nyour cassette deck).  This is good to do every so often, even if you\nhave a mouse pad.  Dust still gets caught in the mouse and on the\nrubber ball.  As well, lint and other garbage may find it\'s way onto\nthe rubber ball and get into the mouse damaging the horizontal and\nvertical sensors.\n\nHope this helps.  Good luck.\n\n--\nSincerely,\n\nRobert Kayman\t----\tkayman@cs.stanford.edu  -or-  cpa@cs.stanford.edu\n\n"In theory, theory and practice are the same.  In practice, they are not."\n"You mean you want the revised revision of the original revised revision\n revised?!?!"\n',
 'From: brian@meaddata.com (Brian Curran)\nSubject: Re: I\'ve found the secret!\nOrganization: Mead Data Central, Dayton OH\nLines: 19\nDistribution: world\nNNTP-Posting-Host: taurus.meaddata.com\n\nIn article <1993Apr15.161730.9903@cs.cornell.edu>, tedward@cs.cornell.edu (Edward [Ted] Fischer) writes:\n|> \n|> Why are the Red Sox in first place?  Eight games into the season, they\n|> already have two wins each from Clemens and Viola.  Clemens starts\n|> again tonight, on three days rest.\n\nHuh?  Clemens pitched last on Saturday, giving him his usual four days\nrest.  \n\n|> What\'s up?  Are the Sox going with a four-man rotation?  Is this why\n|> Hesketh was used in relief last night?\n-- \n------------------------------------------------------------------------------\nBrian Curran                 Mead Data Central              brian@meaddata.com \n------------------------------------------------------------------------------\n            "I didn\'t think I should\'ve been asked to catch\n                 when the temperature was below my age."\n               - Carlton Fisk, Chicago White Sox catcher, \n              on playing during a 40-degree April ball game\n',
 "From: dev@hollywood.acsc.com ()\nSubject: Circular Motif Widgets\nOrganization: ACSC, Inc.\nLines: 7\nDistribution: world\nNNTP-Posting-Host: hollywood.acsc.com\n\n\nWill there be any support for round or circular widgets in Motif's next\nrelease?. I'd love to have a circular knob widget which could be used\ninstead of a slider.\n\nCheers!\nDM\n",
 'From: joslin@pogo.isp.pitt.edu (David Joslin)\nSubject: Apology to Jim Meritt (Was: Silence is concurance)\nDistribution: usa\nOrganization: Intelligent Systems Program\nLines: 39\n\nm23364@mwunix.mitre.org (James Meritt) writes:\n>}So stop dodging the question.  What is hypocritical about my\n>}criticizing bad arguments, given that I do this both when I agree\n>}with the conclusion and when I disagree with the conclusion?  \n>\n>You are the one who has claimed to possess the fruits of precognition,\n>telepathy, and telempathy.  Divine it yourself.\n\nAnother dodge.  Oh well.  I\'m no match for your amazing repertoire\nof red herrings and smoke screens.  \n\nYou asked for an apology.  I\'m not going to apologize for pointing out\nthat your straw-man argument was a straw-man argument.  Nor for saying\nthat your list of "bible contradictions" shows such low standards of\nscholarship that it should be an embarrassment to anti-inerrantists,\njust as Josh McDowell should be an embarrassment to the fundies.  Nor\nfor objecting various times to your taking quotes out of context.  Nor\nfor pointing out that "they do it too" is not an excuse. Nor for calling\nyour red herrings and smoke screens what they are.\n\nI\'m still not sure why you think I\'m a hypocrite.  It\'s true that I\nhaven\'t responded to any of Robert Weiss\' articles, which may be due in\npart to the fact that I almost never read his articles.  But I have\nresponded to both you and Frank DeCenso (a fundie/inerrantist.)  Both\nyou and Frank have taken quotes out of context, and I\'ve objected to\nboth of you doing so.  I\'ve criticized bad arguments both when they\nwere yours and I agreed with the conclusion (that the Bible is not\ninerrant), and when they were Frank\'s and I disagreed with the\nconclusion.  I\'ve criticized both you and Frank for evading questions,\nand for trying to "explain me away" without addressing the objections\nI raise (you by accusing me of being hypocritical and irrational, Frank\nby accusing me of being motivated by a desire to attack the Bible.) I\ndon\'t see that any of this is hypocritical, nor do I apologize for it.\n\nI do apologize, however, for having offended you in any other way.\n\nHappy now?\n\ndj\n',
 'From: geb@cs.pitt.edu (Gordon Banks)\nSubject: Re: Striato Nigral Degeneration\nReply-To: geb@cs.pitt.edu (Gordon Banks)\nOrganization: Univ. of Pittsburgh Computer Science\nLines: 16\n\nIn article <9303252134.AA09923@walrus.mvhs.edu> ktodd@walrus.mvhs.edu ((Ken Todd)) writes:\n>I would like any information available on this rare disease.  I understand\n>that an operation referred to as POLLIDOTOMY may be in order.  Does anyone\n>know of a physician that performs this procedure.  All responses will be\n>appreciated.  Please respond via email to ktodd@walrus.mvhs.edu\n\nIt isn\'t that rare, actually.  Many cases that are called Parkinson\'s\nDisease turn out on autopsy to be SND.  It should be suspected in any\ncase of Parkinsonism without tremor and which does not respond to\nL-dopa therapy.  I don\'t believe pallidotomy will do much for SND.\n\n-- \n----------------------------------------------------------------------------\nGordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\ngeb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n----------------------------------------------------------------------------\n',
 "From: rgasch@nl.oracle.com (Robert Gasch)\nSubject: Overriding default WM Behaviour\nOrganization: Oracle Europe\nLines: 48\nX-Newsreader: TIN [version 1.1 PL8]\n\n\nI posted this about tow weeks ago but never saw it make it (Then again\nI've had some problems with the mail system). Apologies if this appears\nfor the second time:\n\nUsually when I start up an application, I first get the window outline\non my display. I then have to click on the mouse button to actually\nplace the window on the screen. Yet when I specify the -geometry \noption the window appears right away, the properties specified by\nthe -geometry argument. The question now is:\n\nHow can I override the intermediary step of the user having to specify\nwindow position with a mouseclick? I've tried explicitly setting window\nsize and position, but that did alter the normal program behaviour.\n\nThanks for any hints\n---> Robert\n\nPS: I'm working in plain X, using tvtwm.\n\n\n\n******************************************************************************\n* Robert Gasch        * Der erste Mai ist der Tag an dem die Stadt ins      *\n* Oracle Engineering   * Freihe tritt und den staatlichen Monopolanspruch    *\n* De Meern, NL        * auf Gewalt in Frage stellt                          *\n* rgasch@nl.oracle.com *                           - Einstuerzende Neubauten *\n******************************************************************************\n\n\n----------------------- Headers ------------------------\n>From uupsi7!expo.lcs.mit.edu!xpert-mailer Thu Apr 22 17:24:28 1993 remote from aolsys\nReceived: from uupsi7 by aolsys.aol.com id aa19841; Thu, 22 Apr 93 17:10:35 EDT\nReceived: from srmftp.psi.com by uu7.psi.com (5.65b/4.0.071791-PSI/PSINet) via SMTP;\n        id AA02784 for ; Thu, 22 Apr 93 12:04:36 -0400\nReceived: from expo.lcs.mit.edu by srmftp.psi.com (4.1/3.1.072291-PSI/PSINet)\n id AA17104; Thu, 22 Apr 93 10:19:31 EDT\nReceived: by expo.lcs.mit.edu; Thu, 22 Apr 93 06:57:38 -0400\nReceived: from ENTERPOOP.MIT.EDU by expo.lcs.mit.edu; Thu, 22 Apr 93 06:57:37 -0400\nReceived: by enterpoop.MIT.EDU (5.57/4.7) id AA27271; Thu, 22 Apr 93 06:57:14 -0400\nReceived: from USENET by enterpoop with netnewsfor xpert@expo.lcs.mit.edu (xpert@expo.lcs.mit.edu);contact usenet@enterpoop if you have questions.\nTo: xpert@expo.lcs.mit.edu\nDate: 22 Apr 93 08:09:35 GMT\nFrom: rgasch@nl.oracle.com (Robert Gasch)\nMessage-Id: <3873@nlsun1.oracle.nl>\nOrganization: Oracle Europe\nSubject: Overriding Default Behaviour\n\n",
 "From: caralv@caralv.auto-trol.com (Carol Alvin)\nSubject: Re: The arrogance of Christians\nLines: 88\n\nvbv@r2d2.eeap.cwru.edu (Virgilio (Dean) B. Velasco Jr.) writes:\n> In article <Apr.13.00.08.35.1993.28412@athos.rutgers.edu> caralv@caralv.auto-trol.com (Carol Alvin) writes:\n> > (Virgilio (Dean) B. Velasco Jr.) writes:\n> >> (Carol Alvin) writes:\n> >> > ...\n> >> >Are all truths also absolutes?\n> >> >Is all of scripture truths (and therefore absolutes)?\n> >> >\n> >> The answer to both questions is yes.\n> >\n> > ...\n> >an absolute is something that is constant across time, culture,\n> >situations, etc.  True in every instance possible.  Do you agree\n> >with this definition? ...\n> >\n> Yes, I do agree with your definition.  ...\n>  \n> > [example of women covering their heads and not speaking]\n> \n> Hold it.  I said that all of scripture is true.  However, discerning\n> exactly what Jesus, Paul and company were trying to say is not always so\n> easy.  I don't believe that Paul was trying to say that all women should\n> behave that way.  Rather, he was trying to say that under the circumstances\n> at the time, the women he was speaking to would best avoid volubility and\n> cover their heads.  This has to do with maintaining a proper witness toward\n> others.  Remember that any number of relativistic statements can be derived\n> from absolutes.  For instance, it is absolutely right for Christians to\n> strive for peace.  However, this does not rule out trying to maintain world\n> peace by resorting to violence on occasion.  (Yes, my opinion.)\n\nI agree that there is truth in scripture.  There are principles to be \nlearned from it.  Claiming that that truth is absolute, though, seems \nto imply a literal reading of the Bible.  If it were absolute truth \n(constant across time, culture, etc.) then no interpretation would be \nnecessary.\n\nIt may be that the lessons gleaned from various passages are different \nfrom person to person.  To me, that doesn't mean that one person is \nright and the other is wrong.  I believe that God transcends our simple \nminds, and that scripture may very well have been crafted with exactly \nthis intent.  God knows me, and knows that my needs are different \nfrom yours or anyone else's.  By claiming that scripture is absolute,\nthen at least one person in every disputed interpretation must be wrong.\nI just don't believe that God is that rigid.\n\n> >Evangelicals are clearly not taking this particular part of scripture \n> >to be absolute truth.  (And there are plenty of other examples.)\n> >Can you reconcile this?\n>\n> Sure.  The Bible preaches absolute truths.  However, exactly what those\n> truths are is sometimes a matter of confusion.  As I said, the Bible does\n> preach absolute truths.  Sometimes those fundamental principles are crystal\n> clear (at least to evangelicals).  \n\nThis is where the arrogance comes in to play.  Since these principles \nare crystal clear to evangelicals, maybe the rest of us should just take\ntheir word for it?  Maybe it isn't at all crystal clear to *me* that \ntheir fundamental principles are either fundamental *or* principles.\n\nI think we've established that figuring out Biblical truth is a matter \nof human interpretation and therefore error-prone.  Yet you can still \nclaim that some of them may be crystal clear?  Maybe to a certain \nsegment of Christianity, but to all.\n\n> >It's very difficult to see how you can claim something which is based \n> >on your own *interpretation* is absolute.  \n> \n> God revealed his Truths to the world, through His Word.  It is utterly \n> unavoidable, however, that some people whill come up with alternate \n> interpretations.  Practically anything can be misinterpreted, especially\n> when it comes to matters of right and wrong.  Care to deny that?\n\nNot at all.  I think it supports my position much more effectively \nthan yours.  :-)\n\nSo, I think that your position is:\nThe Bible is absolute truth, but as we are prone to error in our \ninterpretation, we cannot reliably determine if we have figured out \nwhat that truth is.\nDid I get that right?\n\nWhat's the point of spending all this time claiming and defending \nabsolute truth, when we can never know what those truths are, and we \ncan never (or at least shouldn't) act upon them?  What practical \ndifference can this make?\n\nCarol Alvin\ncaralv@auto-trol.com\n",
 'From: kjenks@gothamcity.jsc.nasa.gov\nSubject: Re: Shuttle oxygen (was Budget Astronaut)\nOrganization: NASA/JSC/GM2, Space Shuttle Program Office \nX-Newsreader: TIN [version 1.1 PL8]\nLines: 29\n\n: henry@zoo.toronto.edu (Henry Spencer) writes:\n\n: >There is an emergency oxygen system that is capable of maintaining a\n: >breathable atmosphere in the cabin for long enough to come down, even\n: >if there is something like a 5cm hole in the wall that nobody tries\n: >to plug.\n\nJosh Hopkins (jbh55289@uxa.cso.uiuc.edu) replied:\n: Wow.\n\n: Double wow.  Can you land a shuttle with a 5cm hole in the wall?\n\nPersonnally, I don\'t know, but I\'d like to try it sometime.\n\nProgrammatically, yes, we can land an Orbiter with a 5 cm hole in\nthe wall -- provided that the thing which caused 5 cm hole didn\'t\ncause a Crit 1 failure on some of the internal systems.  There are\na few places where a 5 cm hole would cause a Bad Day -- especially\nif the 5 cm hole went all the way through the Orbiter and out the\nother side, as could easily happen with a meteor strike.  But a\nhole in the pressure vessel would cause us to immediately de-orbit\nto the next available landing site.\n\n-- Ken Jenks, NASA/JSC/GM2, Space Shuttle Program Office\n      kjenks@gothamcity.jsc.nasa.gov  (713) 483-4368\n\n     "NASA turns dreams into realities and makes science fiction\n      into fact" -- Daniel S. Goldin, NASA Administrator\n\n',
 "From: wrat@unisql.UUCP (wharfie)\nSubject: Re: SHO clutch question (grinding noise?)\nOrganization: UniSQL, Inc., Austin, Texas, USA\nLines: 9\n\nIn article <C5H6F8.LDu@news.rich.bnr.ca> jcyuhn@crchh574.NoSubdomain.NoDomain (James Yuhn) writes:\n>   That's not the clutch you're hearing, its the gearbox. Early SHOs have\n>   a lot of what is referred to as 'gear rollover' noise. You can generally\n\n\tI have one of the first SHOs built, and _mine_ doesn't make\nthis noise.\n\n\n\n",
 'From: kpa@rchland.vnet.ibm.com (Karl Anderson)\nSubject: Re: A WRENCH in the works?\nDisclaimer: This posting represents the poster\'s views, not necessarily those of IBM\nNntp-Posting-Host: oslo.rchland.ibm.com\nOrganization: IBM Rochester\nLines: 42\n\nFrom another space forum\n>  NOW WHERE DID I LEAVE THOSE PLIERS?\n    When workers at the Kennedy Space Center disassembled the STS-56\n solid rocket boosters they were surprised to find a pair of pliers\n lodged into the outside base of the right hand SRB.  The tool survived\n the trip from the launch pad up to approximately a 250,000 foot\n altitude, then down to splashdown and towing back to KSC.\n\n    NASA spokesperson Lisa Malone told the media,\n\n    "It\'s been a long time since something like this happened.  We\'ve\n lost washers and bolts (before) but never a tool like this."\n\n    The initial investigation into the incident has shown that a\n Thiokol Corp. technician noticed and reported his pliers as missing on\n April 2nd.  Unfortunately, the worker\'s supervisor did not act on the\n report and Discovery was launched with its "extra payload".  NASA\n officials were never told of the missing tool before the April 8th\n launch date.\n\n    The free-flying pliers were supposed to be tethered to the SRB\n technician.  When the tool was found in an aft section of the booster,\n its 18-inch long rope was still attached.  The pliers were found in a\n part of the booster which is not easily visible from the launch pad.\n|(Ron\'s ed. note:  naaahhh,  just too easy)\n\n    A spokesperson for the Lockheed Space Operations Company said that\n the Shuttle processor will take "appropriate action".  Thiokol is a\n subcontractor to LSOC for work to prepare Shuttle hardware for launch.\n\n_________________________________________________________\n\nKarl Anderson\t\nDEV/2000: Configuration Management/Version Control\n\nDept 53K/006-2\t\tRochester, Minnesota 55901\n253-8044\t\tTie 8-453-8044\nINTERNET: karl@vnet.ibm.com\nPRODIGY: CMMG96A\n\n"To seek, to strive, to find, and not to yield."\n\t\t\tAlfred Lord Tennyson\n',
 "From: garyg@warren.mentorg.com (Gary Gendel)\nSubject: Re: A question about 120VAC outlet wiring.\nOrganization: Mentor Graphics Corp. -- IC Group\nLines: 42\nDistribution: world\nReply-To: garyg@warren.mentorg.com\nNNTP-Posting-Host: garyg.warren.mentorg.com\n\nIn article 1834@cmkrnl.com, jeh@cmkrnl.com writes:\n>In article <1993Apr14.172145.27458@ecsvax.uncecs.edu>, crisp@ecsvax.uncecs.edu (Russ Crisp) writes:\n>> SO..  Here's my question.  It seems to me that I'd have the\n>> same electrical circuit if I hooked the jumper from the neutral\n>> over to the ground screw on new 'three prong' grounding outlets.\n>> What's wrong with my reasoning here?  \n>\n>What you CAN do if you want three-prong outlets without additional wiring is \n>to use a GFCI outlet (or breaker, but the outlet will be cheaper).  In fact,\n>depending on where you are putting your new outlet(s), a GFCI may be *required*.\n\nYou still need to supply a proper ground for a Ground Fault Circuit Interrupter!\nSo rewiring is still a part of this job, however, the ground may be connected to\na local earth ground, rather than back at the breaker box.\n\nAs Jamie said, GFCI devices are required by code in a number of places, most\nnotably: bathrooms, and outside the house.  I do suggest the use of GFCI outlets,\nrather than the breakers.  You will end up with much less headaches.  Noise pickup\nin long cable runs is sometimes enough to cause frequent tripping of the breakers.\n\nGFCI devices do save lives, if you decide to install them, be sure to check them\nregularly (using the test button).\n\nRunning the family business (electrical supplies and lighting) for many years, I\nhave seen too many seasoned electricians fried, because they forgot to double check\ntheir common sense list.  Please exercise caution.\n---\n\t\t\tGary Gendel\nVice President:\t\t\t\tCurrent consulting assignment:\nGenashor Corp\t\t\t\tMentor Graphics Corporation\n9 Piney Woods Drive\t\t\t15 Independence Boulevard\nBelle Mead, NJ 08502\t\t\tWarren, NJ 07059\n\nphone:\t(908) 281-0164\t\t\tphone:\t(908) 604-0883\nfax:\t(908) 281-9607\t\t\temail:\tgaryg@warren.mentorg.com\n\n\n\n\n\n\n\n",
 "From: hudson@athena.cs.uga.edu (Paul Hudson Jr)\nSubject: Re: Question for those with popular morality\nOrganization: University of Georgia, Athens\nLines: 11\n\nIn article <1993Apr5.165709.4347@midway.uchicago.edu> dsoconne@midway.uchicago.edu writes:\n>>But there is a base of true absolute morality that we can stand on.\n>\n>Note that if the majority of people remain unconvinced, this idea\n>probably isn't worth very much in a pragmatic sense.\n\nMaybe not to you.  But to those who stand on this base, He is \nprecious.\n\nLink\n\n",
 "From: GERTHD@mvs.sas.com (Thomas Dachsel)\nSubject: Quantum ProDrive 80AT drive parameters needed\nArticle-I.D.: mvs.19930406091020GERTHD\nOrganization: SAS Institute Inc.\nLines: 25\nNntp-Posting-Host: sdcmvs.mvs.sas.com\n\nHi,\nI have got a Quantum ProDrive 80AT IDE harddisk and would\nlike to format it. When trying to format it (*no* low-level\nformat, just FDISK and DOS FORMAT), I somehow messed up the\nparameters... I had entered FDISK /MBR not exactly knowing\nwhat this does.\nThe suggested drive type 38 formats the drive only to 21MB.\nI tried type 25, but this gives only around 70MB and not\nthe nominal 80MB.\nCould I use user type 47? However, I don't know the actual\nparameters (cylinders, heads,...) Could someone give me them?\nAnd how does FDISK work together with user type 47?\nPlease reply by email to GERTHD@MVS.SAS.COM\nThank you,\nThomas\n+-------------------------------------------------------------------+\n| Thomas Dachsel                                                    |\n| Internet: GERTHD@MVS.SAS.COM                                      |\n| Fidonet:  Thomas_Dachsel@camel.fido.de (2:247/40)                 |\n| Subnet:   dachsel@rnivh.rni.sub.org (UUCP in Germany, now active) |\n| Phone:    +49 6221 4150 (work), +49 6203 12274 (home)             |\n| Fax:      +49 6221 415101                                         |\n| Snail:    SAS Institute GmbH, P.O.Box 105307, D-W-6900 Heidelberg |\n| Tagline:  One bad sector can ruin a whole day...                  |\n+-------------------------------------------------------------------+\n",
 'From: paladin@world.std.com (Thomas G Schlatter)\nSubject: Re: ?Order of files written when exitting windows?\nOrganization: The World Public Access UNIX, Brookline, MA\nLines: 31\n\nIn article <1993Apr22.001934.14921@ucsu.Colorado.EDU> hayesj@rintintin.Colorado.EDU (HAYES JAMES MICHAEL JR) writes:\n>\n>Trying to pin point a hardware problem with my disk, Maxtor\n>7213AT.  Group files get corrupted on a regular basis.\n>Only happens on this drive, D had only one corrupt file\n>in over a year and it was under the control of winword on C.\n>32-bit disk access and smartdrive are off.  Since installation\n>of dblspace problem has turned from an annoyance to a reason for\n>murder.\n\nAre you using Fastopen?  If you are, disable it.  We had a lot\nof problems with fastopen corrupting weird things (including\nthe Windows permanent swap file) when we were using it.\n\n>\n>Since the most frequent files corrupted are the *.grp files,\n>are these the last thing written to when exitting Windows?\n\nIndeed they are.  Advanced Personal Measure tells me they are accessed\njust before shell.dll\n\n>\n>Also, are there any pd/shareware utilities available that do\n>a more thorough job than dos 6, NDD 4.5, etc?  DOS 6 and \n>Win 3.1 compatable.\n\nI really like Spinrite and QA Plus\n\nTom\npaladin@world.std.com\n\n',
 'From: tholen@newton.ifa.hawaii.edu (Dave Tholen)\nSubject: Re: Command Loss Timer (Re: Galileo Update - 04/22/93)\nOrganization: Institute for Astronomy, Hawaii\nLines: 23\n\nAlan Carter writes:\n\n>> 3.  On April 19, a NO-OP command was sent to reset the command loss timer to\n>> 264 hours, its planned value during this mission phase.\n\n> This activity is regularly reported in Ron\'s interesting posts. Could\n> someone explain what the Command Loss Timer is?\n\nThe name is rather descriptive.  It\'s a command to the spacecraft that tells\nit "If you don\'t hear from Earth after 264 hours, assume something is wrong\nwith your (the spacecraft) attitude, and go into a preprogrammed search mode\nin an attempt to reacquire the signal from Earth."\n\nThe spacecraft and Earth are not in constant communication with each other.\nEarth monitors the telemetry from the spacecraft, and if everything is fine,\nthere\'s no reason to send it any new information.  But from the spacecraft\'s\npoint of view, no information from Earth could mean either everything is\nfine, or that the spacecraft has lost signal acquisition.  Just how long\nshould the spacecraft wait before it decides that something is wrong and\nbegins to take corrective action?  That "how long" is the command loss timer.\nDuring relatively inactive cruise phases, the command loss timer can be set\nto rather long values.  In this case, Earth is telling Galileo "expect to\nhear back from us sometime within the next 264 hours".\n',
 "From: noring@netcom.com (Jon Noring)\nSubject: Re: Christians that are not church members\nOrganization: Netcom Online Communications Services (408-241-9760 login: guest)\nLines: 69\n\nIn article gchin@ssf.Eng.Sun.COM writes:\n\n>Over the years, I have met Christians who are not associated with\n>any local church and are not members of any local church. This is\n>an issue that may be very personal, but is important.  What does\n>the Bible say about this and how can we encourage our friends with\n>regard to this issue?\n\nThis brings up an interesting subject that has not been discussed much,\nand probably has not been studied much.\n\nAs some of you may be aware, I've posted a lot of articles lately on\npersonality typing (of which the MBTI is a test vehicle).  To come up\nto speed, just read 'alt.psychology.personality' and/or ask for by\npersonality type summary file.\n\nOne observation is that people have significantly different personalities\n(no question on this) which seem to be essentially in-born.  With respect\nto church attendance and participation, some people thrive on this, while\nother people have real difficulty with this because they prefer a more\nsolitary and contemplative lifestyle - that is, they are de-energized if\nconfronted with excessive closeness to outside activities and lots of\npeople.  Of course this is measured by extroversion/introversion.\n\nMy impression is that many churches are totally blind to this fact, and\ncreate environments that 'scare away' many who are naturally introverted\n(there are many introverted characters in the Bible, btw).  I know, I am\nquite introverted in preference, and find the 'pressure' by many churches\nto participate, to meet together in large groups, etc., to be very\nuncomfortable.  Knowing what I know now, these churches have been overly\ninfluenced by highly extroverted people who thrive on this sort of thing.\n(BTW, there's nothing wrong with either extroversion or introversion, both\npreferences have their place in the Body).\n\nMaybe I should define extrovert/introvert more carefully since these words\nare usually not used correctly in our culture.  The extrovert/introvert\nscale is a measure of how a person is energized.  The following is\nexcerpted from my summary:\n\n1.  Energizing - How a person is energized:\n\n        Extroversion (E)- Preference for drawing energy from the outside\n                          world of people, activities or things.\n\n        Introversion (I)- Preference for drawing energy from one's internal\n                          world of ideas, emotions, or impressions.\n\n\nHopefully this will elicit further discussion as to how churches can\nstructure themselves to meet the real needs of the people who comprise\nthe Body of Christ, instead of trying to change people's personalities\nto fit them into a particular framework.  I'm sure there are other aspects\nof how churches have not properly understood personality variances among\ntheir members to the detriment of all.\n\nJon Noring\n\n-- \n\nCharter Member --->>>  INFJ Club.\n\nIf you're dying to know what INFJ means, be brave, e-mail me, I'll send info.\n=============================================================================\n| Jon Noring          | noring@netcom.com        |                          |\n| JKN International   | IP    : 192.100.81.100   | FRED'S GOURMET CHOCOLATE |\n| 1312 Carlton Place  | Phone : (510) 294-8153   | CHIPS - World's Best!    |\n| Livermore, CA 94550 | V-Mail: (510) 417-4101   |                          |\n=============================================================================\nWho are you?  Read alt.psychology.personality!  That's where the action is.\n",
 "From: darcym@fpddet4.mentorg.com (Darcy McCallum)\nSubject: Keyboard mapping and window placement questions\nNntp-Posting-Host: fpddet4.mentorg.com\nOrganization: mentor\nKeywords: \nLines: 27\n\nThese are two common subjects so I hope someone has had to deal with these\nspecific questions.\n\n1.  If my application depends on modifiers, what is the best lookup method?\nMy choices are to call XGetModifierMapping() for each key press with a \nmodifier, or make the call once at the init of the app and store the modifiers\nin a lookup table.  I would like to do it the second way, but I can't seem to\nget the notify when the user uses xmodmap to remap the modifiers.  I know that\nwhen an app calls XSetModifierMapping() a MappingNotify event is generated\n(non-maskable) which I can pick up and modify my internal table.  But, I don't\nseem to get any notify events when the user uses xmodmap.  If I use Xt, all \nO'Reilly has to say is '...is automatically handled by Xt...'.  If I use Xlib, ala XNextEvent(), I get nothing.  This all stems from problems with users of \nthe Sun 4/5 keyboard and the NumLock; plus various Alt/Meta/etc. modifier \nrequirements.\n\n2.  I would like to place a popup so that it will be to the immediate right\nof my main window.  I want it at the same y coord, and their right/left\nsides touching.  What I need to ask for is the x,y coord of the window \nmanager's border for the main window.  This should ring a bell with anyone\nwho has called XtMoveWidget(), immediately checking the x,y after the move\nand seeing that it is right, and in their next callback asking for the x,y\nand seeing that it is now offset by the WM border.\n\nAny help would be most appreciated.\n\nDarcy\ndarcy_mccallum@mentorg.com\n",
 "From: ab961@Freenet.carleton.ca (Robert Allison)\nSubject: Bursitis and laser treatment\nReply-To: ab961@Freenet.carleton.ca (Robert Allison)\nOrganization: The National Capital Freenet\nLines: 20\n\n\nMy family doctor and the physiotherapist (PT) she sent me to agree that the\npain in my left shoulder is bursitis. I have an appointment with an orthpod\n(I love that, it's short for 'orthopedic surgeon, apparently) but while I'm\nwaiting the PT is treating me.\n\nShe's using hot packs, ultrasound, and lasers, but there's no improvement\nyet. In fact, I almost suspect it's getting worse.\n\nMy real question is about the laser treatment. I can't easily imagine what\nthe physical effect that could have on a deep tissue problem. Can anyone\nshed some light (so to speak) on the matter?\n-- \nRobert Allison\nOttawa, Ontario CANADA\n",
 'From: mcovingt@aisun3.ai.uga.edu (Michael Covington)\nSubject: Re: Where to buy parts 1 or 2 at a time?\nNntp-Posting-Host: aisun3.ai.uga.edu\nOrganization: AI Programs, University of Georgia, Athens\nLines: 15\n\nThe pricing of parts reminds me of something a chemist once said to me:\n\n"A gram of this dye costs a dollar.\nIt comes out of a liter jar which also costs a dollar.\nAnd if you want a whole barrel of it, that also costs a dollar."\n\nI.e., they charge you almost exclusively for packaging it and delivering\nit to you -- the chemical itself (in that particular case) was a byproduct\nthat cost almost nothing intrinsically.\n\n-- \n:-  Michael A. Covington, Associate Research Scientist        :    *****\n:-  Artificial Intelligence Programs      mcovingt@ai.uga.edu :  *********\n:-  The University of Georgia              phone 706 542-0358 :   *  *  *\n:-  Athens, Georgia 30602-7415 U.S.A.     amateur radio N4TMI :  ** *** **  <><\n',
 'From: jim@jagubox.gsfc.nasa.gov (Jim Jagielski)\nSubject: Re: Quadra SCSI Problems???\nLines: 34\nReply-To: jim@jagubox.gsfc.nasa.gov (Jim Jagielski)\nOrganization: NASA/Goddard Space Flight Center\n\nnoah@apple.com (Noah Price) writes:\n\n>In article <1qm2hvINNseq@shelley.u.washington.edu>,\n>tzs@stein2.u.washington.edu (Tim Smith) wrote:\n>> \n>> > ATTENTION: Mac Quadra owners: Many storage industry experts have\n>> > concluded that Mac Quadras suffer from timing irregularities deviating\n>> > from the standard SCSI specification. This results in silent corruption\n>> > of data when used with some devices, including ultra-modern devices.\n>> > Although I will not name the devices, since it is not their fault...\n\n>That\'s fine, but would you name the "industy experts" so I can try to track\n>this down?\n\nWho knows... I just quoted what was "written" in SCSI Director...\n\n>> This doesn\'t sound right to me.  Don\'t Quadras use the 53C96?  If so, the\n>> Mac has nothing to do with the SCSI timing.  That\'s all handled by the\n>> chip.\n\n>Yup.  That\'s why I\'m kinda curious... most SCSI problems I\'ve encountered\n>are due to cabling.\n\nI\'ve tried calling Transoft Corp about this and have either gotten the\nresponse "Huh?" to "Yep" to "Nah"... You would expect that a damaging state-\nment like this would have _some_ "data" to back it up...\n\nAnyone want Transoft\'s phone number?\n-- \n    Jim Jagielski               |  "And he\'s gonna stiff me. So I say,\n    jim@jagubox.gsfc.nasa.gov   |   \'Hey! Lama! How about something,\n    NASA/GSFC, Code 734.4       |   you know, for the effort!\'"\n    Greenbelt, MD 20771         |\n\n',
 'From: tffreeba@indyvax.iupui.edu\nSubject: Re: PLANETS STILL: IMAGES ORBIT BY ETHER TWIST\nLines: 3\n\nThey must be shipping that good Eau Clair acid to California now.\n\nTom Freebairn \n',
 'From: daniels@math.ufl.edu (TV\'s Big Dealer)\nSubject: Prayer in Jesus\' name\nOrganization: Me\nLines: 5\n\n\n\tHmm...makes you wonder whether prayer "in Jesus\' name" means\n"saying Jesus\' name" or whether we\'re simply to do all things with the\nattitude that we belong to Jesus.\n\t\t\t\t\tFrank D.\n',
 "From: tchen@magnus.acs.ohio-state.edu (Tsung-Kun Chen)\nSubject: ** Software forsale (lots) **\nNntp-Posting-Host: magnusug.magnus.acs.ohio-state.edu\nOrganization: The Ohio State University\n    ****   This is a post for my friend,  You can either call    ****\n    ****    him  J.K Lee  (614)791-0748    or Drop me a mail     ****\nDistribution: usa\nLines: 39\n\n1.  Software publishing SuperBase 4 windows v.1.3           --->$80\n\n2.  OCR System ReadRight v.3.1 for Windows                  --->$65\n\n3.  OCR System ReadRight  v.2.01 for DOS                    --->$65\n\n4.  Unregistered Zortech 32 bit C++ Compiler v.3.1          --->$ 250\n     with Multiscope windows Debugger,\n     WhiteWater Resource Toolkit, Library Source Code\n\n5.  Glockenspiel/ImageSoft Commonview 2 Windows\n     Applications Framework for Borland C++                 --->$70\n\n6.  Spontaneous Assembly Library With Source Code           --->$50\n\n7.  Microsoft Macro Assembly 6.0                            --->$50\n\n8.  Microsoft Windows v.3.1 SDK Documentation               --->$125\n\n9.  Microsoft FoxPro V.2.0                                  --->$75\n\n10.  WordPerfect 5.0 Developer's Toolkit                    --->$20\n\n11.  Kedwell Software DataBoss v.3.5 C Code Generator       --->$100\n\n12.  Kedwell InstallBoss v.2.0 Installation Generator       --->$35\n\n13.  Liant Software C++/Views v.2.1\n       Windows Application Framework with Source Code       --->$195\n\n14.  IBM OS/2 2.0 & Developer's Toolkit                     --->$95\n\n15.  CBTree DOS/Windows Library with Source Code            --->$120\n\n16.  Symantec TimeLine for Windows                          --->$90\n\n17.  TimeSlip TimeSheet Professional for Windows            --->$30\n\n         Many More Software/Books Available,Price Negotiable\n",
 "From: jono@mac-ak-24.rtsg.mot.com (Jon Ogden)\nSubject: Re: Losing your temper is not a Christian trait\nOrganization: Motorola LPA Development\nLines: 26\n\nIn article <Apr.23.02.55.47.1993.3138@geneva.rutgers.edu>, jcj@tellabs.com\n(jcj) wrote:\n\n> I'd like to remind people of the withering of the fig tree and Jesus\n> driving the money changers et. al. out of the temple.  I think those\n> were two instances of Christ showing anger (as part of His human side).\n> \nYes, and what about Paul saying:\n\n26 Be ye angry, and sin not: let not the sun go down upon your wrath:\n(Ephesians 4:26).\n\nObviously then, we can be angry w/o sinning.\n\nJon\n\n------------------------------------------------\nJon Ogden         - jono@mac-ak-24.rtsg.mot.com\nMotorola Cellular - Advanced Products Division\nVoice: 708-632-2521      Data: 708-632-6086\n------------------------------------------------\n\nThey drew a circle and shut him out.\nHeretic, Rebel, a thing to flout.\nBut Love and I had the wit to win;\nWe drew a circle and took him in.\n",
 'From: cptnerd@access.digex.com (Captain Nerd)\nSubject: "SIMM Re-use" NuBus board... Anyone seen one?\nOrganization: Express Access Online Communications, Greenbelt, Maryland USA\nLines: 29\nDistribution: world\nNNTP-Posting-Host: access.digex.net\nSummary: does anyone make this? does anyone know what I\'m talking about?\nKeywords: SIMM NuBus board RAMDisk\n\n\n\n\tHello,\n\n\tI remember running across an ad in the back of Mac[User|World]\na few years ago, for a Nubus board that had umpteen SIMM slots, to be\nused to "recycle your old SIMMs," when you upgraded memory.  I don\'t\nremember who made this board, and I haven\'t seen it advertised in\nany of the latest Mac magazines.  It mentioned that it included software\nto make the SIMMs on the board act like a RAM disk. As someone who has SIMMS \nhe can\'t get rid of/use, but hates the waste, this sounds to me like a majorly\ngood idea.  Does anyone out there know what board/company I\'m talking about?  \nAre they still in business, or does anyone know where I can get a used one\nif they are no longer made?  Any help would be greatly appreciated.  Please\ne-mail me, to save net.bandwidth.\n\n\n\tThanks,\n\n\tCap.\n\n\n\n\n-- \n |  Internet: cptnerd@digex.com  |  AOL: CptNerd  |  Compuserve: 70714,105  |\n   CONSILIO MANUQUE \n   OTIUM CUM DIGNITATE \n   CREDO QUIA ABSURDUM EST         PARTURIENT MONTES NASCETUR RIDICULUS MUS\n',
 "From: kimata@convex.com (Hiroki Kimata)\nSubject: Re: Open letter to NISSAN\nDistribution: na\nNntp-Posting-Host: zeppelin.convex.com\nOrganization: Engineering, CONVEX Computer Corp., Richardson, Tx., USA\nX-Disclaimer: This message was written by a user at CONVEX Computer\n              Corp. The opinions expressed are those of the user and\n              not necessarily those of CONVEX.\nLines: 43\n\nIn <1qideqINNl79@sumax.seattleu.edu> smorris@sumax.seattleu.edu (Steven A. Morris) writes:\n\n>Hey, NISSAN, why aren't you guys making any station wagons?  You used\n>to make a wagon on every platform (SENTRA, STANZA, MAXIMA) and now\n>NONE AT ALL.\n\nIn fact, they make some ,but they just don't sell them here in U.S.\n\nSunny California is a 1.6l wagon based on Sentra.\nAvenil is a 2.0l 4WD/2WD wagon .(It looks like Infinity G20 \nbut actually it's independently designed to be a wagon.I mean, it's \nnot based on any sedans.) \n \nNissan had better consider to sell them here.\n\n>After buying my SE-R and really loving it, I would like to buy another\n>NISSAN product for my wife -- but prefer a wagon  (I've owned minivans\n>and don't prefer them.)\n\n>How about an ALTIMA wagon?  or a sentra wagon would do...\n\nSounds nice. But I doubt they have a plan. Coz Avenil was introduced \nto replace any sedan based wagon.\n\n>or, here's an even better suggestion, why don't you guys go ahead and\n>buy the rest of Fuji Heavy Industries (Subaru) and put either an\n>in-line 4 or V-6 into the LEGACY 4WD wagon.  I'd buy the Legacy in a\n>minute if it had a Nissan engine instead of the Horizontal 4 that they\n>seem sentimentally attached to.\n\n>With all the Camry, Accord, Taurus, Volvo and Subaru wagons out there\n>-- it's got to be a market segment that would be worthwhile!\n\n>I can wait a year or two -- but if you don't have something to compete\n>by the 1995 model I may have to go elsewhere.\n\n>Thanks.\n\n>-- \n>Steve Morris, M.A.    : Internet: smorris@sumax.seattleu.edu\n>Addiction Studies Pgm : uucp    :{uw-beaver,uunet!gtenmc!dataio}!sumax!smorris\n>Seattle University    : Phone   : (206) 296-5350 (dept) or 296-5351 (direct)\n>Seattle, WA 98122_____:________________________________________________________\n",
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: Let the Turks speak for themselves.\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 95\n\nIn article <1993Apr16.142935.535@cs.yale.edu> karage@scus1.ctstateu.edu (Angelos Karageorgiou) writes:\n\n>\tIf Turks in Greece were so badly mistreated how come they\n>elected two,m not one but two, representatives in the Greek government?\n\nPardon me?\n\n"Greece Government Rail-Roads Two Turkish Ethnic Deputies"\n\nWhile World Human Rights Organizations Scream, Greeks \nPersistently Work on Removing the Parliamentary Immunity\nof Dr. Sadik Ahmet and Mr. Ahmet Faikoglu.\n\n\nDr. Sadik Ahmet, Turkish Ethnic Member of Greek Parliament, Visits US\n\nWashington DC, July 7- Doctor Sadik Ahmet, one of the two ethnic\nTurkish members of the Greek parliament visited US on june 24 through\nJuly 5th and held meetings with human rights organizations and\nhigh-level US officials in Washington DC and New York.\n\nAt his press conference at the National Press Club in Washington DC,\nSadik Ahmet explained the plight of ethnic Turks in Greece and stated\nsix demands from Greek government.\n\nAhmet said "our only hope in Greece is the pressure generated from\nWestern capitals for insisting that Greece respects the human rights.\nWhat we are having done to ethnic Turks in Greece is exactly the same\nas South African Apartheid." He added: "What we are facing is pure\nGreek hatred and racial discrimination."\n\nSpelling out the demands of the Turkish ethnic community in Greece\nhe said "We want the restoration of Greek citizenship of 544 ethnic\nTurks. Their citizenship was revoked by using the excuse that this\npeople have stayed out of Greece for too long. They are Greek citizens\nand are residing in Greece, even one of them is actively serving in\nthe Greek army. Besides, other non-Turkish citizens of Greece are\nnot subject to this kind of interpretation at an extent that many of\nGreek-Americans have Greek citizenship and they permanently live in\nthe United States."\n\n"We want guarantee for Turkish minority\'s equal rights. We want Greek\ngovernment to accept the Turkish minority and grant us our civil rights.\nOur people are waiting since 25 years to get driving licenses. The Greek\ngovernment is not granting building permits to Turks for renovating\nour buildings or building new ones. If your name is Turkish, you are\nnot hired to the government offices."\n\n"Furthermore, we want Greek government to give us equal opportunity\nin business. They do not grant licenses so we can participate in the\neconomic life of Greece. In my case, they denied me a medical license\nnecessary for practicing surgery in Greek hospitals despite the fact\nthat I have finished a Greek medical school and followed all the\nnecessary steps in my career."\n\n"We want freedom of expression for ethnic Turks. We are not allowed\nto call ourselves Turks. I myself have been subject of a number of\nlaw suits and even have been imprisoned just because I called myself\na Turk."\n\n"We also want Greek government to provide freedom of religion."\n\nIn separate interview with The Turkish Times, Dr. Sadik Ahmet stated\nthat the conditions of ethnic Turks are deplorable and in the eyes of\nGreek laws, ethnic Greeks are more equal than ethnic Turks. As an example,\nhe said there are about 20,000 telephone subscribers in Selanik (Thessaloniki)\nand only about 800 of them are Turks. That is not because Turks do not\nwant to have telephone services at their home and businesses. He said\nthat Greek government changed the election law just to keep him out\nof the parliament as an independent representative and they stated\nthis fact openly to him. While there is no minimum qualification\nrequirement for parties in terms of receiving at least 3% of the votes,\nthey imposed this requirement for the independent parties, including\nthe Turkish candidates.\n\nAhmet was born in a small village at Gumulcine (Komotini), Greece 1947.\nHe earned his medical degree at University of Thessaloniki in 1974.\nhe served in the Greek military as an infantryman.\n\nIn 1985 he got involved with community affairs for the first time\nby collecting 15,000 signatures to protest the unjust implementation\nof laws against ethnic Turks. In 1986, he was arrested by the police\nfor collecting signatures.\n\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n\n',
 'From: asket@acad2.alaska.edu\nSubject: When is a couple married...\nOrganization: University of Alaska\nLines: 31\n\n\n     I used to be a marriage commissioner for the Alaska Court\nSystem (sort of a justice of the peace).  I had great difficulty\nwith that duty.  I used to pray earnestly in the courthouse\nbathroom before the ceremonies, mostly asking that the couples\nwould come to appreciate and fulfill the true holiness and\ndivine purpose in marriage--couples who obviously didn\'t realize\nthat marriage is God\'s institution, not the state\'s.  Gradually,\nhowever, I came to conclude that because I was acting in a\nstrictly secular, public capacity, established as such by both\nthe state and the expectations of the couples involved, I was\nreally conducting a purely secular, legal civil event, with no\ngreater moral or religious implications than if I had been\nconducting a civil trial (the couple who told me, mid-ceremony,\nto "please hurry it up" may have helped me to this conclusion). \n\n     I thought I had neatly rationalized a clear and sharp\ndistinction between marriage before God, and "marriage" before\nthe state, until I had to deal with my own divorce.  Keeping\nMatthew 19:6 in mind, I felt that the state had no business\ndissolving my marriage established before God, but of course it\nassumed jurisdiction nonetheless.  \n\n      I would ask those of you proposing answers to this\nquestion to consider this issue\'s logical extension: If\nintercourse, or the mental intent of the parties, or the\nceremony of the church, or any combination thereof, establishes\nmarriage, then at what moment is it dissolved?  \n\n                                   Karl Thoennes III\n                                   University of Alaska\n',
 'From: kkeller@mail.sas.upenn.edu (Keith Keller)\nSubject: Playoff pool\nOrganization: University of Pennsylvania, School of Arts and Sciences\nLines: 30\nNntp-Posting-Host: mail.sas.upenn.edu\n\nWell, I looked at the scoring plan I had, and have decided to modify it. \nHere is the new, finalized scoring:\n\nPick 1st round winner, way off on games:\t2\n"     "    "     "     pick within one game:\t3\n"     "    "     "     pick exact games:\t4\n\nPick 2nd round winner, way off on games:\t4\n"     "    "     "     pick within one game:\t5\n"     "    "     "     pick exact games:\t7\n\nPick conference champ, way off on games:\t7\n"\t"\t"      pick within one game:\t10\n"\t"\t"      pick exact games:\t13\n\nPick Stanley Cup winner, way off on games:\t13\n"\t"    "\t   "\tpick within one game:\t17\n"\t"    "\t   "\tpick exact games:\t20\nPick loser in 7, series goes 7:\t\t\t2\nPick loser in 7, game 7 decided in OT:\t\t4\n\nThese are now final.  Anyone needing a copy of the entry sheet, email me\nat the address below. \n\n--\n    Keith Keller\t\t\t\tLET\'S GO RANGERS!!!!!\n\t\t\t\t\t\tLET\'S GO QUAKERS!!!!!\n\tkkeller@mail.sas.upenn.edu\t\tIVY LEAGUE CHAMPS!!!!\n\n            "When I want your opinion, I\'ll give it to you." \n',
 'From: hallam@dscomsa.desy.de (Phill Hallam-Baker)\nSubject: Re: Will Italy be the Next Domino to Fall?\nLines: 101\nReply-To: hallam@zeus02.desy.de\nOrganization: DESYDeutsches Elektronen Synchrotron, Experiment ZEUS bei HERA\n\n\nIn article <C5GK0w.J8H@newsserver.technet.sg>, ipser@solomon.technet.sg (Ed Ipser) writes:\n\n|>Will Italy be the Next Domino to Fall?\n|>\n|>\n|>\n|>Socialism may have collapsed in Eastern Europe and the Soviet Disunion\n|>but it lingers on in Western Europe and the United States. It remains\n|>the primary ideology in the hearts and minds of the liberal academia\n|>and media. But all the political correctness they can muster may not be\n|>sufficient to hold back the economic forces that threaten to spread\n|>socialism\'s collapse from the second world to the first. Indeed, it is\n|>becoming more apparent every day that socialism may not even survive\n|>the turn of the century.\n\nEd of course has never demonstrated remarkable knowlege of socialism, \nor any other political system come to that.\n\n|>While the Swedes have already discarded their "third way" and the\n|>French have made history by turning out the Socialist Party in a \n|>record-setting defeat, it is Italy that appears most precariously\n|>on the edge of its political existence.\n\nThat leaves Germany, Japan and the UK as examples of a country where the\nright wing government is on the verge of collapse. Oh and of course the USA\nwhich just elected a socialist government :-)\n\n|>Italy, today, is a basket-case even by European standards. It has\n|>introduced 17 new taxes in 5 months and public-sector revenue is at or\n|>near the 50% of GDP mark. \n\nEtc, unfortunately you can\'t pin this on the left or the right, both are\nto blame. Both sides are equally deep into the corruption scandal. The only \nuntained party is the northern league which is a bunch of nationalist\nseparatists and the communist party which has collapsed.\n\n\n|>In spite of this political gluteny, it has\n|>an annual deficit exceeding the sum of all other EC countries and a\n|>public debt 2.5 times that of Latin America. Italy is understandably\n|>having serious trouble selling its treasury bonds in the markets. And\n|>while Italy is an extreme case, it is anything but unique; all\n|>European governments appear headed in the same direction in spite of\n|>their nominally non-socialist governments.\n|>\n|>Unfortunately, Europeans being, well, Europeans, it is very unlikely\n|>that they will discover American-style liberty. Instead, they will\n|>likely lurch from socialism to fascism as quickly as they had moved\n|>from fascism to socialism never pausing along the way to reasseses the\n|>role of government, itself. I hope I am wrong.\n\nEd should take a look at the budget deficit Regan and Bush created together\nbefore he starts to make claims about europe collapsing based on the budget\ndeficits here. None of them are serious on the USA scale.\n\nAnd here in Europe we have zero interest in Ed-Ipser type freed thank you.\nWe do not want our countries to be run by a narrow elite of rich lawyers\nfor the benefit of the super wealthy. We are quite happy with social \ndemocracy and despite the fuss made in Time and Newsweek there is remarkably\nlittle being done to reverse the social welfare reforms brought in by\nsocialism.\n\nThe problem with socialism is that it started with the aims of free education\nand health care and provision of the welfare state. This has been achieved\nacross the whole of Europe, only the USA is struggling to catch up. The\nproblem for socialism is what to do now it has succeeded.\n\n\n|>Nobody ever claimed that the collapse of socialism would be pretty.\n|>The decline of the nation-state will probably lead first to anarchy\n|>since politicians always cut essential services before pork. Los\n|>Angeles has rampant crime and frantically waits for the next wave of\n|>riots but it has a spanking new subway that nobody wants to use and\n|>which, like every other public transit system in the world, will never\n|>be economically viable. (If you were trying to extort tax payers,\n|>which would you cut first, mass transit or police protection?)\n\nEd starts to discus LA, presumably he thinks that it is in Europe. On\nthe other hand he most probably hasn\'t heard of a European city.\n\n|>Thus does the world hurtle toward chaos even as the 21st century\n|>approaches.\n\nRather the opposite. What is happening in Italy is that the communist party\nhas collapsed. This has meant that the grand coalition between right and\nleft wing parties to keep out the communists has also collapsed. The \nmagistrates have seized this opportunity to crack down hard on fraud and \ncorruption and have arrested half the politicians. The fact that the socialists\nare in charge this week is incidental, the right is into the corruption just\nas baddly.\n\nWhat looks likely to happen is the fringe parties are going to do much\nbetter in the next election. Most of the parliamentary deputies are going\nto get replaced and the parties are going to be forced to look to people\nwho are free of any hint of corruption. Look out for a parliament of\nPavarotti\'s and porn stars.\n\n\nPhill Hallam-Baker\n\n',
 "From: cca20@keele.ac.uk (J. Atherton)\nSubject: serial printing in Windows\nLines: 12\nDistribution: world\nNNTP-Posting-Host: seq1.cc.keele.ac.uk\nX-Newsreader: TIN [version 1.1 PL6]\n\nI am getting Garbled output when serial printing thru Windows & works\netc.  This has occurred on several systems and goes if a LaserJet 4 is\nused.  I suspect that there is no need for handshaking in this case due\nto the capacity (memory/speed) of it.  There is no problem printing from\nDOS.  Are there any obvious tweaks I'm missing.  I'm sure its not JUST\nme with this problem.  Thanks for reading....  John Atherton\n\n\n\n\n\n\n",
 'From: seanmcd@ac.dal.ca\nSubject: Re: SE rom\nOrganization: Dalhousie University, Halifax, Nova Scotia, Canada\nLines: 23\n\nIn article <wgwC5pDL4.43y@netcom.com>, wgw@netcom.com (William G. Wright) writes:\n> \n> \tAnyway, I was hoping someone knowledgeable\n> about Mac internals could set me straight: is it simply\n> impossible for a mac SE to print grayscale, or could\n> someone armed with enough info and a little pro-\n> gramming experience cook something up that would\n> supplement the ROM\'s capabilities?\n> \tAlso, how does one know if one\'s mac can\n> support the grayscale and photograde that the Select 300\n> is supposedly capable of? ( Short of buying the printer\n> and trying it out like I did)\n> \tThanks for your help.\n>  \n> Bill Wright\n> wgw@netcom.com\n> \t\nTo use the grayscale features, I believe you need a Mac equipped\nwith colour quickdraw. I was told this somewhere or other, but it\'s\nnot mentioned in "Apple Facts" (guide for apple sellers), in the\npress release or in the technical specs.\n\nSean \n',
 'From: sgoldste@aludra.usc.edu (Fogbound Child)\nSubject: Re: NEWS YOU WILL MISS, Apr 15\nOrganization: University of Southern California, Los Angeles, CA\nLines: 27\nNNTP-Posting-Host: aludra.usc.edu\n\narf@genesis.MCS.COM (Jack Schmidling) writes:\n\n\n> \n>                      Yigal et al, sue ADL\n> \n\nWhy do you title this "News you will miss" ?\n\nThere have been at least three front-page stories on it in the L.A. Times.\n\nI wouldn\'t exactly call that a media cover-up.\n\n\n> js\n> \n\n\n___Samuel___\nMossad Special Agent ID314159\nMedia Spiking & Mind Control Division\nLos Angeles Offices\n-- \n_________Pratice Safe .Signature! Prevent Dangerous Signature Virii!_______\nGuildenstern: Our names shouted in a certain dawn ... a message ... a\n              summons ... There must have been a moment, at the beginning,\n              where we could have said -- no. But somehow we missed it.\n',
 'From: kthompso@donald.WichitaKS.NCR.COM (Ken Thompson)\nSubject: Re: Cable TVI interference\nKeywords: catv cable television tvi\nOrganization: NCR Corporation Wichita, KS\nLines: 14\n\nvictor@inqmind.bison.mb.ca (Victor Laking) writes:\n\n)Do you know what frequencies chanels 17 to 19 use and what is usually \n)allocated to those frequencies for broadcast outside of cable?\n\n17 is air comm.\n18 is amateur\n19 is business and public service\n\n-- \nKen Thompson    N0ITL  \nNCR Corp.  Peripheral Products Division   Disk Array Development\n3718 N. Rock Road  Wichita KS 67226   (316)636-8783\nKen.Thompson@wichitaks.ncr.com \n',
 'From: gamet@erg.sri.com (Thomas Gamet)\nSubject: keyboard specifications\nOrganization: SRI International, Menlo Park, CA\nLines: 35\n\nTo all hardware and firmware gurus:\n\nMy current home project is to build a huge paddle keyboard for a \nphysically handicapped relative of mine.  My goal is for this keyboard\nto look exactly like an AT sytle keyboard to its host system.\nThis will be a highly endowed keyboard with a Little PCL from Z World\nat its heart.  The only thing I lack is detailed information on the\nhardware signaling that the 486 (with  Windows 3.1  and DOS 5.0) will be \nexpecting.  My project is independant of Windows, my hope is that some of\nyou fellow Window\'s users/programmers will recognize what I need and be \nwilling to point me in the right direction. \n\nI have The Winn L. Rosch Hardware Bible (2nd edition).  The HB gives\nmost (if not all) of the information I will need concerning scan codes \nand even a wire diagram for the PS/2 style connector I will need, but it \nleaves a number of important questions unanswered.\n1.  Is it synchronous or asynchronous serial communication?  I\'m\n    guessing synchronous since the host is providing a clock.  In either\n    event, how is the data framed?\n2.  Is it half-duplex or truly one way?  I\'m guessing half-duplex\n    since the host can turn LEDs on and off.\n3.  Are there any chipsets available for communicating with the "AT\n    keyboard standard" (other than by cannibalizing a real keyboard)?\n\nIf anyone knows of a book or article (or any other written source of\ninformation) on the above, please advise me at gamet@erg.sri.com.\nWhatever I do it must be safe for I cannot afford to replace the 486 in\nthe event of a booboo.\n\nThank you for your time.\nDanke fuer Ihre Zeit.\n\nThomas Gamet (gamet@erg.sri.com)\nSoftware Engineer\nSRI International\n',
 "From: korenek@ferranti.com (gary korenek)\nSubject: Re: 80486DX-50 vs 80486DX2-50\nOrganization: Network Management Technology Inc.\nLines: 26\n\nIn article <1qd5bcINNmep@golem.wcc.govt.nz> hamilton@golem.wcc.govt.nz (Michael Hamilton) writes:\n>I have definitly seen a\n>mother board with 2 local bus slots which claimed to be able to\n>support any CPU, including the DX2/66 and DX50.  Can someone throw\n>some more informed light on this issue?\n>[...]\n>Michael Hamilton\n\nSome motherboards support VL bus and 50-DX CPU.  There is an option\n(BIOS I think) where additional wait(s) can be added with regard to\nCPU/VL bus transactions.  This slows the CPU down to a rate that gives\nthe VL bus device(s) time to 'do their thing'.  These particular wait(s)\nare applied when the CPU transacts with VL bus device(s).  You want to\nenable these wait(s) only if you are using a 50-DX with VL bus devices.\n\nThis is from reading my motherboard manual, and these are my interpre-\ntations.  Your mileage may vary.\n\nStrictly speaking, VL and 50mhz are not compatable.  And, there is at\nleast one 'fudge' mechanism to physically allow it to work.\n\n-- \nGary Korenek   (korenek@ferranti.com)\nNetwork Management Technology Incorporated\n(formerly Ferranti International Controls Corp.)\nSugar Land, Texas       (713)274-5357\n",
 "From: rscharfy@magnus.acs.ohio-state.edu (Ryan C Scharfy)\nSubject: Re: New Study Out On Gay Percentage\nNntp-Posting-Host: magnusug.magnus.acs.ohio-state.edu\nOrganization: The Ohio State University\nLines: 43\n\nIn article <1993Apr16.121720.13017@hemlock.cray.com> rja@mahogany126.cray.com (\nRuss Anderson) writes:\n>\n>In article <15378@optilink.COM>, cramer@optilink.COM (Clayton Cramer) writes:\n>>\n>> From the Santa Rosa (Cal.) Press-Democrat, April 15, 1993, p. B2:\n>>\n>>     Male sex survey: Gay activity low\n>>\n>>     A new natonal study on male sexual behavior, the most thorough\n>>     examination of American men's sexual practices published since\n>>     the Kinsey report more than four decades ago, shows about 2\n>>     percent of the men surveyed had engaged in homosexual sex and\n>>     1 percent considered themselves exclusively homosexual.\n>\n>Actually, what the study shows is that 2 percent of the men surveyed\n>*said* they engaged in homosexual sex and 1 percent *said* they\n>considered themselves exclusively homosexual.\n>\n\nYes, and of course the Kinsey Report taken 50 years ago in much more liberal \ntimes regarding homosexuality.........\n\n>The point being that what people say and what they acutally do\n>may be different.\n>\n>It is interesting that this clip from the newspaper did not\n>mention that difference.  Maybe it is conservative media bias.  :-)\n>\n\nOr smart enough to realize that that argument would have to apply to every \nsurvey regarding homosexuality.  Therefore, they would look stupid. (Actually, \nIdid see Bryant Gumble bring that point up.  Hee, hee).\n\n\n\n>     The figures on homosexuality in the study released Wednesday\n>>     by the Alan Guttmacher Institute are significantly lower than\n>>     the 10 percent figure that has been part of the conventional\n>>     wisdom since it was published in the Kinsey report.\n>\n\nRyan\n",
 'From: bambi@kirk.bu.oz.au (David J. Hughes)\nSubject: Re: Motif vs. [Athena, etc.]\nOrganization: Bond University, AUSTRALIA\nLines: 52\n\nberry@durian.citr.uq.oz.au (Andrew Berry) writes:\n\n>My impression is that most people use Motif because their OS vendor\n>supplies it with X (SunOS users excluded), and because it is similar in\n>"look and feel" to MS-Windows and OS/2 PM.  Personally, I also prefer\n>the "look and feel" of Motif (no flames please -- just an opinion).\n\nSeeing as Motif has been adopted by Sun, IBM, HP +++ (can\'t remeber the\nother members in the recent announcement), I\'m sure you\'ll see it on\nvirtually every workstation (ie. Sun, IBM, HP and DEC must make up the\n**VAST** majority of all hardware).\n\n\n>I am also concerned by this prevalence of Motif, particularly from the\n>point of view of writing and obtaining free software.  As the Linux and\n>386BSD communities grow, however, I think that Motif will lose some of\n>its grip, at least in the non-commercial marketplace.  \n\n\nPorts of Motif to both 386BSD and Linux are available for a fee of about\n$100.  This is cost recovery for the person who bought the rights to\nredistribute.  The activity in both the BSD and Linux news groups\npertaining to Motif has been high.\n\n\n>I just wonder if this will also cause a divergence between commercial\n>and non-commercial software (ie. you will only get free software using\n>Athena or OpenLook widget sets, and only get commercial software using\n>the Motif widget sets).  \n\n\nI can\'t see why.  If just about every workstation will come with Motif\nby default and you can buy it for under $100 for the "free" UNIX\nplatforms, I can\'t see this causing major problems.\n\n\nSide Note :\n---------\nAll the X based code I am writing (and will distribute freely when\ncompleted) is based on Motif because from a programmatic and also "look\nand feel" point of view I like it the best (no flames on this one\nplease).\n\n\n\nbambi\n\n   ___                                 David J. Hughes     bambi@bu.oz.au\n  /   \\\\                /  /    /        \n /  __/ __   __   ____/  /    / __          Senior Network Programmer\n/    \\\\ /  \\\\ /  \\\\ /   /  /    / /  \\\\  /    Comms Development & Operation\n\\\\____/ \\\\__//   / \\\\__/   \\\\___/ /   / /       AUSTRALIA  (+61 75 951450)\n',
 'From: bsaffo01@cad.gmeds.com (Brian H. Safford)\nSubject: IGES Viewer for DOS/Windows\nOrganization: EDS/Cadillac\nLines: 10\nNNTP-Posting-Host: ccadmn1.cad.gmeds.com\n\nAnybody know of an IGES Viewer for DOS/Windows? I need to be able to display \nComputerVision IGES files on a PC running Windows 3.1. Thanks in advance.\n\n+-----------------------------------------------------------+\n| Brian H. Safford           EMAIL: bsaffo01@cad.gmeds.com  |\n| Electronic Data Systems    PHONE: (313) 696-6302          |\n+-----------------------------------------------------------+\n| NOTE: The views and opinions expressed herein are mine,   |\n| and DO NOT reflect those of Electronic Data Systems Corp. |\n+-----------------------------------------------------------+\n',
 'From: bca@ece.cmu.edu (Brian C. Anderson)\nSubject: Re: Win NT - what is it???\nOriginator: bca@packard.ece.cmu.edu\nLines: 11\nReply-To: bca@ece.cmu.edu (Brian C. Anderson)\nOrganization: Electrical and Computer Engineering, Carnegie Mellon\nDistribution: cmu\n\n\nIn article <1qmc7e$g1b@access.digex.net>, wild@access.digex.com (wildstrom) writes:\n|> From: wild@access.digex.com (wildstrom)\n|> Subject: Re: Win NT - what is it???\n|> Date: 16 Apr 1993 09:27:10 -0400\n//// Much stuff deleted //////\n\nWhat is Win32?  I upgraded to Mathcad 4.0 and it installed a directory for\nWin32 under \\\\windows\\\\system .  During the upgrade it told me that win32 was\nrequired.\n\n',
 "From: queloz@bernina.ethz.ch (Ronald Queloz)\nSubject: Store/Post events\nOrganization: Swiss Federal Institute of Technology (ETH), Zurich, CH\nLines: 31\n\n\nstore and reply of mouse and keyboard events\n--------------------------------------------\n\nTo produce regression tests or automatic demo's\nwe would like to store all mouse and keyboard events\nproduced by a user. It should be possible to filter\nthe mouse and keyboard events from the server's queue\nan to store them in a file.\nThis sequence of events, stored in a file, should be given \nto the server's queue as if a user is working.\n\n\n1. Exists a tool that is capable to save and reply all\n   mouse and keyboard events (where)?\n\n2. Where one can catch these events to store them ?\n   In our case the server's queue is on a X Terminal (HP).\n   Where can we catch all events coming from a given\n   server.\n   If this is not possible, can we catch all events given\n   to a certain client and how ?\n   \n3. Where one can send a stored sequence of events to simulate a user ?\n   Is there a central dispatcher on the clients machine who manages\n   all incoming events from a given server and how can we reach it ?\n\n\nThanks in advance\n\nRon.\n",
 'From: alung@megatest.com (Aaron Lung)\nSubject: Re: what to do with old 256k SIMMs?\nOrganization: Megatest Corporation\nLines: 26\n\nIn article <1993Apr15.100452.16793@csx.cciw.ca> u009@csx.cciw.ca (G. Stewart Beal) writes:\n>In article <120466@netnews.upenn.edu> jhaines@eniac.seas.upenn.edu (Jason Haines) writes:\n>>\n>>\tI was wondering if people had any good uses for old\n>>256k SIMMs.  I have a bunch of them for the Apple Mac\n>>and I know lots of other people do to.  I have tried to\n>>sell them but have gotten NO interest.\n>>\n>>\tSo, if you have an inovative use (or want to buy\n>>some SIMMs  8-) ), I would be very interested in hearing\n>>about it.\n>>\n>One of the guys at work takes 20 of them, uses cyano-acrylate glue to make\n>five four-wide "panels" then constructs a box, with bottom, to use as a\n>pencil holder.\n>\n\nOr, if you\'ve got some entreprenuerial (sp?) spirit, get a cheapy\nclear plastic box, mount the simm inside, and sell it as a \'Pet SIMM\'!\n\nI\'m sure there are *plenty* of suckers out there who would go\nfor it!\n\naaron\n\n\n',
 'From: naren@tekig1.PEN.TEK.COM (Naren Bala)\nSubject: Re: Genocide is Caused by Atheism\nOrganization: Tektronix, Inc., Beaverton,  OR.\nLines: 19\n\n>snm6394@ultb.isc.rit.edu (S.N. Mozumder ) writes:\n> More horrible deaths resulted from atheism than anything else.\n>\n\nLIST OF KILLINGS IN THE NAME OF RELIGION \n1. Iran-Iraq War: 1,000,000\n2. Civil War in Sudan: 1,000,000\n3, Riots in India-Pakistan in 1947: 1,000,000\n4. Massacares in Bangladesh in 1971: 1,000,000\n5. Inquistions in America in 1500s: x million (x=??)\n6. Crusades: ??\n\nI am sure that people can add a lot more to the list.\nI wonder what Bobby has to say about the above. \nStandard Excuses will not be accepted.\n-- Naren\n\nAll standard disclaimers apply\n\n',
 'From: MANDTBACKA@finabo.abo.fi (Mats Andtbacka)\nSubject: Re: If There Were No Hell\nOrganization: Unorganized Usenet Postings UnInc.\nLines: 26\n\nIn <May.5.02.51.25.1993.28737@athos.rutgers.edu> shellgate!llo@uu4.psi.com writes:\n\n> Here\'s a question that some friends and I were debating last night.\n> Q: If you knew beyond all doubt that hell did not exist and that\n>    unbelievers simply remained dead, would you remain a Christian?\n\n      (Reasoning pertinent to believing Xians deleted for space)\n\n      It strikes me, for no apparent reason, that this is reversible.\nI.e., if I had proof that there existed a hell, in which I would be\neternally punished for not believing in life, would that make me a Xian?\n(pardon my language) _Bloody_hell_no_!\n\n      ...Of course, being merely a reversal of your thinking, this\ndoesn\'t add anything _new_ to the debate, but...\n\n> Several friends disagreed, arguing the fear of hell was necessary\n> to motivate people to Christianity. To me that fatally undercuts the\n> message that God is love.\n\n      A point very well taken, IMNSHO.\n\n-- \n"Successful terrorism is called revolution, and is admired by history.\n Unsuccessful terrorism is just lowly, cowardly terrorism."\n    - Phil Trodwell on alt.atheism\n',
 "From: ghilardi@urz.unibas.ch\nSubject: left side pains\nOrganization: University of Basel, Switzerland\nLines: 21\n\nHello to everybody,\nI write here because I am kind of desperate. For about six weeks, I've been\nsuffering on pains in my left head side, the left leg and sometimes the left \narm. I made many tests (e.g. computer tomography, negative, lyme borreliosis,\nnegative, all electrolytes in the blood in their correct range), they're\nall o.K., so I should be healthy. As a matter of fact, I am not feeling so.\nI was also at a Neurologist's too, he considered me healthy too.\n\nThe blood tests have shown that I have little too much of Hemoglobin (17.5,\ncommon range is 14 to 17, I unfortunately do not know about the units).\nCould these hemi-sided pains be the result of this or of a also possible\nblock of the neck muscles ?\n\nI have no fever, and I am not feeling entirely sick, but neither entirely \nhealthy. \n\nPlease answer by direct email on <ghilardi@urz.unibas.ch>\n\nThanks for every hint\n\nNico\n",
 'From: lvc@cbnews.cb.att.com (Larry Cipriani)\nSubject: The Dayton Gun "Buy Back" (Re: Boston Gun Buy Back)\nOrganization: Ideology Busters, Inc.\nLines: 11\n\nAccording to WNCI 97.9 FM radio this morning, Dayton, Ohio is operating a\ngun "buy back".  They are giving $50 for every functional gun turned in.\nThey ran out of money in one day, and are now passing out $50 vouchers of\nsome sort.  They are looking for more funds to keep operating.  Another\nmedia-event brought to you by HCI.\n\nIs there something similar pro-gun people can do ?  For example, pay $100\nto anyone who lawfully protects their life with a firearm ?  Sounds a bit\ntacky, but hey, whatever works.\n-- \nLarry Cipriani -- l.v.cipriani@att.com\n',
 'From: Mehrtens_T@msm.cdx.mot.com\nSubject: Re: How many read sci.space?\nNntp-Posting-Host: tom_mac.prds.cdx.mot.com\nOrganization: Motorola_Codex\nLines: 25\n\nIn article <1qkmkiINNep3@mojo.eng.umd.edu> sysmgr@king.eng.umd.edu (Doug\nMohney) writes:\n>In article <1993Apr15.204210.26022@mksol.dseg.ti.com>,\npyron@skndiv.dseg.ti.com (Dillon Pyron) writes:\n>>\n>>There are actually only two of us.  I do Henry, Fred, Tommy and Mary.  Oh\nyeah,\n>>this isn\'t my real name, I\'m a bald headed space baby.\n>\n>Damn!  So it was YOU who was drinking beer with ROBERT McELWANE in the PARKING\n>LOT of the K-MART!\n>    Software engineering? That\'s like military intelligence, isn\'t it?\n>  -- >                  SYSMGR@CADLAB.ENG.UMD.EDU                        < --\n\nThey just tore down the Kmart near my house (putting in a new suptermarket).  I\nheard that there is a beer drinking ghost who still haunts the place!  8-{)\n\nTom\n\nI liked this one I read a while ago...\n\n"Data sheet: HSN-3000 Nuclear Event Detector. The [NED] senses the gamma\nradiation pulse [from a] nuclear weapon." As if we wouldn\'t notice...\n\n\n',
 "From: vanderby@mprgate.mpr.ca (David Vanderbyl)\nSubject: Re: Police radar....Just how does it work??\nNntp-Posting-Host: chip\nReply-To: vanderby@mprgate.mpr.ca (David Vanderbyl)\nOrganization: MPR Teltech Ltd.\nLines: 22\n\nIn article <1993Apr6.161107.2235@b30news.b30.ingr.com>, dtmedin@catbyte.b30.ingr.com (Dave Medin) writes:\n|> In article <1993Apr2.182402.28700@walter.bellcore.com>, deaddio@ski.bellcore.com (Michael DeAddio) writes:\n|> \n|> |> |> The 'beam' is split in two, with one beam aimed at the target car (sort of) and\n|> |> |> the other at the ground.  The speeds of each are calulated for the final\n|> |> |> number\n|> |> \n|> |> Actually, this is true on the more expensive ones, but the cheaper ones\n|> |> just read the speedometer.\n|> \n|> I've never seen a speedometer-reading model. Are you sure? Who makes\n|> them? Consider the difficulty of reading the speedo on various makes\n|> of cars in use... I've seen single beam moving-mode and split beam\n|> moving-mode.\n\nObviously the police officer reads the speedometer.\nI cannot believe the nit-picking in this group.\nThere's 2 beams, there is not, is too, etc....\n\n|> --------------------------------------------------------------------\n|> [Dave Medin's 10 line sig deleted]\n\n",
 "From: Mark W. Dubin\nSubject: Re: ringing ears\nOriginator: dubin@spot.Colorado.EDU\nKeywords: ringing ears, sleep, depression\nNntp-Posting-Host: spot.colorado.edu\nReply-To: dubin@spot.colorado.edu\nOrganization: Univ. of Colorado-Boulder\nLines: 31\n\njfare@53iss6.Waterloo.NCR.COM (Jim Fare) writes:\n\n>A friend of mine has a trouble with her ears ringing. [etc.]\n\n\nA.  Folks, do we have an FAQ on tinnitus yet?\n\nB.  As a lo-o-o-ong time sufferer of tinnitus and as a neuroscientist\nwho has looked over the literature carefully I believe the following\nare reasonable conclusions:\n\n1. Millions of people suffer from chronic tinnitus.\n2. The cause it not understood.\n3. There is no accepted treatment that cures it.\n4. Some experimental treatments may have helped some people a bit, but\nthere have be no reports--even anecdotal--of massive good results with\nany of these experimental drugs.\n5. Some people with chronic loud tinnitus use noise blocking to get to sleep.\n6. Sudden onset loud tinnitus can be caused by injuries and sometimes\nabates or goes away after a few months.\n7. Aspirin is well known to exacerbate tinnitus in some people.\n8. There is a national association of tinnitus sufferers in the US.\n9. One usually gets used to it.  Especially when concentrating on\nsomething else the tinnitus becomes unnoticed.\n10.  Stress and lack of sleep make tinnitus more annoying, sometimes.\n11.  I'm sure those of us who have it wish there was a cure, but there\nis not.\n\nMark dubin\nthe ol' professor\n\n",
 'From: srp@travis.csd.harris.com (Stephen Pietrowicz)\nSubject: Surface normal orientations\nArticle-I.D.: travis.1pscti$aqe\nOrganization: Harris CSD, Ft. Lauderdale, FL\nLines: 20\nNNTP-Posting-Host: travis.csd.harris.com\n\nSome rendering programs require that all surface normals point in the same\ndirection.  (ie: On a closed cube, all normals point outwards).  You can use\nthe points on the faces to determine the direction of the normal, by making\nsure that all points are either in clockwise or counter-clockwise order.\n\nHow do you go about orienting all normals in the same direction, given a \nset of points, edges and faces?   Say that you had a cube with all faces that \nhave their normals facing outwards, except for one face.  What\'s the\nbest way to realize that face is "flipped", and should have it\'s points\nre-ordered?   I thought I had a good way of telling this, but then realized\nthat the algorithm I had would only tell you if you had points in clockwise\norder for a 2d polygon.  I\'d like something for 3d data.\n\nAny hints, tips, references would be appreciated.\n\nSteve\n-- \nWhere humor is concerned there are no standards -- no one can say what is good \nor bad, although you can be sure that everyone will.  -- John Kenneth Galbraith\n------- These opinions are my own.\n',
 "From: kerryy@bnr.ca (Kerry Yackoboski)\nSubject: Re: Goalie masks\nReply-To: kerryy@bnr.ca\nOrganization: BNR Ottawa\nLines: 10\n\nIn article <1993Apr15.184750.12889@ac.dal.ca>, brifre1@ac.dal.ca writes:\n|> I saw a mask once that had drawings of band-aids, presumably for every puck\n|> that goalie stopped with his face/head.  I can't remember who it was or even\n|> if it was NHL (I see quite a few AHL games here).\n\nGerry Cheevers used to have a mask that had stitches painted all over\nit.\n\nKen Dryden's mask is a classic - an archetype of our time.\n\n",
 'From: mcclary@netcom.com (Michael McClary)\nSubject: Re: Who\'s next?  Mormons and Jews?\nOrganization: Committee to commemorate the WACO Ghetto Uprising\nLines: 23\n\nIn article <1r0mtoINNa59@cronkite.Central.Sun.COM> dbernard@clesun.Central.Sun.COM writes:\n>Gordon Storga writes:\n>\n>>Gentleman, are we also forgetting the near genocide of the Native American\n>>for the barbaric act of being "heathen" (i.e. a non-Christian) by a\n>>predominantly Christian government.  That\'s a little over 200 years as I\n>>recall.  I\'d say that for the most part it was religious persecution\n>>(their religion dictated their lifestyle).\n>\n>This is a stretch.  In fact, a great many of the persecuted Indians were\n>Christian, a great many.  It would be simpler to state the obvious, that\n>white people wanted land the Indians dominated or threatened.  I really\n>don\'t think the government cared a hill of beans about the Indians\' religion.\n\nMy Native American Girlfriend asks: "If the government really doesn\'t\n\'care a hill of beans\' about our religion, how come they\'re still\nbusting us for it in Oregon, Washington, and a few other places?\nYou\'d be a Christian, too, if the U.S. Army marched you into church\nat gunpoint."\n-- \n=\t=\t=\t=\t=\t=\t=\t=\t=\t=\nMichael McClary\t\t\t\t\t\tmcclary@netcom.com\nFor faster response, address electronic mail to:\tmichael@node.com\n',
 'From: thf2@kimbark.uchicago.edu (Ted Frank)\nSubject: Re: Jewish Baseball Players?\nArticle-I.D.: midway.1993Apr15.221049.14347\nReply-To: thf2@midway.uchicago.edu\nOrganization: University of Chicago\nLines: 32\n\nIn article <1qkkodINN5f5@jhunix.hcf.jhu.edu> pablo@jhunix.hcf.jhu.edu (Pablo A Iglesias) writes:\n>In article <15APR93.14691229.0062@lafibm.lafayette.edu> VB30@lafibm.lafayette.edu (VB30) writes:\n>>Just wondering.  A friend and I were talking the other day, and\n>>we were (for some reason) trying to come up with names of Jewish\n>>baseball players, past and present.  We weren\'t able to come up\n>>with much, except for Sandy Koufax, (somebody) Stankowitz, and\n>>maybe John Lowenstein.  Can anyone come up with any more.  I know\n>>it sounds pretty lame to be racking our brains over this, but\n>>humor us.  Thanks for your help.\n>\n>Hank Greenberg would have to be the most famous, because his Jewish\n>faith actually affected his play. (missing late season or was it world\n>series games because of Yom Kippur)\n\nThe other Jewish HOF\'er is Rod Carew (who converted).  \n\nLowenstein is Jewish, as well as Montana\'s only representative to the\nmajor leagues.\n\nUndeserving Cy Young award winner Steve Stone is Jewish.  Between Stone,\nKoufax, Ken Holtzman (? might have the wrong pitcher, I\'m thinking of the\none who threw a no-hitter in both the AL and NL), and Big Ed Reulbach,\nthat\'s quite a starting rotation.  Moe Berg can catch.  Harry Steinfeldt,\nthe 3b in the Tinkers-Evers-Chance infield.\n\nIs Stanky Jewish?  Or is that just a "Dave Cohen" kinda misinterpretation?\nWhatever, doesn\'t look like he stuck around the majors too long.\n-- \nted frank                 | \nthf2@kimbark.uchicago.edu |         I\'m sorry, the card says "Moops."\nthe u of c law school     | \nstandard disclaimers      | \n',
 'From: pat@rwing.UUCP (Pat Myrto)\nSubject: Re: text of White House announcement and Q&As on clipper chip encryption\nDistribution: na\nOrganization: Totally Unorganized\nLines: 76\n\nIn article <1qnpjuINN8ci@gap.caltech.edu> hal@cco.caltech.edu (Hal Finney) writes:\n>brad@clarinet.com (Brad Templeton) writes:\n>\n>>Their strategy is a business one rather than legal one.  They are\n>>pushing to get a standard in place, a secret standard, and if they\n>>get it as a standard then they will drive competitors out of the market.\n>>It will be legal to sell better, untapable encryption that doesn\'t have\n>>registered keys, but it will be difficult, and thus not a plan for\n>>most phone companies.\n>\n>If Brad\'s analysis is correct, it may offer an explanation for why the\n>encryption algorithm is being kept secret.  This will prevent competitors\n>from coming out with Clipper-compatible phones which lack the government-\n>installed "back door."  The strategy Brad describes will only work as long\n>as the only way to get compatible phones is to have ones with the government\n>chips.\n>\n>(It would be nice, from the point of view of personal privacy, if Brad\n>turns out to be right.  As long as people still have the power to provide\n>their own encryption in place of or in addition to the Clipper, privacy\n>is still possible.  But the wording of several passages in the announcement\n>makes me doubt whether this will turn out to be true.)\n\nEven if what Brad says turns out to be accurate, you can bet that the\nAdministration will have made it "very clear" to the vendors that "it\nwould very much be in their best interests" to institute a "voluntary"\npolicy of refusing to sell anything but Clinton Cripple equipped equipment\nto anyone other than "Authorized government agencies and Law Enforcement",\nor individuals and corporations who "have been been determined by the\nAdministration to have a valid need on a case-by-case basis" for an\neffective system.\n\nNote that this is very much like the language used in many gun control\nbills/laws the Administration is pushing for, or otherwise supporting.\nThe logic and actual rationale (as opposed to the excuses that get fed\nto the media) is the same in both cases, only the items or technology\nin question are different.\n\nI think this is no accident.  It comes from the same philosophy that\nthe government rules/controls the people, not the people controlling\nthe government, that the unconnected citizens are not sophisticated enough\nto know what is best for them, so the government must tell the people\nwhat they need or do not need ... "we know best...".  And the idea that\nthat a commoner can defend himself against government eavesdropping\nor unlawful attack is totally unacceptable to people with this outlook.\n\n>\n>Hal Finney\n\nCombine this all with pushing for national identity cards with \'smart\nchips\' to encode anything they please (internal passport) under the\nguise of streamlining the State People\'s Health Care System, and with\n(you can be certain) more jewels yet to come, and one sees an extremely\nominous trend.  So what if "1984" will be ten years late... it still is\nturning out to be an amazingly accurate prophecy... unless a LOT of\npeople wake up, and in a hurry.\n\nOne should ALWAYS have every red warning light and bell and danger flag\ncome up when the government seeks to set itself apart in regard to\nrights, etc.  from the unconnected/unprivileged citizen (or should we\nnow be saying \'subject\' instead?)...  Why SHOULDN\'T the average person\nhave a good, secure system of data security, not dependent on nebulous\n\'safeguards\' for maintaining that security?  Why SHOULDN\'T the average\nperson be able to defend himself from an agency gone rogue?  0I am sure\nthe Feds could break into any data they really wanted to (but it would\ntake some WORK), and using the same logic, one should not be allowed to\nhave a good safe, unless a duplicate of the key(s) or combination are\nsubmitted for \'safekeeping\' by the government?  I don\'t really see a\ndifference, philosophically.  Encrypted data sure won\'t evaporate, not\nwith such high-tech tools as a TAPE RECORDER...\n\n-- \npat@rwing.uucp      [Without prejudice UCC 1-207]     (Pat Myrto) Seattle, WA\n         If all else fails, try:       ...!uunet!pilchuck!rwing!pat\nWISDOM: "Only two things are infinite; the universe and human stupidity,\n         and I am not sure about the former."              - Albert Einstien\n',
 "From: ccdarg@dct.ac.uk (Alan Greig)\nSubject: Re: BATF/FBI Murders Almost Everyone in Waco Today! 4/19\nOrganization: Dundee Institute of Technology\nLines: 18\n\nIn article <C5sIAJ.Ks7@news.udel.edu>, roby@chopin.udel.edu (Scott W Roby) writes:\n\n> So, why didn't the BD's leave when the gas was first introduced much \n> earlier in the morning?  Didn't they care about the children?\n> \n> Why didn't they release the children weeks ago?\n\nBecause most of the children were with their parent(s). Do you understand\nthat concept? Here's a bunch of people who believe in their minds that\nthe forces of Satanic evil are outside and you expect them to hand over\ntheir own children? Were you born that stupid or does it take a lot\nof effort?\n\n-- \nAlan Greig                            Janet: A.Greig@uk.ac.dct\nDundee Institute of Technology\t   Internet: A.Greig@dct.ac.uk\nTel: (0382) 308810                 (Int +44 382 308810)\n         ** Never underestimate the power of human stupidity **\n",
 "From: shirriff@sprite.berkeley.edu (Ken Shirriff)\nSubject: Re: Clipper considered harmful\nOrganization: University of California, Berkeley\nLines: 24\nDistribution: inet\nNNTP-Posting-Host: hijack.berkeley.edu\n\nIn article <15469@optilink.COM> brad@optilink.COM (Brad Yearwood) writes:\n>Finally, because there is essentially no possibility of intercepting in\n>realtime the scrutable content of communications between stolen instruments,\n>there will exist strong motivation to record and archive _all_ communications\n>in the network for ex-post-facto scrutiny (once some criminal act is\n>discovered, and the instruments involved have been identified).\n\nIt seems likely to me that that a large subset of encrypted communications\nwould be archived to tape so they could be read if sometime in the future\nprobable cause arises and a warrant is obtained.  I can even imagine this\nbeing found legal and constitutional, since nothing is actually listened to\nuntil a valid warrant is issued and the keys are obtained.\n\nImagine archiving all pay-phone conversations, so if someone turns out\nto be a drug dealer, you can listen to all their past drug deals.  And\narchive calls to/from suspected Mafia members, potential terrorists,\nradicals, etc.  Imagine the convenience for the police of being able to\nget a warrant now and listening to all the calls the World Trade Center\nbombers made in the past year.\n\nSince archiving would be such a powerful tool and so easy to do, why\nwouldn't it happen?\n\nKen Shirriff\t\t\t\tshirriff@sprite.Berkeley.EDU\n",
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: The Armenian architect of the genocide of 2.5 million Muslim people.\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 55\n\nIn article <1993Apr15.160145.22909@husc3.harvard.edu> verbit@germain.harvard.edu (Mikhail S. Verbitsky) writes:\n\n>My personal problem with Romanian culture is that I am\n>not aware of one. There is an anecdote about Armenians\n\nTroglodytism does not necessarily imply a low cultural level.\nThe image-conscious Armenians sorely feel a missing glory in \ntheir background. Armenians have never achieved statehood and \nindependence, they have always been subservient, and engaged \nin undermining schemes against their rulers. They committed \ngenocide against the Muslim populations of Eastern Anatolia \nand Armenian Dictatorship before and during World War I and \nfully participated in the extermination of the European Jewry \nduring World War II. Belligerence, genocide, back-stabbing, \nrebelliousness and disloyalty have been the hallmarks of the \nArmenian history. To obliterate these episodes the Armenians \nengaged in tailoring history to suit their whims. In this zeal \nthey tried to cover up the cold-blooded genocide of 2.5 million \nTurks and Kurds before and during World War I.\n\nAnd, you don\'t pull nations out of a hat.\n\n\nSource: Walker, Christopher: "Armenia: The Survival of a Nation."\n        New York (St. Martin\'s Press), 1980.\n\nThis generally pro-Armenian work contains the following information\nof direct relevance to the Nazi Holocaust: \n\na) Dro (the butcher), the former Dictator of the Armenian Dictatorship and\nthe architect of the Genocide of 2.5 million Turks and Kurds, the most \nrespected of Nazi Armenian leaders, established an Armenian Provisional \nRepublic in Berlin during World War II; \n\nb) this \'provisional government\' fully endorsed and espoused the social \ntheories of the Nazis, declared themselves and all Armenians to be members \nof the Aryan \'Super-Race;\' \n\nc) they published an Anti-Semitic, racist journal, thereby aligning themselves \nwith the Nazis and their efforts to exterminate the Jews; and, \n\nd) they mobilized an Armenian Army of up to 20,000 members which fought side \nby side with the Wehrmacht.\n\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n\n',
 "From: mmm@cup.portal.com (Mark Robert Thorson)\nSubject: Re: Realistic PRO-34 Hand-held Scanner\nOrganization: The Portal System (TM)\nLines: 11\n\nI'd offer $150 for your scanner, shipping at your expense, payment to\nbe sent by personal check within 24 hours after receipt of goods -- or if\nyou live nearby and can deliver, payment in cash with 24 hour advance notice\nso I can go to the bank.  If sent by mail, I reserve the right to return\nit at my expense if when I check it out I find it to be defective in some\nway.\n\nBTW, why would you sell such a fine scanner?  Did you replace it with\nsome other instrument or find it not to be satisfactory in some way?\n\nMark Thorson\n",
 'From: brown@venus.iucf.indiana.edu (Robert J. Brown)\nSubject: Re: Shaft-drives and Wheelies\nNews-Software: VAX/VMS VNEWS 1.3-4   \nNntp-Posting-Host: venus.iucf.indiana.edu\nReply-To: brown@venus.iucf.indiana.edu\nOrganization: IUCF\nDistribution: rec\nLines: 29\n\nIn article <Stafford-200493103434@stafford.winona.msus.edu>, Stafford@Vax2.Winona.MSUS.Edu (John Stafford) writes...\n>>>>>> On 19 Apr 93 21:48:42 GMT, xlyx@vax5.cit.cornell.edu said:\n>>  Is it possible to do a "wheelie" on a motorcycle with shaft-drive?\n> \n>\tYes, but the _rear_ wheel comes off the ground, not the front.\n> See, it just HOPS into the air!  Figure.\n>John Stafford \n\n  Sure you can do wheelies with a shaft drive bike. I had a BMW R100RS\nthat was a wheelie monster! Of course it didn\'t have the initial power\nburst to just twist it into the air - I had to pop the clutch. I also\nhad to replace front fork seals a few times as well. The fairing is a \nbit heavy to be slamming down onto those little stantion tubes all the\ntime. But let me give you fair warning: I trashed the ring/pinion gear\nin the final drive of my K75 (I assume) doing wheelies. And this was \nNO cheap fix either!! There is some kind of "slip" device in the shaft\nto prevent IT from breaking. Unfortunately, it didn\'t save the gears!\n\n  On the topic of wheelies, the other day I saw a kid on a big Hurricane\ndo a "stoppy"(?), or rear wheelie. Man, he had the rear end on this bike \nup about 2 feet off the ground at a traffic light. I don\'t recommend these\nactivities anymore (now that I\'m an "old guy" with kids of my own) but\nit looked damn impressive!!\n\n  If you can\'t keep both tires on the ground, at least have \'em pointed\nin that direction! :-)\n\nCheers, \nB**2\n',
 'From: jdsiegel@garnet.berkeley.edu (Joel Siegel)\nSubject: Re: 2 questions about the Centris 650\'s RAM\nOrganization: University of California, Berkeley\nLines: 18\nDistribution: usa\nNNTP-Posting-Host: garnet.berkeley.edu\n\n>According to the (seen several times) postings from Dale Adams of Apple\n>Computer, both the 610 and the 650 require 80ns SIMMS - NOT 60 ns.  Only\n>the Centris 800 requires 60 ns SIMMs.\n>\n>Pete\n\nI think you meant Quadra 800 ..... (but a Centris 800 probably\nwould be a real nice machine... :)  )\n\nBut yeah, it needs 80ns not 60ns.\n\nJoel\n\n-- \nJoel Siegel <jdsiegel@garnet.berkeley.edu    jdsiegel@ocf.berkeley.edu>\n"I myself have never been able to find out what feminism is:  I\nonly know that I am called a feminist whenever I express\nsentiments that differentiate me from a doormat." -Rebecca West, 1913\n',
 "From: mwbg9715@uxa.cso.uiuc.edu (Mark Wayne Blunier)\nSubject: Re: male/female mystery [ Re: Dumbest automotive concepts of all time ]\nArticle-I.D.: news.C52M5t.n55\nOrganization: University of Illinois at Urbana\nLines: 30\n\nbets@chester.ksu.ksu.edu (Beth Schwindt) writes:\n\n>>This has me thinking.  Is there a biological reason why women can't put\n>>their keys in their pants pockets like men do?  I have two pockets on the\n>>back of each of my pants.  I put my keys in one and wallent in another.\n>>Many of the pockets even have a botton on them so I can close them securely.\n>>Everything is that much simpler for me.  Why can't women do the same?\n>>Is is biological (ie, not enough room for a bigger bottom plus keys and\n>>a wallet) or is it the way they are raised by the parents? \n\n>I've found that it has to do with the way women's clothes are made.\n>If you put keys in the front pocket of women's jeans or slacks, you\n>get a bulge that also tends to make it impossible to sit down because\n>they stick you constantly.  ditto in the back pocket.\n\n>Also, try *looking* at the back pockets of women's jeans and compare\n>them to the back pockets on men's jeans.  They are usually (if you buy\n>jeans that you expect to last for any length of time) about half the\n>size.  There flat out isn't *room* for a wallet or a bunch of keys.\n\n>Besides which, where would men put all their crap if their wives\n>didn't carry purses? :-)\n\nThe same place single men do, wallet in back pocket, comb in other\nback pocket, keys in front pocket, knive in other from pocket, pen\nin shirt pocket, or front pants pocket.  Or do married men start\ncarrying around a bunch of stuff to keep there women happy?\n\n>Beth\nMark B.\n",
 "From: jaskew@spam.maths.adelaide.edu.au (Joseph Askew)\nSubject: Re: Israeli Expansion-lust\nOrganization: Statistics, Pure & Applied Mathematics, University of Adelaide\nLines: 46\n\nIn article <1993Apr15.090735.17025@news.columbia.edu> ayr1@cunixa.cc.columbia.edu (Amir Y Rosenblatt) writes:\n>In article <2528@spam.maths.adelaide.edu.au> jaskew@spam.maths.adelaide.edu.au (Joseph Askew) writes:\n>>In article <1993Apr13.002118.24102@das.harvard.edu> adam@endor.uucp (Adam Shostack) writes:\n\n>>It depends entirely on how you define 'war'. The actual fighting largely\n>>predates the Arab invasions - after all Deir Yassin happened in midApril\n>>well before the Arab invasion.\n\n>How do you define war?  Do seiges and constant attacks on villiages\n>count as acts of war, or is that only when the Jews do them?\n\nI would hope that if you intend to have a reasonable discussion you might\nwait until I express an opinion before deciding I should be flamed for it.\nAs for 'war' I am not sure how I would define it. If you just look at attacks\non villages then there is no way of deciding when it started. Would you\ncount the riots in the 20's and 30's? Violence but not war. I personally\nthink that 'war', as opposed to civil disturbance or whatever, requires\norganisation, planning and some measure of regualr or semi-regular forces.\nPerhaps the Arab Liberation Army counts. I could easily be convinced it was\nso. From what I know they did not have a great deal of planning let alone\norganisation. The Haganah and Palmach certainly did. That is not a cause\nfor criticism, it merely reflects the great organisation generally in the\n'Zionist' camp.\n\n>Of course, this isn't war, since it's only the Arabs attacking.\n\nNow you are being silly aren't you? In any case the war did NOT start\nwith the invasion of the Arab Armies. You see we both agree on something.\nAnd the previous posters were wrong, no?\n\n>Just like last week when the Fatah launched Katyusha rockets\n>against Northern israel.  Where does uprising end and war begin?\n\nAgain I am not sure, I doubt you want my opinion anyway, but I think\nwar requires organisation as I said before. It needs a group to command\nand plan. If Fatah lauches rockets from Southern Lebanon (and are you\nsure you have the right group - not the Moslems again?) then that sounds\nlike war to me. Stone throwing does not.\n\nJoseph Askew\n\n-- \nJoseph Askew, Gauche and Proud  In the autumn stillness, see the Pleiades,\njaskew@spam.maths.adelaide.edu  Remote in thorny deserts, fell the grief.\nDisclaimer? Sue, see if I care  North of our tents, the sky must end somwhere,\nActually, I rather like Brenda  Beyond the pale, the River murmurs on.\n",
 'From: geb@cs.pitt.edu (Gordon Banks)\nSubject: Re: "Exercise" Hypertension\nReply-To: geb@cs.pitt.edu (Gordon Banks)\nOrganization: Univ. of Pittsburgh Computer Science\nLines: 18\n\nIn article <93084.140929RFM@psuvm.psu.edu> RFM@psuvm.psu.edu writes:\n>I took a stress test a couple weeks back, and results came back noting\n>"Exercise" Hypertension.  Fool that I am, I didn\'t ask Doc what this meant,\n>and she didn\'t explain; and now I\'m wondering.  Can anyone out there\n>enlighten.  And I promise, next time I\'ll ask!\n\nProbably she meant that your blood pressure went up while you were on\nthe treadmill.  This is normal.  You\'ll have to ask her if this is\nwhat she meant, since no one else can answer for another person.\n\n\n\n\n-- \n----------------------------------------------------------------------------\nGordon Banks  N3JXP      | "Skepticism is the chastity of the intellect, and\ngeb@cadre.dsl.pitt.edu   |  it is shameful to surrender it too soon." \n----------------------------------------------------------------------------\n',
 "From: psyrobtw@ubvmsb.cc.buffalo.edu (Robert Weiss)\nSubject: [lds] Thief goes to Paradise; Kermit goes off tangent\nOrganization: University at Buffalo\nLines: 65\nNews-Software: VAX/VMS VNEWS 1.41\nNntp-Posting-Host: ubvmsb.cc.buffalo.edu\n\n\nKermit Tensmeyer quoted from a few sources and then wrote something.\nI will attempt to construct a facsimile of what was previously said, and \nthen address Kermit's offering.\n\nJohn Redelfs originally wrote...\n\n  jr> I learned that a man cannot frustrate justice by repenting on his\n  jr> death bed because repentance is more than a feeling of remorse.  It\n  jr> requires faith in Christ proven by following him, by keeping his\n  jr> commandments.  Such cannot be accomplished on ones deathbed.\n\nTom Albrecht responded...\n\n  ta> So Jesus must have lied to the thief on the cross.\n\nJohn Redelfs wrote back that...\n\n  jr> Paradise and salvation are not the same thing.  Salvation is better.\n  jr> Refer to John 14:2.\n\nI responded to John that...\n\n  rw>    I don't see the effort to equate salvation with paradise.\n  rw>\n  rw>    Rather, I see implied the fact that only those who are saved\n  rw> may enter paradise.\n\nTo which Kermit wrote...\n\nkt> Incomplete reference:\nkt>\nkt> See also the discussion: Did Jesus go into Hell in the BibleStudy group\nkt> for the arguments that Paradise and Hell(sheol) are places after death\nkt> The discussion (no LDS were involved as far as I could see) argued using\nkt> standard Christian argument from the Bible that pretty much support the\nkt> LDS position.\nkt>\nkt>    Christ went to paridise after his death and burial.\nkt>\nkt>    He taught the prisoners and freed them from Darkness.\nkt>\nkt>    When he was resurrected, he had not yet ascended to his father.\nkt>\nkt> The arguement centered around what was or wasn't the proper biblical\nkt> terms for those places.\n\n     I respond.\n\n     The question that was raised was not if Jesus went to infernal Paradise\n     before entering into heaven. No one has made a point for or against \n     that issue, nor have they compared the LDS position against orthodox\n     belief. The infernal paradise is held to be Abraham's bosom (Luke 16), \n     the place of the righteous dead in sheol (equivalent to hades).\n\n     The point that was raised by John was that someone could not repent\n     on their death bed. Tom Albrecht pointed to a Biblical example that was\n     contradictory to what John's position put forward. The thief on the \n     cross was promised by Christ to be with Him in Paradise, the abode of \n     the righteous dead. John's position possibly needs to be reworked.\n     Kermit needs to address the topic at hand.\n\n=============================\nRobert Weiss\npsyrobtw@ubvms.cc.buffalo.edu\n",
 'From: bds@uts.ipp-garching.mpg.de (Bruce d. Scott)\nSubject: Re: News briefs from KH # 1026\nOrganization: Rechenzentrum der Max-Planck-Gesellschaft in Garching\nLines: 21\nDistribution: world\nNNTP-Posting-Host: uts.ipp-garching.mpg.de\n\nMack posted:\n\n"I know nothing about statistics, but what significance does the\nrelatively small population growth rate have where the sampling period\nis so small (at the end of 1371)?"\n\nThis is not small. A 2.7 per cent annual population growth rate implies\na doubling in 69/2.7 \\\\approx 25 years. Can you imagine that? Most people\nseem not able to, and that is why so many deny that this problem exists,\nfor me most especially in the industrialised countries (low growth rates,\nbut large environmental impact). Iran\'s high growth rate threatens things\nlike accelerated desertification due to intensive agriculture, deforestation,\nand water table drop. Similar to what is going on in California (this year\'s\nrain won\'t save you in Stanford!). This is probably more to blame than \nthe current government\'s incompetence for dropping living standards\nin Iran.\n-- \nGruss,\nDr Bruce Scott                             The deadliest bullshit is\nMax-Planck-Institut fuer Plasmaphysik       odorless and transparent\nbds at spl6n1.aug.ipp-garching.mpg.de                 -- W Gibson\n',
 "From: etxonss@ufsa.ericsson.se (Staffan Axelsson)\nSubject: WC 93: Results, April 20\nOrganization: Ericsson Telecom, Stockholm, Sweden\nLines: 162\nNntp-Posting-Host: uipc104.ericsson.se\n\n\n 1993 World Championships in Germany:\n ====================================\n\n Group A results:\n\n SWEDEN - CANADA  1-4 (0-0,1-1,0-3)\n\n 1st:\n 2nd: CAN 0-1 Geoff Sanderson      (Kevin Dineen)                  7:24\n      SWE 1-1 Patrik Juhlin        (Jan Larsson)                  15:23 (pp)\n 3rd: CAN 1-2 Geoff Sanderson                                      5:54 (ps)\n      CAN 1-3 Mike Gartner         (Greg Johnson,Adam Graves)     10:44 \n      CAN 1-4 Rod Brind'Amour      (Shayne Corson)                19:59\n\n            Shots on goal:    Penalties:    Attendance:     Referee:\n Sweden     10 15 12 - 37     4*2min        6,500           Rob Hearn (USA)\n Canada     10 13  6 - 29     6*2min\n\n Bill Ranford stopped 36 shots to lead Canada to a 4-1 victory in a very well\n played game.\n\n The first period started with a give away from a Canadian defenseman and\n Rundqvist came in alone on Ranford but couldn't put the puck over a sliding\n Ranford. Later on, Kevin Dineen had a great opportunity but Soderstrom \n played very well too. Stefan Nilsson had a couple of great dekes and set up\n Jan Larsson but again Ranford came up big. Period ended scoreless but the edge\n to Sweden in creating more opportunities.\n Second period action saw Tommy Soderstrom making a GREAT save. Mark Recchi\n made a backhanded cross ice pass to Lindros, Eric one timed the puck but\n Soderstrom was there to make a glove hand save. At the 7-minute mark, Canada\n started applying pressure on the Swedes. Sanderson-Dineen-Brind'Amour worked\n hard and kept the puck in the Swedes' zone. Dineen gave the puck to Sanderson\n who skated around a screened Swedish defenseman, came in on Soderstrom and\n made a wrist shot that went it by Soderstrom's far post, 1-0 Canada.\n The Swedes picked up their game after that, and Peter Forsberg had a shot\n that hit Ranford's post (the inside), went parallel to the goal line and out.\n Then Gartner got a penalty and the Swedes a power play. Jan Larsson took\n a shot from the slot, Ranford gave a rebound to Larsson who saw Juhlin by\n the far post, passed the puck and Ranford was beat, 1-1.\n Third period started as the other periods, Swedes having most of the pressure\n but the Canadians always dangerous once they were close to the Swede goal.\n At 5:54, Canada created some great chances and Arto Blomsten was forced to\n cover the puck in the Swede goal crease since Soderstrom lost sight of it.\n That resulted in a penalty shot, since a defenseman can't cover the puck in \n the goal crease. Geoff Sanderson took the penalty shot (his first ever, he\n explained afterwards), and he put it low on Soderstrom's stick side, close\n to the post. Excellent penalty shot to give Canada a go ahead goal.\n Canada increased the lead on a very suspect offside, Gartner volleyed a\n bouncing puck past Soderstrom to make it 3-1. The Swedes ran out of gas\n then and couldn't produce as good scoring chances as they had for 2,5 periods.\n The 4-1 goal came with only 1 second left, Rod Brind'Amour scoring on a\n rebound from Soderstrom, where the Swedish defense already had their minds\n in the dressing room.\n\n A very good game (the best in the WC so far?), with both goalies playing\n great. Soderstrom best player in Sweden, but Ranford even played better\n than Soderstrom, that tells you something about Ranford. Probably the best\n goalie in the world, were some comments after the game.\n Canada played a very disciplined defense, Ranford pointed out that it is\n easy to play well with a good defense. Lindros played A LOT and played well,\n Sanderson naturally game hero with two goals.\n\n The Forsberg-Naslund-Bergqvist line Sweden's best along with Larsson-Juhlin-\n Nilsson. Swedish defense played well, 197 cm 104 kg Peter Popovic had the\n task of neutralizing 192 cm 107 kg Eric Lindros, and managed this very well.\n Ranger defenseman Peter Andersson finally got to go to the WC, and considering\n that he landed in Germany just a few hours before the game, he played very\n well. Swedish coach Curt Lundmark was irritated after the game, partly because\n of the Swedes inability to score, and partly because of the linesman's mistake\n on the 1-3 goal.\n\n Lines information follows further below.\n- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -\n\n ITALY - SWITZERLAND  1-0 (0-0,1-0,0-0)\n\n 1st:\n 2nd: ITA 1-0 Orlando          15:47\n 3rd:\n\n Penalties: ITA 10*2min, SWI 8*2min\n Referee: Anton Danko, Slovakia\n Attendance: 3,500\n\n-------------------------------------------------------------------------------\n\n Group B results:\n\n CZECH REPUBLIC - GERMANY  5-0 (0-0,3-0,2-0)\n\n 1st:\n 2nd: CZE 1-0 Kamil Kastak        1:51\n      CZE 2-0 Jiri Dolezal       12:26\n      CZE 3-0 Petr Hrbek         19:10\n 3rd: CZE 4-0 Radek Toupal        8:28\n      CZE 5-0 Josef Beranek      17:07\n\n Penalties: CZE 7*2min, GER 6*2min 1*5min 1*10min game penalty\n Referee: Darren Loraas, Canada\n Attendance: 10,200\n\n The Czechs were clearly better than the Germans, and the German crowd\n showed their discontent by throwing in stuff on the ice after a while.\n\n- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -\n\n FINLAND - USA  1-1 (0-0,1-0,0-1)\n\n 1st:\n 2nd: FIN 1-0 Jarkko Varvio      4:00\n 3rd: USA 1-1 Ed Olczyk          4:26\n\n Penalties: FIN 7*2min, USA 6*2min\n Referee: Valeri Bokarev, Russia\n Attendance: 2,800\n\n I hope some Finns can provide information from this game (I didn't see the\n whole game). The Finns took the lead on a Jarkko Varvio slap shot from the\n blue line, and a soft goal for an unscreened Mike Richter.\n As far as the play in the second period goes, the Finns seemed to have the\n most control, so a 1-0 lead was warranted as I saw it.\n\n-------------------------------------------------------------------------------\n\n\t\t   SWEDEN\t\t\t   CANADA\n\n Goaltender:\t30 Tommy Soderstrom\t\t30 Bill Ranford\n\n Defense:\t 8 Kenneth Kennholt\t\t 5 Norm Maciver\n\t\t14 Fredrik Stillman\t\t24 Dave Manson\n\n\t\t 3 Peter Popovic\t\t25 Geoff Smith\n\t\t55 Peter Andersson\t\t19 Brian Benning\n\n\t\t 7 Arto Blomsten\t\t 6 Terry Carkner\n\t\t28 Roger Akerstrom\t\t 3 Garry Galley\n\n\t\t\t\t\t\t 4 Derek Mayer\n\n Forwards:\t29 Mikael Renberg\t\t15 Dave Gagner\n\t\t 9 Thomas Rundqvist\t\t27 Adam Graves\n\t\t34 Mikael Andersson\t\t22 Mike Gartner\n\n\t\t19 Markus Naslund\t\t20 Paul Kariya\n\t\t21 Peter Forsberg\t\t88 Eric Lindros\n\t\t18 Jonas Bergqvist\t\t 8 Mark Recchi\n\n\t\t 5 Patrik Juhlin\t\t17 Rod Brind'Amour\n\t\t20 Jan Larsson\t\t\t 9 Shayne Corson\n\t\t 4 Stefan Nilsson\t\t11 Kevin Dineen\n\n\t\t22 Charles Berglund\t\t10 Geoff Sanderson\n\t\t26 Michael Nylander\t\t12 Greg Johnson\n\t\t(34 Andersson/18 Bergqvist)\t14 Brian Savage\n\n\t\t\t\t\t\t16 Kelly Buchberger\n\n--\n ((\\\\\\\\  //| Staffan Axelsson            \n  \\\\\\\\  //|| etxonss@ufsa.ericsson.se    \n\\\\\\\\_))//-|| r.s.h. contact for Swedish hockey  \n",
 "From: nicho@vnet.IBM.COM (Greg Stewart-Nicholls)\nSubject: Re: Why not give $1 billion to first year-long moon residents?\nReply-To: nicho@vnet.ibm.com\nDisclaimer: This posting represents the poster's views, not those of IBM\nNews-Software: UReply 3.1\nX-X-From: nicho@vnet.ibm.com\n            <1993Apr20.001428.724@indyvax.iupui.edu>\nLines: 14\n\nIn <1993Apr20.001428.724@indyvax.iupui.edu> tffreeba@indyvax.iupui.edu writes:\n>Let's play a game - What would be a reasonable reward?  What companies would\n>have a reasonable shot at pulling off such a feat?  Just where in the\n>budget would the reward come from?  Should there be a time limit?  Would a\n>straight cash money award be enough or should we throw in say . . .\n>exclusive mining rights for the first fifty years? You get the idea.\n A cash award is OK. A time limit would be nice. You can't give away\nmining rights (assuming there's anything to mine) because you don't own\nthem.\n -----------------------------------------------------------------\n .sig files are like strings ... every yo-yo's got one.\n\nGreg Nicholls ... nicho@vnet.ibm.com (business) or\n                  nicho@olympus.demon.co.uk (private)\n",
 'From: damelio@progress.COM (Stephen D\'Amelio)\nSubject: Re: Changing oil by self.\nNntp-Posting-Host: elba\nOrganization: Progress Software Corp.\nLines: 34\n\nhanguyen@megatest.com (Ha Nguyen) writes:\n\n>In article <1993Apr14.203800.12566@progress.com> damelio@progress.COM (Stephen D\'Amelio) writes:\n>>bmoss@grinch.sim.es.com (Brent "Woody" Moss) writes:\n>>\n>>>You could take a screw driver and hammer and start punching holes in\n>>>various locations and when some black slippery stuff starts pouring\n>>>out then you would know that the oil drain plug is nearby (within a foot\n>>>or two anyway). Close the holes with toilet paper before refileing with oil\n>>>though.\n>>\n>>You have to *refill* the engine with oil! Wow, no wonder I can\'t get\n>>an engine to last more than my first oil change. Don\'t forget to\n>>punch holes in the radiator too, it will spray nice refreshing water\n>                    ^^^^^^^^\n>>on the engine and keep it nice & cool. ;-)\n>>\n>>-Steve\n\n>Gee, you really make me confused.  What is radiator?  Where is it located?\n>What does it look like?  Will it release any radiation (since it sounds \n>like radia-tion genera-tor) when you punch holes?\n\n\nOf course it releases radiation! Thats why your car goes faster when\nyou punch the holes in it. All that radiation gets on your engine\nand gives it "pep" (scientific term). You get more horsepower &\ntorque too! If you don\'t know what HP & torque are, you can read\nmile long threads on the subject, but they are all wrong. Horsepower\nis how much power a horse can make pulling a Subaru, and torque is\na name invented by Craftsman for a wrench.\n\n-Steve\n\n',
 'From: tomh@metrics.com (Tom Haapanen)\nSubject: Hercules Graphite?\nOrganization: Software Metrics Inc.\nLines: 11\n\n\nHas anyone used a Hercules Graphite adapter?  It looks good on paper, and\nSteve Gibson gave it a very good review in Infoworld.  I\'d love to get a\nreal-world impression, though -- how is the speed?  Drivers?  Support?\n\n(Looking for something to replace this ATI Ultra+ with...)\n\n-- \n[ /tom haapanen -- tomh@metrics.com -- software metrics inc -- waterloo, ont ]\n[       "stick your index fingers into both corners of your mouth.  now pull ]\n[          up.  that\'s how the corrado makes you feel."  -- car, january \'93 ]\n',
 'From: freemant@dcs.glasgow.ac.uk (Toby Freeman,TJF,G151,3344813,OCT95, )\nSubject: Re: CorelDraw BITMAP to SCODAL (2)\nNntp-Posting-Host: borneo\nReply-To: freemant@dcs.glasgow.ac.uk\nOrganization: Dept. of Computing Science, Glasgow University, Glasgow.\nLines: 52\n\nIn article 1r4gmgINN8fm@zephyr.grace.cri.nz, srlnjal@grace.cri.nz () writes:\n>\n>Yes I am aware CorelDraw exports in SCODAL...\n>... but if you try to export in SCODAL with a bitmap\n>it will say something like "cannot export...\n>...If anyone out there knows a way around this\n>I am all ears.\n\nI think one (not ideal) solution is to use the\ntracing utility (can\'t remember the name, sorry!)\nincluded in the Corel Draw s/w pack.  It can convert\nbitmaps to Corel art format.  These can then be\nimported into a drawing rather than the bitmap.\nResult - the file is completely in Corel format and\ncan be SCODAL\'ed no problem!\n\nBUT the slight problem with this, which makes the\nsolution less than idea, is that the trace utility\nspits out many more points than are necessary to\ndefine the shapes being traced.  Straight lines and\ncurves are both traced as many short segments.\n\nSo... the SCODAL taking *much* longer to\nimage.\n\nThe obvious solution is time-consuming - stripping\nout the extra points by hand using Corel.\n\nOUCH!\nI\'ve done it a few times :-]\n\n>...I was just wondering if there was anything out there\n>that just did the bitmap to SCODAL part a tad cheaper.\n                   ^^^^^^^^^^^^^^^^\n>Jeff Lyall\n\nAs I say, if you don\'t mind the problems, go via the route...\nBITMAP -> COREL (VIA TRACE) ->\nHAND TRIMMING (USING COREL)!!! ->\nCOMBINE WITH MAIN COREL PIC (VIA IMPORT) -> SCODAL\n\nCheers,\n   Toby\n____________________________________._.____._.__________._.__________._.______\n____________________________________!  \\\\__/  !__________!_!__________! !______\n___!                            !___! . \\\\/ . !___.__.___._.___.___._.! !__.___\n___! Toby Freeman               !___! !\\\\  /! !__/ __ \\\\__! !__/ .__!_!. .__!___\n___! Glasgow University         !___! !_\\\\/_! !_! !__! !_! !_! <__.___! !______\n___! freemant@uk.ac.glasgow.dcs !___! !____! !_! !__! !_! !__\\\\___ \\\\__! !______\n___!____________________________!___! !____! !_! !__! !_! !_.____> !_! !__.___\n____________________________________!_!____!_!__\\\\____/__!_!_!_____/___\\\\___!___\n\n',
 'From: brain@cbnewsj.cb.att.com (harish.s.mangrulkar)\nSubject: Pocono Vacation House Rental\nOrganization: AT&T\nDistribution: usa\nLines: 35\n\n\n\nAvailable for Weekly/bi-weekly/weekend Rental :\n\nA brand new chalet in a private resort community located in the heart\nof the Pocono Mountains. The chalet has 3 bedrooms and 2 bathrooms and\nfeatures full carpeting, cathedral ceiling in living/dining room, an\noverlooking loft, stone fireplace, wraparound deck, country kitchen\nwith all appliances and many other features too numerous to list them\nall. Its custom designed and built and tastefully furnished for the\ncomfort of 8 adults.\n\nThe community has 24 hour security and offers 2 large lakes, 4 sandy\nbeaches, 2 swimming pools, 9 tennis courts, many picnic areas,\n4 playgrounds, miniature golf, trout stream/lake fishing, team softball,\nshuffleboard, ice skating/tobagun run, teen dances, club house etc. etc.\n\nThere are many recreational facilities within easy reach of the\nvacation home. Ski resorts, luxury hotels with nitely entertaiment,\nPocono international raceway, golf courses, parks, gamelands,\nwhitewater rafting, horseback riding, scenic trails, waterfalls,\ntrain rides, historical places, all kinds of restaurants,\nfactory outlet malls, tourist attractions, just to name a few.\n\nThis is an ideal place for a family/group vacation or a weekend\ngetaway. There is no traffic congestion and air or water pollution\nand its only 2 hours from New York, Northern New Jersey and\nPhiladelphia.\n\nFor further information call :\n\n                     908-834-1254 (daytime)\n                     908-388-5880 (evenings and weekends)\n\n\n',
 'From: jamshid@cgl.ucsf.edu (J. Naghizadeh)\nSubject: PR Campaign Against Iran (PBS Frontline)\nOrganization: Computer Graphics Laboratory, UCSF\nLines: 51\nOriginator: jamshid@socrates.ucsf.edu\n\nThere have been a number of articles on the PBS frontline program\nabout Iranian bomb. Here is my $0.02 on this and related subjects.\n\nOne is curious to know the real reasons behind this and related\npublic relations campaign about Iran in recent months. These include:\n\n1) Attempts to implicate Iran in the bombing of the New York Trade\n   Center. Despite great efforts in this direction they have not\n   succeeded in this. They, however, have indirectly created\n   the impression that Iran is behind the rise of fundamentalist\n   Islamic movements and thus are indirectly implicated in this matter.\n\n2) Public statements by the Secretary of State Christoffer and\n   other official sources regarding Iran being a terrorist and\n   outlaw state.\n\n3) And finally the recent broadcast of the Frontline program. I \n   suspect that this PR campaign against Iran will continue and\n   perhaps intensify.\n\nWhy this increased pressure on Iran? A number of factors may have\nbeen behind this. These include:\n\n1) The rise of Islamic movements in North-Africa and radical\n   Hamas movement in the Israeli occupied territories. This\n   movement is basically anti-western and is not necessarily\n   fueled by Iran. The cause for accelerated pace of this \n   movement is probably the Gulf War which sought to return\n   colonial Shieks and Amirs to their throne in the name of\n   democracy and freedom. Also, the obvious support of Algerian\n   military coup against the democratically elected Algerian\n   Islamic Front which clearly exposed the democracy myth.\n   A further cause of this may be the daily broadcast of the news\n   on the slaughter of Bosnian Moslems.\n\n2) Possible future implications of this movement in Saudi Arabia\n   and other US client states and endangerment of the cheap oil\n   sources from this region.\n\n3) A need to create an enemy as an excuse for huge defense\n   expenditures. This has become necessary after the demise of\n   Soveit Union.\n\nThe recent PR campaign against Iran, however, seems to be directed\nfrom Israel rather than Washington. There is no fundamental conflict\nof interest between Iran and the US and in my opinion, it is in the\ninterest of both countries to affect reestablishment of normal\nand friendly relations. This may have a moderating effect on the\nrise of radical movements within the Islamic world and Iran .\n\n--jamshid\n',
 "From: dgj2y@kelvin.seas.Virginia.EDU (David Glen Jacobowitz)\nSubject: Dumb Question: Function Generator\nOriginator: dgj2y@kelvin.seas.Virginia.EDU\nOrganization: University of Virginia\nLines: 35\n\n\n\tI have a new scope and I thought I'd save a few bucks by\nbuying one with a function generator built in. After having it awhile\nI noticed two things about the function generator. For one, there\nseems to be a bias even when the 'pull-offset' is pushed in. That is,\nI have to pull that know and adjust it to get a signal sans some\nrandom 50mV bias.\n\tThe other _really_ annoying thing is that the damn output\nwon't go below about 1V p-p. I am a student ( you may have guessed\nfrom my previous posts ), and I often have to measure the input\nimpedances of various circuits I build.Many of the circuits have\nmaximum input signals of way less than 500mV amplitude and most have\ninput impedances in the 10's of Kohm range. The thing is, in order to\nuse my function generator I have to divide the voltage to some thing\nreasonable. Then, of course, to measurethe input impedance of my\ncircuit I am going to have to throw in another resistor in series.\nWith the 50ohm output of the generator I could just ignore it, but now\nwith this little divider there I have to figure that in. It's kind of\na pain in  the ass.\n\tIs there any way I could make myself a little box that could\nsolve this little problem. The box would tkae the function generator\ninput, lower the voltage and give an output impedance that is some\nlow, unchanging number. I would want to lower the voltage by a factor\nof one hundred or so. I could just build a little buffer amp, but I'd\nlike to have this box not be active.\n\tAny quick ideas. The scope's not broken. For other reasons I\nhad sent it to the shop to get repaired and they replaced it. The\nfunction generator was the same way on that one, too.\n\n\t\t\tplease help as I am feeling very stupid \n\t\t\ttoday,\n\n\t\t\t\t\t\tdave \n\t\t\t\t\t\tdgj2y@virginia.edu\n\n",
 'Organization: Penn State University\nFrom: <DGS4@psuvm.psu.edu>\nSubject: Re: ABORTION and private health coverage -- letters regarding\n <sandvik-140493233557@sandvik-kent.apple.com> <1qk73q$3fj@agate.berkeley.edu>\n <syt5br_@rpi.edu> <nyikos.735335582@milo.math.scarolina.edu>\nLines: 41\n\nIn article <nyikos.735335582@milo.math.scarolina.edu>, nyikos@math.scarolina.edu\n(Peter Nyikos) says:\n>\n>In <syt5br_@rpi.edu> rocker@acm.rpi.edu (rocker) writes:\n>\n>>In <1qk73q$3fj@agate.berkeley.edu> dzkriz@ocf.berkeley.edu (Dennis Kriz)\n>writes:\n>\n>>>If one is paying for a PRIVATE health insurance plan and DOES NOT WANT\n>>>"abortion coverage" there is NO reason for that person to be COMPLELLED\n>>>to pay for it.  (Just as one should not be compelled to pay for lipposuction\n>>>coverage if ONE doesn\'t WANT that kind of coverage).\n>\n>>You appear to be stunningly ignorant of the underlying concept of health\n>>insurance.\n>\n>Are you any less stunningly ignorant?  Have you ever heard of life\n>insurance premiums some companies give in which nonsmokers are charged\n>much smaller premiums than smokers?\n>\n>Not to mention auto insurance being much cheaper for women under 25 than\n>for men under 25, because women on the average drive more carefully\n>than most men--in fact, almost as carefully as I did before I was 25.\n\nAs many people have mentioned, there is no reason why insurers could not\noffer a contract without abortion services for a different premium.\nThe problem is that there is no guarantee that this premium would be\nlower for those who chose this type of contract.  Although you are\nremoving one service, that may have feedbacks into other types of covered\ncare which results in a net increase in actuarial costs.\n\nFor an illustrative example in the opposite direction, it may be possible\nto ADD services to an insurance contract and REDUCE the premium.  If you\nadd preventative services and this reduces acute care use, then the total\npremium may fall.\n\nThese words and thoughts are my own. * I am not bound to swear\n**      **      **       **          * allegiance to the word of any\n  **  **  **  **  **  **             * master. Where the storm carries\n    **      **      **               * me, I put into port and make\nD. Shea, PSU                         * myself at home.\n',
 "From: psyrobtw@ubvmsd.cc.buffalo.edu (Robert Weiss)\nSubject: 16 Apr 93   God's Promise in Psalm 32:8\nOrganization: University at Buffalo\nLines: 6\nNews-Software: VAX/VMS VNEWS 1.41\nNntp-Posting-Host: ubvmsd.cc.buffalo.edu\n\n\n\tI will instruct thee and teach thee\n\tin the way which thou shalt go:\n\tI will guide thee with mine eye.\n\n\tPsalm 32:8\n",
 "From: bil@okcforum.osrhe.edu (Bill Conner)\nSubject: Re: Gospel Dating\nNntp-Posting-Host: okcforum.osrhe.edu\nOrganization: Okcforum Unix Users Group\nX-Newsreader: TIN [version 1.1 PL6]\nLines: 22\n\nJim Perry (perry@dsinc.com) wrote:\n\n: The Bible says there is a God; if that is true then our atheism is\n: mistaken.  What of it?  Seems pretty obvious to me.  Socrates said\n: there were many gods; if that is true then your monotheism (and our\n: atheism) is mistaken, even if Socrates never existed.\n\n\nJim,\n\nI think you must have come in late. The discussion (on my part at\nleast) began with Benedikt's questioning of the historical acuuracy of\nthe NT. I was making the point that, if the same standards are used to\nvalidate secular history that are used here to discredit NT history,\nthen virtually nothing is known of the first century.\n\nYou seem to be saying that the Bible -cannot- be true because it\nspeaks of the existence of God as it it were a fact. Your objection\nhas nothing to do with history, it is merely another statement of\natheism.\n\nBill\n",
 'From: VEAL@utkvm1.utk.edu (David Veal)\nSubject: Re: "militia" (incredibly long)\nLines: 47\nOrganization: University of Tennessee Division of Continuing Education\n\nIn article <C5n0vy.EJ6@ulowell.ulowell.edu> jrutledg@cs.ulowell.edu (John Lawrence Rutledge) writes:\n\n>In article <1qna9m$nq8@transfer.stratus.com>, cdt@sw.stratus.com (C. D. Tavares) writes:\n>-> \n>-> Again, my response is, "so what?"  Is Mr. Rutledge arguing that since\n>-> the local and federal governments have abandoned their charter to support\n>-> such activity, and passed laws prohibiting private organizations from \n>-> doing so, that they have eliminated the basis for the RKBA?   On the\n>-> contrary, to anyone who understands the game, they have strengthened it.\n>\n>No, I originally argued that the Second Amendment was "a little bit\n>and an anachronism."  These prohibiting laws are examples why the are\n>an anachronism.  After all, laws in made by representatives of the \n>people.  These representatives of the people have already decided\n>that the Second Amendment does not apply or is too broad in some\n>cases.  Since these representatives feel an unconditional \n>interpretation is not wanted, then it is probable that they majority\n>of the people feel the same way.  If this is so, it is an example\n>of the people using their power of government.  If this is not\n>how the people feel, the people should stand up and state their wishes.\n\n       I\'ll point out that the whole point of the difficult amendment\nprocess was to require a super-majority to change the Supreme Law,\nmaking it impossible for a "majority" of the people to simply change\nthe law on a whim.  Simply changing the meaning based on "the\nrepresentatives" of the people effectively destroys the amendment\nprocess.  The State\'s, you know, are also entitled to a say under\nthat process.\n \n>> Mox nix, Mr. Rutledge.  YOU are the only one here claiming that the\n>-> RKBA is dependent on the existence of a top-flight, well-regulated\n>-> militia.  Why this is a false assumption has already been posted a \n>-> number of times.  \n>\n>No, I simple stated that the people have a right to "join a well\n>organized militia." \n\n       I\'ll note that that right could be considered protected under\nthe first amendment\'s protection of peaceful assembly.  Unless\nyou would consider a militia inherently non-peaceful, then they\'ve\nstated the same thing twice.\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu - "I still remember the way you laughed, the day\nyour pushed me down the elevator shaft;  I\'m beginning to think you don\'t\nlove me anymore." - "Weird Al"\n',
 'From: bm155@cleveland.freenet.edu (csthomas@gizmonic.UUCP)\nSubject: xwd->gif conversions\nReply-To: bm155@cleveland.freenet.edu (shane thomas)\nDistribution: na\nOrganization: The Gizmonic Institute\nLines: 14\n\nHello,\n\nAnyone know of any source code I can get to either create window \ndumps in GIF format, or convert an XWD (x window dump) file \ninto a GIF? Really could be any format I can manipulate in DOS, \ni.e. PCX, BMP, etc.\n\nlater,\n\nshane\n\n---\nbm155@cleveland.freenet.edu {uucp:rutgers!devon!gizmonic!csthomas}\n"God bless those Pagans..." - H. Simpson\n',
 'From: napoli@strobe.ATC.Olivetti.Com (Gaetano Napolitano)\nSubject: ERA formula\nDistribution: ca\nOrganization: Olivetti ATC; Cupertino CA, USA\nLines: 17\n\nHello\n\nas the subject tells all I am trying to find out what is the formula to\ncalculate the ERA for the pitchers.\n\nIf any of you baseball fans have it please e-mail me at\n\n\n\tnapoli@atc.olivetti.com\n\n\n\tthank you very much\n\n\n\tGaetano Napolitano\n\n\n',
 'From: C599143@mizzou1.missouri.edu (Matthew Q Keeler de la Mancha)\nSubject: Infant Immune Development Question\nNntp-Posting-Host: mizzou1.missouri.edu\nOrganization: University of Missouri\nLines: 10\n\nAs an animal science student, I know that a number of animals transfer\nimmunoglobin to thier young through thier milk.  In fact, a calf _must_\nhave a sufficient amount of colostrum (early milk) within 12 hours to\neffectively develop the immune system, since for the first (less than)\n24 hours the intestines are "open" to the IG passage.  My question is,\ndoes this apply to human infants to any degree?\n \nThanks for your time responding,\nMatthew Keeler\nc599143@mizzou1.missouri.edu\n',
 'X-Mailer: TMail version 1.17R\nFrom: "D. C. Sessions" <dcs@witsend.tnet.com>\nOrganization: Nobody but me -- really\nSubject: Re: was:Go Hezbollah!\nDistribution: world\nLines: 61\n\nIn <1993Apr16.130037.18830@ncsu.edu>, hernlem@chess.ncsu.edu (Brad Hernlem)  wrote:\n# In article <2BCE0918.6105@news.service.uci.edu>, tclock@orion.oac.uci.edu (Tim Clock) writes:\n# |> In article <Apr15.175334.72079@yuma.ACNS.ColoState.EDU> bh437292@lance.colostate.edu writes:\n# |> >\n# |> >It is NOT a "terrorist camp" as you and the Israelis like \n# |> >to view the villages they are small communities with kids playing soccer\n# |> >in the streets, women preparing lunch, men playing cards, etc.....\n# |> >SOME young men, usually aged between 17 to 30 years are members of\n# |> >the Lebanese resistance.  Even the inhabitants of the village do not \n# |> >know who these are, they are secretive about it, but most people often\n# |> >suspect who they are and what they are up to.  These young men are\n# |> >supported financially by Iran most of the time.  They sneak arms and\n# |> >ammunitions into the occupied zone where they set up booby traps\n# |> >for Israeli patrols.  Every time an Israeli soldier is killed or injured\n# |> >by these traps, Israel retalliates by indiscriminately bombing villages\n# |> >of their own choosing often killing only innocent civilians.  \n# |> \n# |> This a "tried and true" method utilized by guerilla and terrorists groups:\n# |> to conduct operations in the midst of the local populace, thus forcing the\n# |> opposing "state" to possible harm innocent civilians in their search or,\n# |> in order to avoid the deaths of civilians, abandon the search. Certainly the\n# |> people who use the population for cover are *also* to blaim for dragging the\n# |> innocent civilians into harm\'s way.\n# |> \n# |> Are you suggesting that, when guerillas use the population for cover, Israel\n# |> should totally back down? So...the easiest way to get away with attacking\n# |> another is to use an innocent as a shield and hope that the other respects\n# |> innocent lives?\n# \n# Tell me Tim, what are these guerillas doing wrong? Assuming that they are using\n# civilians for cover, are they not killing SOLDIERS in THEIR country? If the\n# buffer zone is to prevent attacks on Israel, is it not working? Why is it \n# further neccessary for Israeli guns to pound Lebanese villages? Why not just\n# kill those who try to infiltrate the buffer zone? You see, there is more to\n# the shelling of the villages.... it is called RETALIATION... "GETTING BACK"\n# ..."GETTING EVEN". It doesn\'t make sense to shell the villages. The least\n# it shows is a reckless disregard by the Israeli government for the lives of\n# civilians.\n\n  Please clarify your standards for rules of engagement.  As I\n  understand it, Israelis are at all times and under all\n  circumstances fair targets.  Their opponents are legitimate\n  targets only when Mirandized, or some such?\n\n  I\'m sure that this makes perfect sense if you grant *a*priori*\n  that Israelis are the Black Hats, and that therefore killing\n  them is automatically a Good Thing (Go Hezbollah!).  The\n  corollary is that the Hezbollah are the White Hats, and that\n  whatever they do is a Good Thing, and the Israelis only prove\n  themselves to be Bad Guys by attacking them.\n\n  This sounds suspiciously like a hockey fan I know, who cheers\n  when one of the players on His Team uses his stick to permanently\n  rearrange an opponent\'s face, and curses the ref for penalizing\n  His Side.  Of course, when it\'s different when the roles are\n  reversed.\n\n--- D. C. Sessions                            Speaking for myself ---\n--- Note new network address:                dcs@witsend.tnet.com ---\n--- Author (and everything else!) of TMail  (DOS mail/news shell) ---\n',
 "Nntp-Posting-Host: sinober.ifi.uio.no\nFrom: michaelp@ifi.uio.no (Michael Schalom Preminger)\nSubject: Re: Zionism is Racism\nOrganization: Dept. of Informatics, University of Oslo, Norway\nLines: 18\nOriginator: michaelp@sinober.ifi.uio.no\n\n\nIn article <20APR93.23565659.0109@VM1.MCGILL.CA>, B8HA000 <B8HA@MUSICB.MCGILL.CA> writes:\n> In Re:Syria's Expansion, the author writes that the UN thought\n> Zionism was Racism and that they were wrong.  They were correct\n> the first time, Zionism is Racism and thankfully, the McGill Daily\n> (the student newspaper at McGill) was proud enough to print an article\n> saying so.  If you want a copy, send me mail.\n> \n> Steve\n> \nWas the article about zionism? or about something else. The majority\nof people I heard emitting this ignorant statement, do not really\nknow what zionism is. They have just associated it with what they think\nthey know about the political situation in the middle east. \n\nSo Steve: Lets here, what IS zionism?\n\nMichael\n",
 'From: greg@Software.Mitel.COM (Gregory Lehman)\nSubject: Looking for drawing packages\nOrganization: Mitel. Kanata (Ontario). Canada.\nLines: 24\n\nGreetings.\n\nI am developing an application that allows a *user* to interactively\ncreate/edit/view a visual "model" (i.e. topology) of their network, and\nI was wondering if anyone knew of any builder tools that exist to\nsimplify this task.\n\nIn the past I have used Visual Edge\'s UIM/X product to develop other\nGUIs, so I am familiar with UIMSs in general.\n\nThe topology will support objects and connecting links.  Once the\ntopology is created, I want to provide the user with capabilities to\nsupport grouping, zooming, etc.\n\nI am looking for some form of a higher abstraction other than X drawing\nroutines to accomplish this.  Specifically, the zooming and grouping\naspects may prove difficult, and certainly time consuming,  if I have\nto "roll my own".\n\nSuggestions?\n\n-greg\n\ngreg@software.mitel.com\n',
 "From: kckluge@eecs.umich.edu (Karl Kluge)\nSubject: Re: Gritz/JBS/Liberty Lobby/LaRouche/Christic Insitute/Libertarian/....\nIn-Reply-To: arf@genesis.MCS.COM's message of 15 Apr 1993 20:57:53 -0500\nOrganization: University of Michigan\nLines: 21\n\n\n> From: arf@genesis.MCS.COM (Jack Schmidling)\n> Subject: Re: Gritz/JBS/Liberty Lobby/LaRouche/Christic Insitute/Libertarian/....\n> Date: 15 Apr 1993 20:57:53 -0500\n> \n> I can't speak for the organizations you cited but everywhere you look in\n> our society and government, one can see the relentless movement toward\n> one world government.  The fact that the media demeans such charished \n> values as patriotism, nationalism and protectionism are some of the\n> clues....Our porous border both people and trade are an indiciation that \n> we have already lost a great deal of sovergnty.\n\n...and I'm sure that people who were big fans of fuedalism pissed and\nmoaned about the emergence of the modern nation-state. Imagine, the King\nallowing serfs their freedom if they could live in the city for a year!\nTimes change, technology changes, viable forms of social organization\nchange. While concerns about preserving Western notions of civil liberties\nin the face of cultures with very different values is a valid one, it's\na waste of effort to try to turn back the tide. It's much smarter to focus\non trying to make sure that the emerging forms of social organization are\nacceptable than it iss to lament the passing of the old forms.\n",
 'From: pyron@skndiv.dseg.ti.com (Dillon Pyron)\nSubject: Re: "High Power" Assault guns\nLines: 12\nNntp-Posting-Host: skndiv.dseg.ti.com\nReply-To: pyron@skndiv.dseg.ti.com\nOrganization: TI/DSEG VAX Support\n\n\nHigh power assault gun?  Why, you must be talking about the 155mm Howitzer.\n\nOr did you want to try a 16 incher?  Or one of the German railway guns?\n--\nDillon Pyron                      | The opinions expressed are those of the\nTI/DSEG Lewisville VAX Support    | sender unless otherwise stated.\n(214)462-3556 (when I\'m here)     |\n(214)492-4656 (when I\'m home)     |Texans: Vote NO on Robin Hood.  We need\npyron@skndiv.dseg.ti.com          |solutions, not gestures.\nPADI DM-54909                     |\n\n',
 'From: bil@okcforum.osrhe.edu (Bill Conner)\nSubject: Re: Gospel Dating\nNntp-Posting-Host: okcforum.osrhe.edu\nOrganization: Okcforum Unix Users Group\nX-Newsreader: TIN [version 1.1 PL6]\nLines: 16\n\nKeith M. Ryan (kmr4@po.CWRU.edu) wrote:\n: \n: \tWild and fanciful claims require greater evidence. If you state that \n: one of the books in your room is blue, I certainly do not need as much \n: evidence to believe than if you were to claim that there is a two headed \n: leapard in your bed. [ and I don\'t mean a male lover in a leotard! ]\n\nKeith, \n\nIf the issue is, "What is Truth" then the consequences of whatever\nproposition argued is irrelevent. If the issue is, "What are the consequences\nif such and such -is- True", then Truth is irrelevent. Which is it to\nbe?\n\n\nBill\n',
 'Nntp-Posting-Host: dougn.byu.edu\nLines: 24\nFrom: $stephan@sasb.byu.edu (Stephan Fassmann)\nSubject: Re: [lds] Are the Mormons the True Church?\nOrganization: BYU\n\nIn article <C5rr9M.LJ7@acsu.buffalo.edu> psyrobtw@ubvmsb.cc.buffalo.edu (Robert Weiss) writes:\n>From: psyrobtw@ubvmsb.cc.buffalo.edu (Robert Weiss)\n>Subject: [lds] Are the Mormons the True Church?\n>Date: 20 Apr 93 06:29:00 GMT\n>\n>            IS THE MORMON CHURCH CHRIST\'S TRUE CHURCH?\n>\n[...lots of stuff about intellectual errors deleted...]\n\nThis is cute, but I see no statement telling me why your church is the true \nchurch. I do presume that you know or at least believe that yours is true. \nAttempting to ream my faith without replacing it with something "better" is \na real good way to loose a person completely from Christ.\n\nThis is the greatest reason I see that these attacks are not motivated by \nlove. They only seek to destroy there is no building or replacing of belief. \nThis is not something Christ did. He guided and instructed He didn\'t \nseek to destroy the faith He found, He redirected it. \n\nThis is what I see when people say they "love" <insert favorite group here>. \nAnd I have to laugh at the irony. \n\nPlease excuse the scarcasm but it was nice to say it. \nOh, BTW Robert don\'t take this personally, your post was merely convinent.\n',
 "From: tzs@stein.u.washington.edu (Tim Smith)\nSubject: Re: FBI Director's Statement on Waco Standoff\nArticle-I.D.: shelley.1r2ko0INNqe5\nOrganization: University of Washington School of Law, Class of '95\nLines: 9\nNNTP-Posting-Host: stein.u.washington.edu\n\nfeustel@netcom.com (David Feustel) writes:\n>We have NO evidence that BATF & FBI would not have started shooting\n>when and if people had started coming out of the burning building.\n\nOh?  How about the press?  If the BATF & FBI were going to shoot people\nleaving a burning building, don't you think they would get rid of the\npress first?\n\n--Tim Smith\n",
 'From: Patrick Walker <F1HH@UNB.CA>\nSubject: They guy who bad-mouthed Ulf...\nLines: 16\nOrganization: The University of New Brunswick\n\nDitto...\n\nIf we allow people like him to continue to do what he does, it\'s a\nshame.  People say that cheap shots and drawing penalties by fake-\ning is part of the game, I say "Bullsh-t!".  If he ever tried some\nlike that on a Yzerman, he\'d would have to deal with Probert now\nwouldn\'t he?  What Ulf does isn\'t even retaliatory!  There\'s now\nway one could justify what he does and if they do they\'re fools.\n\n\n /----\\\\==========/  Patrick Walker\n/ /--\\\\ =========/   University of New Brunswick\nI I()I ======/      Canada\n\\\\ \\\\--/ /            Detroit Fan Extraordinaire.\n \\\\----/\n\n',
 'From: jake@bony1.bony.com (Jake Livni)\nSubject: Re: was:Go Hezbollah!!\nOrganization: The Department of Redundancy Department\nLines: 39\n\nIn article <1993Apr14.210636.4253@ncsu.edu> hernlem@chess.ncsu.edu (Brad Hernlem) writes:\n\n>Hezbollah and other Lebanese Resistance fighters are skilled at precision\n>bombing of SLA and Israeli targets. \n\nIt\'s hard to beat a car-bomb with a suicidal driver in getting \nright up to the target before blowing up.  Even booby-traps and\nradio-controlled bombs under cars are pretty efficient killers.  \nYou have a point.   \n\n>I find such methods to be far more\n>restrained and responsible \n\nIs this part of your Islamic value-system?\n\n>than the Israeli method of shelling and bombing\n>villages with the hope that a Hezbollah member will be killed along with\n>the civilians murdered. \n\nHad Israeli methods been anything like this, then Iraq wouldn\'ve been\nnuked long ago, entire Arab towns deported and executions performed by\nthe tens of thousands.  The fact is, though, that Israeli methods\naren\'t even 1/10,000th as evil as those which are common and everyday\nin Arab states.\n\n>Soldiers are trained to die for their country. Three IDF soldiers\n>did their duty the other day. These men need not have died if their government\n>had kept them on Israeli soil. \n\n"Israeli soil"????  Brad/Ali!  Just wait until the Ayatollah\'s\nthought-police get wind of this.  It\'s all "Holy Muslim Soil (tm)".\nHave you forgotten?  May Allah have mercy on you now.\n\n>Brad Hernlem (hernlem@chess.ncsu.EDU)\n\n-- \nJake Livni  jake@bony1.bony.com           Ten years from now, George Bush will\nAmerican-Occupied New York                   have replaced Jimmy Carter as the\nMy opinions only - employer has no opinions.    standard of a failed President.\n',
 "From: jonathan@comp.lancs.ac.uk (Mr J J Trevor)\nSubject: [Genesis/MegaDrive] Games for sale/trade\nOrganization: Department of Computing at Lancaster University, UK.\nLines: 23\n\nI have the following Genesis/Megadrive games for sale or trade for other\nGenesis/MD (or SNES games). All games will work with both US and UK\nmachines (50 or 60Hz) except where stated and all are boxed with\ninstructions\n\nD&D Warriors of the Eternal Sun\nOutlander\nDeath Duel\nChakan the Forever man\nWonder Boy in Monster Land\nA.Sennas Super Monaco GP 2 (50Hz only)\n\nIll accept US$ or UK sterling.\nMake me an offer!\n\nCheers\nJonathan\n\n-- \n___________\n  |onathan   Phone: +44 524 65201 x3793 Address:Department of Computing\n'-'________    Fax: +44 524 381707              Lancaster University\n            E-mail: jonathan@comp.lancs.ac.uk   Lancaster, Lancs., U.K.\n",
 'From: jkellett@netcom.com (Joe Kellett)\nSubject: Re: sex education\nOrganization: Netcom\nLines: 45\n\nIn article <Apr.8.00.57.31.1993.28227@athos.rutgers.edu> jviv@usmi01.midland.chevron.com (John Viveiros) writes:\n>It seems I spend a significant amount of my time correcting errors about\n>the reliability tests for condoms and abstinence.  A few years ago I saw\n>that famous study that showed a "10% failure rate" for condoms.  The\n>same study showed a 20% failure rate for abstinence!!  That is, adult\n>couples who relied on abstinence to prevent pregnancy got pregnant in\n>alarming numbers--they didn\'t have the willpower to abstain.  And we\'re\n>thinking that this will work with high school kids?!?\n\nI am told that Planned Parenthood/SIECUS-style "values-free" methods, that\nteach contraceptive technology and advise kids how to make "choices",\nactually _increase_ pregnancy rates. I posted a long article on this a while\nback and will be happy to email a copy to any who are interested.  The\narticle included sources to contact for information on research verifying\nthese statements, and an outstanding source for info on acquiring\nabstinence-related curricula even in single-copy quantities for home use.\n\nThe same research produced the results that abstinence-related curricula\nwere found to _decrease_ pregnancy rates in teens.  I assume that it is\nreasonable to assume that the AIDS rate will fluctuate with the pregnancy\nrate.\n\nThe difference is not in "contraceptive technology" but in the values taught\nto the children.  The PP/SIECUS curricula taught the kids that they have\nlegitimate choices, while the abstinence related curricula taught them that\nthey did _not_ have _legitimate_ choices other than abstinence.  It is the\nvalues system that is the strongest determinent of the behavior behavior of\nthese kids.\n\nDespite the better track record of abstinence-related curricula, they are\nsuppressed in favor of curricula that produce an effect contrary to that\ndesired.  \n\nQuestion for further discussion (as they say in the textbooks):  Why don\'t\nwe teach "safe drug use" to kids, instead of drug abstinence?  Isn\'t it\nbecause we know that a class in "how to use drugs safely if you _choose_ to\nuse drugs" would increase drug use?  Why isn\'t "drug abstinence education"\nbarred from schools because it teaches "religion"?  Aren\'t we abandoning\nthose children who will use drugs anyway, and need instruction in their safe\nuse?\n\n\n-- \nJoe Kellett\njkellett@netcom.com\n',
 'From: dla@se05.wg2.waii.com (Doug Acker)\nSubject: Re: Problem with libXmu on SUNOS5.1 and gcc\nReply-To: acker@se01.wg2.waii.com\nOrganization: Western Geophysical Exploration Products\nLines: 23\nNNTP-Posting-Host: se05.wg2.waii.com\n\nIn article <1qmt3i$66io@ep130.wg2.waii.com>, dla@se05.wg2.waii.com (Doug Acker) writes:\n|> I am using X11R5patch23 with the R5-SUNOS5 patch posted on export.\n|> I did optionally apply the patch.olit.\n|>\n|> libXmu compiles fine .. when I try to use it with clients (i.e. bmtoa and\n|> twm), I get errors ... I can not figure out what is wrong:\n|>\n|> gcc -fpcc-struct-return -o twm gram.o lex.o deftwmrc.o add_window.o gc.o list.o twm.o  parse.o menus.o events.o resize.o util.o version.o iconmgr.o  cursor.o icons.o -O2   -R/usr/wgep/X11R5.sos5/lib${LD_RUN_PATH+\\\\:$LD_RUN_PATH} -L../.././lib/Xmu -lXmu -L.|> ./.././lib/Xt -L../.././extensions/lib -L../.././lib/X -L../.././extensions/lib -lXext -L../.././extensions/lib -lXext -L../.././lib/X -lX11 -L/usr/wgep/X11R5.sos5/lib  -lsocket -lnsl\n|> ld: warning: file ../.././extensions/lib/libXext.so: attempted multiple inclusion of file libXext.so\n|> Undefined                       first referenced\n|>  symbol                             in file\n|> XtWindowOfObject                    ../.././lib/Xmu/libXmu.so\n|> ld: fatal: Symbol referencing errors. No output written to twm\n|> *** Error code 1\n\nThe problem was that SunPost411Ld was not defined.\n\nDouglas L.Acker                Western Geophysical Exploration Products\n____    ____     ____          a division of Western Atlas International Inc.\n\\\\   \\\\  /   /\\\\   /   /\\\\         A Litton / Dresser Company\n \\\\   \\\\/   /  \\\\ /   /  \\\\        ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n  \\\\  /   / \\\\  /   /\\\\   \\\\       Internet  :  acker@wg2.waii.com\n   \\\\/___/   \\\\/___/  \\\\___\\\\      Voice     :  (713) 964-6128\n',
 'From: gaucher@sam.cchem.berkeley.edu\nSubject: Re: Newspapers censoring gun advertisements\nOrganization: University of California, Berkeley\nLines: 33\nNNTP-Posting-Host: sam.cchem.berkeley.edu\nOriginator: gaucher@sam.cchem.berkeley.edu\n\nIn article <81930415084418/0005111312NA3EM@mcimail.com> 0005111312@mcimail.com (Peter Nesbitt) writes:\n\n>Recently while looking around in Traders Sporting Goods store, a very well\n>stocked firearms store, I discovered a printed document that was being \n>distributed by the good folks who work there.  Traders, BTW, is located in\n>San Leandro, CA.\n.\n.\n. \n>The newspapers have now decided to censor gun ads - which is why you no longer\n>see the ads that Traders, San Leandro, has run for many years.\n>\n>These ads were run for the law-abiding honest citizens who own firearms for\n>sporting use or self-protection.  They certainly have the right to do so, under\n>the Second Amendment Right to Bear Arms.\n \nAre you sure about this? I\'m currently looking at a copy of last \nThursday\'s SF Chronicle and there is the typical one column Traders\nad on page C7 in the Sports section. Not only that, but there is\na part in the middle which rather prominently says "WANTED: We pay\ncash for assault rifles and pistols.". Granted, I haven\'t seen today\'s\npaper yet. But I\'d be surprised if there wasn\'t a Traders ad in it.\nIt\'s probably worth it to write to the Chronicle (and other papers)\nanyway, because all their anti-gun editorials are disgusting.\n\nBy the way, let me put in a plug for Traders. I have shopped all\nover the SF Bay Area and I have never seen another store with lower\nprices. And their selection is amazing.\n\n---------------------------------------------------------------------\nLee Gaucher                         |   My opinions.\ngaucher@sam.cchem.berkeley.edu      |   No one else\'s.\n---------------------------------------------------------------------\n',
 'From: brow2812@mach1.wlu.ca (craig brown 9210 u)\nSubject: Re: Stop The SeXularHumanistOppression { former my beloved  Damn Ferigner\'s Be Taken Over}\nOrganization: Wilfrid Laurier University\nLines: 35\n\nIn article <C5HIu1.8A9@spss.com> gregotts@spss.com (Greg Otts) writes:\n>In article <C5HCrw.Dn3@junior.BinTec.DE> muftix@junior.BinTec.DE (Juergen Ernst Guenther) writes:\n>>\n>>I never understood why Canadians, Mexicans, Brazilians etc. accusing\n>>US. people for imperialism though think of them as "The Americans".\n>>\n>>Not few Europeans think of you all as Americans (and of the US. as\n>>a bunch of blasphemeous trash that GOD has to extinguish sooner or later ...;) \n>>\n>> .m.\n>\n>It would not be surprising that a continent that produced fascism, communism, \n>and two world wars might have quite a few people who tend to think of other\n>people as trash that should be extinguished sooner or later.  I seem to \n>remember a gut called  Hitler who felt the same way. One wonders what would be\n>the fate of Europe if God had extinguished this nation of blasphemeous trash\n>before 1917. (Not that I believe in gods.)  How many millions of people through-\n>out the world would have to die because no force could stop the insane, bloody\n>European imperialism? Thankfully the "imperialistic" US helped put an end to \n>these games so that the rest of the world can sleep alittle more safely. Thus, I \n>could care less what "not few Europeans" think so long as they can\'t do anything \n>about it.\n>\n>  - Greg Otts\n>\n>These opinions are entirely my own.\n>\n\nBut remember that had God extinguished the blasphemous trash of Europe (and\nImperialism with it), the United States would not exist today to put an end\nto those "games"....begs the question, which came first, the chicken or the\negg???\n\nC.Brown\n \n',
 'From: DMJEWLAL@CHEMICAL.watstar.uwaterloo.ca (Derrick M. Jewlal)\nSubject: Re: plus minus stat\nLines: 45\nOrganization: University of Waterloo\n\nIn article <1993Apr14.174828.13445@ramsey.cs.laurentian.ca> maynard@ramsey.cs.laurentian.ca (Roger Maynard) writes:\n>From: maynard@ramsey.cs.laurentian.ca (Roger Maynard)\n>Subject: Re: plus minus stat\n>Date: Wed, 14 Apr 1993 17:48:28 GMT\n>In <DREIER.93Apr14092901@jacobi.berkeley.edu> dreier@jacobi.berkeley.edu (Roland Dreier) writes:\n>\n>>Selanne\'s +7 leads the Jets; Teppo Numminen is +4.  Who do you think\n>>is better defensively?  Ron Francis of the Penguins is +5, although he\n>>has 97 points, while Jaromir Jagr has only 87 points but is +30.  Is\n>>Jagr really better on defense than Francis?  And how exactly should we\n>>interpret the fact that Mario Lemieux has by far the highest +/- in\n>>the league?  Does he get the Selke as well as the Ross?\n>\n>The plus/minus does not measure defense alone.  It attempts to measure\n>a  player\'s  total contribution to the team effort.  And certainly, it\n>is far from perfect and my posting never implied otherwise.  All  that\n>my  posting  suggested  was  that  the +/- was a better indicator of a\n>player\'s effectiveness, when examined in the context of that  player\'s\n>team\'s  performance, than mere scoring totals alone.  And as for Mario\n>getting the Selke - why not?  After Doug Gilmour, I would rather  have\n>Lemieux  on the ice in any situation (other than as an enforcer, obvi-\n>ously) than any player in the game.  I used to call the Selke the "Bob\n>Gainey  Award".   It  came  about as a result of the statement made by\n>Anatoli Tarasov: "Bob Gainey is the best hockey player in the  world."\n>I am sure that Tarasov was either misquoted, originally, or had a tiny\n>bit too much Vodka and was toying with a reporter.  In any event,  the\n>NHL  decided  to honour one dimensional checkers along with one dimen-\n>sional scorers.  Maybe the league should start awarding the "Doug Gil-\n>mour Award" anually  to the league\'s most effective, all-round player.\n>\n>cordially, as always,\n>\n>rm\n>\n>-- \n>Roger Maynard \n>maynard@ramsey.cs.laurentian.ca \n\n\tHey, what about the "Roger Maynard Award" for the most\n\tannoying fan....?\n======================================================== \nDerrick M. Jewlal \n34 Laurel St. , Apt. #1 \nWaterloo \n747 4804 \n',
 'From: brown@ftms.UUCP (Vidiot)\nSubject: Re: problem with xvertext package\nReply-To: brown@ftms.UUCP (Vidiot)\nOrganization: Vidiot\'s Other Hangout\nLines: 22\n\nIn article <1993Mar31.181357.28381@sierra.com> dkarr@sierra.com (David Karr) writes:\n<I might have a need in the future to display rotated text.  I noticed the\n<"xvertext" package on the net.  It looks very good, but it has one slight\n<problem.  The API to it assumes you have a font name, not an already loaded\n<font.  It shouldn\'t be too difficult to split up the function into two\n<interface routines, one with a font name, and one with an XFontStruct, but\n<I thought I would ask the author (Alan Richardson\n<(mppa3@uk.ac.sussex.syma)) first in case he was planning this already.\n<Unfortunately, his email address bounced.  Does Alan R. or the current\n<maintainer of "xvertext" see this?\n\nThe e-mail address you mentioned above is for use with the U.K.  As you know,\nthe Brits do everything backwards :-)  So, the real address from the states is:\n\n\tmppa3@syma.sussex.ac.uk\n\nGive it a try.\n-- \nharvard\\\\\n  ucbvax!uwvax!astroatc!ftms!brown  or  uu2.psi.com!ftms!brown\nrutgers/\nINTERNET: brown@wi.extrel.com  or  ftms!brown%astroatc.UUCP@cs.wisc.edu\n',
 "From: DRAMALECKI@ELECTRICAL.watstar.uwaterloo.ca (David Malecki)\nSubject: Re: Building a UV flashlight\nLines: 40\nOrganization: University of Waterloo\n\nIn article <C5r6Lz.n25@panix.com> jhawk@panix.com (John Hawkinson) writes:\n>My main question is the bulb: where can I get UV bulbs? Do they\n>need a lot of power? etc., etc.\n\nI've seen them in surplus stores.  All they are are fluorescent bulbs \nwithout the phosphor, and a UV transparent bulb (special glass).  I've\nalso seen incandescent versions that you screw into an ordinary 120VAC\nsocket, probably not what you want.\n\n>\n>I'm not too concerned with whether it's long-wave or short-wave\n>(but hey, if anyone has a cheap source of bulbs, I'll take both).\n>\n>One other thing: a friend of mine mentioned something about near-UV\n>light being cheaper to get at than actual UV light. Does anyone\n>know what he was referring to?\n\nAs far as I know, near UV (as opposed to far-UV) is longwave UV (near\nthe visible spectrum).  Longwave UV is safer as far as accidental (I hope)\nexposure to the eyes.  As far as fluorescent minerals go (the reason a\nfriend has a UV lamp), some only respond to only one of short or long UV.\n\nHope this helps.\n\nDave.\n\n\n\n>\n>Thanks much.\n>\n>\n>--\n>John Hawkinson\n>jhawk@panix.com\n ---------------------------------------------------------------------- \n| Who I am:  David Malecki                                             |\n| Who you think I am:  dramalecki@electrical.watstar.uwaterloo.ca      |\n|                                                                      |\n ----------------------------------------------------------------------\n",
 'From: shimpei@leland.Stanford.EDU (Shimpei Yamashita)\nSubject: Survey: Faith vs. Reason\nOrganization: DSG, Stanford University, CA 94305, USA\nLines: 55\n\nThe following is a survey we are conducting for a term project in a philosophy\nclass. It is not meant to give us anything interesting statistically; we want\nto hear what kind of voices there are out there. We are not asking for full-\nblown essays, but please give us what you can.\n\nAs I do not read these groups often, please email all responses to me at\nshimpei@leland.stanford.edu. As my mail account is not infinite, if you can\ndelete the questions and just have numbered answers when you write back\nI would really appreciate it.\n\nSince we would like to start analyzing the result as soon as possible, we\nwould like to have the answers by April 30. If you absolutely cannot make\nit by then, though, we would still liken to hear your answer.\n\nIf anyone is interested in our final project please send a note to that effect\nwould like to have the answers by April 30. If you absolutely cannot make\nit by then, though, we would still like to hear your answer.\n\nIf anyone is interested in our final project please send a note to that effect\n(or better yet, include a note along with your survey response) and I\'ll try\nto email it to you, probably in late May.\n\nSURVEY:\n\nQuestion 1)\nHave you ever had trouble reconciling faith and reason? If so, what was the\ntrouble?\n(For example: -Have you ever been unsure whether Creationism or Evolutionism\n               holds more truth?\n              -Do you practice tarot cards, palm readings, or divination that\n               conflicts with your scientific knowledge of the world?\n              -Does your religion require you to ignore physical realities that\n               you have seen for yourself or makes logical sense to you?)\nBasically, we would like to know if you ever _BELIEVED_ in something that your\n_REASON_tells you is wrong.\n\nQuestion 2)\nIf you have had conflict, how did/do you resolve the conflict?\n\nQuestion 3)\nIf you haven\'t had trouble, why do you think you haven\'t? Is there a set of\nguidelines you use for solving these problems?\n\nThank you very much for your time.\n\n\n\n\n-- \nShimpei Yamashita, Stanford University       email:shimpei@leland.stanford.edu\n             "There are three kinds of mathematicians: \n              those who can count and those who can\'t."\n\n[It seems to be that time of year.  Please remember that he\'s asked for\nyou to respond by email.  --clh]\n',
 'From: keith@cco.caltech.edu (Keith Allan Schneider)\nSubject: Re: "Cruel" (was Re: <Political Atheists?)\nOrganization: California Institute of Technology, Pasadena\nLines: 26\nNNTP-Posting-Host: punisher.caltech.edu\n\nlivesey@solntze.wpd.sgi.com (Jon Livesey) writes:\n\n>>This whole thread started because of a discussion about whether\n>>or not the death penalty constituted cruel punishment, which is forbidden\n>>by the US Constitution.\n>Yes, but they didn\'t say what they meant by "cruel", which is why\n>a) you have the Supreme Court, and b) it makes no sense to refer\n>to the Constitution, which is quite silent on the meaning of the\n>word "cruel".\n\nThey spent quite a bit of time on the wording of the Constitution.  They\npicked words whose meanings implied the intent.  We have already looked\nin the dictionary to define the word.  Isn\'t this sufficient?\n\n>>Oh, but we were discussing the death penalty (and that discussion\n>>resulted from the one about murder which resulted from an intial\n>>discussion about objective morality--so this is already three times\n>>removed from the morality discussion).\n>Actually, we were discussing the mening of the word "cruel" and\n>the US Constitution says nothing about that.\n\nBut we were discussing it in relation to the death penalty.  And, the\nConstitution need not define each of the words within.  Anyone who doesn\'t\nknow what cruel is can look in the dictionary (and we did).\n\nkeith\n',
 "From: rkwmo@pukrs3.puk.ac.za (MNR M OOSTHUYSEN)\nSubject: Re: A KIND and LOVING God!!\nOrganization: PU vir CHO/PU for CHE\nLines: 33\n\nIn article <9304141620.AA01443@dangermouse.mitre.org> jmeritt@mental.mitre.org writes:\n\n>Leviticus 21:9\n>And the daughter of any priest, if she profane herself by playing the\n>whore, she profaneth her father: she shall be burnt with fire.\n\n>Deuteronomy 22:20-21\n>...and the tokens of virginity be not found for the damsel: then they shall\n>bring out the damsel to the door of her father's house, and the men of the\n>city shall stone her with stones that she die...\n\n>Deuteronomy  22:22\n>If a man be found lying with a woman married to a husband, then they shall\n>both of them die...\n\n>Deuteronomy 22:23-24\n>If a damsel that is a virgin be betrothed unto a husband, and a man find her\n>in the city, and lie with her; then ye shall bring them both out unto the\n>gate of that city, and ye shall stone them with stones that they die...\n\n>Deuteronomy 22:25\n>BUT if a man find a betrothed damsel in the field, and the man force her,\n>and lie with her: then the man only that lay with her shall die.\n\nIF it were'nt for the sin of men, none of this killing would have been \nnecesarry, He is KIND and LOVING, but also RIGHTEOUS, \nSIN MUST BE PUNISHED.\n\nBefore Jesus, man had to take the sins on himself.\nBut Jesus died and took it all upon Him, so now we also have a FORGIVING GOD.\n\nIf He were not KIND and LOVING, there wouldn't have been any people left.\n\n",
 'From: gtoal@gtoal.com (Graham Toal)\nSubject: Re: "clipper chip"\nLines: 30\n\n\tFrom: "dan mckinnon" <dan.mckinnon@canrem.com>\n\n\t   I have lurked here a bit lately, and though some of the math is\n\tunknown to me, found it interesting. I thought I would post an article I\n\tfound in the Saturday, April 17, 1993 Toronto Star:\n\n\t                  \'CLIPPER CHIP\' to protect privacy\n\nPolitics is of course Dirty Pool, old man, and here we have a classic\nexample: the NSA and the administration have been working on this for\na *long* time, and in parallel with the announcement to us techies, we\nsee they\'re hitting the press with propoganda.\n\nIt\'s my bet the big magazines - Byte, Scientific American, et all - will\nbe ready to run with a pre-written government-slanted story on this in\nthe next issue.  (\'Just keep us some pages spare boys, we\'ll give you\nthe copy in time for the presses\')\n\nWe *must* get big names in the industry to write well argued pieces against\nthis proposal (can you call it that when it\'s a de facto announcement?) and\nget them into the big magazines before too much damage is done.\n\nIt would be well worth folks archiving all the discussions from here since\nthe day of the announcement to keep all the arguments at our fingertips.  I\nthink between us we could write quite a good piece.\n\nNow, who among us carries enough clout to guarantee publication?  Phil?\nDon Parker?  Mitch Kapor?\n\nG\n',
 'From: neil@bcstec.ca.boeing.com (Neil Williams)\nSubject: Re: WARNING.....(please read)...\nKeywords: BRICK, TRUCK, DANGER\nOrganization: Boeing Computer Services\nLines: 51\n\nlarose@austin.cs.utk.edu (Brian LaRose) writes:\n\n>This just a warning to EVERYBODY on the net.  Watch out for\n>folks standing NEXT to the road or on overpasses.   They can\n>cause SERIOUS HARM to you and your car.  \n\n>(just a cliff-notes version of my story follows)\n\n>10pm last night, I was travelling on the interstate here in\n>knoxville,  I was taking an offramp exit to another interstate\n>and my wife suddenly screamed and something LARGE hit the side\n>of my truck.  We slowed down, but after looking back to see the\n>vandals standing there, we drove on to the police station.\n\n>She did get a good look at the guy and saw him "cock his arm" with\n>something the size of a cinderblock, BUT I never saw him. We are \n>VERY lucky the truck sits up high on the road; if it would have hit\n>her window, it would have killed her. \n\n>The police are looking for the guy, but in all likelyhood he is gone. \n\n>I am a very good driver (knock on wood), but it was night-time and\n>I never saw the guy.  The police said they thought the motive was to\n>hit the car, have us STOP to check out the damage, and then JUMP US,\n>and take the truck.  \n\n>PLEASE BE AWARE OF FOLKS.  AND FOR YOUR OWN GOOD, PLEASE DON\'T STOP!!!!\n\n>peace.\n\n\n>-- \n>--------------------------------------------------------------------------- \n>brian larose  larose@cs.utk.edu   #12, 3103 Essary Rd. Knoxville, TN 37918.\n\n>{}\n\nAs long as we\'re on the subject... Several years ago myself and two others\nwere riding in the front of a Toyota pickup heading south on Interstate 5\nnorth of Seattle, WA. Someone threw a rock of an overpass and hit our\nwindshield. Not by accident I\'m sure, it was impossible to get up to the\noverpass quickly to see who did it. We figured it was kids, reported it and\nleft.\nA couple of years ago it happend again and killed a guy at my company. He was\nin his mid-fourties and left behind a wife and children. Turned out there was\na reformatory for juviniles a few blocks away. They caught the 14 year old\nthat did it. They put a cover over the overpass, what else could they do?\nI don\'t think I\'ll over forget this story.\nNeil Williams, Boeing Computer Services, Bellevue WA.\n.\n\n',
 "From: bill@scorch.apana.org.au (Bill Dowding)\nSubject: Re: Krillean Photography\nOrganization: Craggenmoore public Unix system , Newcastle , Oz\nLines: 15\n\ntodamhyp@charles.unlv.edu (Brian M. Huey) writes:\n\n>I think that's the correct spelling..\n>\tI am looking for any information/supplies that will allow\n>do-it-yourselfers to take Krillean Pictures. I'm thinking\n>that education suppliers for schools might have a appartus for\n>sale, but I don't know any of the companies. Any info is greatly\n>appreciated.\n\nKrillean photography involves taking pictures of minute decapods resident in \nthe seas surrounding the antarctic. Or pictures taken by them, perhaps.\n\nBill from oz\n\n\n",
 'From: rdell@cbnewsf.cb.att.com (richard.b.dell)\nSubject: Re: Fujitsu 8" HDD\nKeywords: M2321K, M2322K, Fujitsu, Microdisk (-:\nOrganization: AT&T\nDistribution: na\nLines: 15\n\nIn article <1993Apr17.204351.2256@aber.ac.uk> cjp1@aber.ac.uk (Christopher John Powell) writes:\n\n[deletions]\n\n>It appears to use two balanced-line connections, but what each connection\n>corresponds to I know not. One connection is a 30-way IDC, the other a\n>60-way IDC.\n\nSounds like it is an SMD interface to me, not being at work now\nto actually count pins.  there are two varients, SMD  and\nSMDC (I think), only minor differences between them.  Widely used\nprior to the advent of SCSI for large drives (or all drives) on minis\n(and mainframes(?) no experience on those).\n\nRichard Dell\n',
 'From: billq@ms.uky.edu (Billy Quinn)\nSubject: Re: Radio Shack Battery of the Month Club\nOrganization: University Of Kentucky, Dept. of Math Sciences\nLines: 18\n\ndonrm@sr.hp.com (Don Montgomery) writes:\n\n\n>Radio Shack has canceled their "Battery of the Month" Club.  Does \n>anyone know why?  \n\n>They say they\'ll honor existing cards in customer hands, but no new\n>cards will be issued.\n\nI was told that this is an environmental based move.  I was also told that\nthere will be \'somthing\' else to replace the battery club.  Like maybe\nthe 360K floppy club ;-).\n\nWe\'ll see ....\n-- \n*-----------------------------------------------------------------------*\n*\tBill Quinn\t\t\tbillq@ms.uky.edu\t\t*\n*-----------------------------------------------------------------------*\n',
 'From: ohayon@jcpltyo.JCPL.CO.JP (Tsiel Ohayon)\nSubject: How many israeli soldiers does it take to kill a 5 yr old child?\nOrganization: James Capel Pacific Limited, Tokyo Japan\nLines: 63\n\nJLE the Great writes:\n\n[JLE] Q: How many occupying israeli soldiers (terrorists) does it\n[JLE] take to kill a 5 year old native child?\n[JLE] A: Four\n[JLE] Two fasten his arms, one shoots in the face,\n[JLE] and one writes up a false report.\n\nA couple of months ago JLE wrote a terrible C program (it would never have \npassed compilation). This is one describes JLE the Great.\n\n---- 8< Cut Here and save to jle.c ----------- >8 ----------\n\n#include <stdio.h>\n#include <signal.h>\n\n#define\tLOSER\t\t0x01\n#define\tCHILDISH\t0x01\n#define\tUNHUMORISTIC\t0x01\n#define VULGAR\t\t0x01\n#define MOSSAD_AGENT\t0x01\n\n#define J_L_E\t\tLOSER | CHILDISH | UNHUMORISTIC | VULGAR | MOSSAD_AGENT\n\nstatic void\nabort()\n{\n\tprintf("Even if she wanted, JLE\'s mother couldn\'t abort this program");\n\tprintf("\\\\n\\\\n\\\\n\\\\n");\n}\n\nvoid\nmain()\n{\n\tsignal(SIGINT,abort);\n\tprintf("This program does not help Jewish-Arab relations  :-( \\\\n");\n\n\tprintf("Hit ^C to abort \\\\n");\n\n/* Infinite loop, JLE never comes out of his world \t*/\n\n\twhile(J_L_E);\n}\n\n---- 8< Cut Here ----------- >8 ----------\n\n\nTo compile this "wonderfool" program on a unix machine try.\ncc -o jle jle.c\nor \nmake jle\n\nthen type jle at your prompt.\n\nI tried it, it works great ...\n\n\nTsiel\n-- \n----8<--------------------------------------------------------------->8------\nTsiel:ohayon@jcpl.co.jp\t   | If you do not receive this E-mail, please let me\nEmployer may not have same | know as soon as possible, if possible.\nopinions, if any !         | Two percent of zero is almost nothing.\n',
 'From: atterlep@vela.acs.oakland.edu (Cardinal Ximenez)\nSubject: Re: Pantheism & Environmentalism\nOrganization: National Association for the Disorganized\nLines: 46\n\nby028@cleveland.freenet.edu (Gary V. Cavano) writes:\n\n>...does anybody out there see the current emphasis on the\n>environment being turned (unintentionally, of course) into\n>pantheism?\n\n>I\'ve debated this quite a bit, and while I think a legitimate\n>concern for the planet is a great thing, I can easily see it\n>being perverted into something dangerous.\n\n  Many pagans are involved in environmentalism--this is only natural, since\nrespect for the earth is a fundamental tenet of all pagan denominations.  This\ndoesn\'t mean that environmentalism is wrong, any more than supporting peace in\nthe Middle East is wrong because Jews and Muslims also work for it.\n\n  Nonetheless, paganism is certainly on the rise, and we as Christians should\naddress this and look at what draws people from paganism to Christianity.  Like\nit or not, pagan religions are addressing needs that Christianity should be,\nand isn\'t.  \n  I believe that paganism has hit upon some major truths that Christianity has\nforgotten.  This doesn\'t mean that paganism is right, but it does mean that we\nhave something to learn from the pagan movement.\n  First, paganism respects the feminine.  Christianity has a long history of\noppressing women, and many (if not most) male Christians are still unable to\nlive in a non-sexist manner.  The idea that God is sexless, or that Christ \ncould have been a women and still accomplished his mission, is met with a great\ndeal of resistance.  This insistance on a male-dominated theology (and the \nmale-dominated society that goes with it) drives away many young women who have\nhad to put up with sexist attitudes in their churches.\n  Second, paganism respects the physical world.  This is an idea with great\nramifications.  One of these is environmentalism--respect for our surroundings\nand our world.  Another is integration of sexuality.  Christianity has a long\ntradition of calling ALL sexual feeelings sinful and urging people to suppress\nand deny their sexuality.  This is too much--sex is clearly a part of human\nexperience and attempting to remove it is simply not a feasible option.  \nChristianity has only begun to develop a workable sexual ethic, and paganism\nis an attractive option.\n  I\'m not advocating that Christian doctrines (no sex before marriage, etc.)\nshould be changed--just that Christians work toward a more moderate ethic of\nsexuality.  Denial of sexuality places as much emphasis on sex as unmoderated\nsexuality, and neither one does much to bring us closer to God.\n\nAlan Terlep\t\t\t\t    "Incestuous vituperousness"\nOakland University, Rochester, MI\t\t\t\natterlep@vela.acs.oakland.edu\t\t\t\t   --Melissa Eggertsen\nRushing in where angels fear to tread.\t\t\n',
 "From: galpin@cats.ucsc.edu (Dan)\nSubject: Re: BusLogic 542B questions\nOrganization: University of California; Santa Cruz\nLines: 42\nNNTP-Posting-Host: am.ucsc.edu\n\n\nIn article <tigerC5K9oy.Gx@netcom.com> tiger@netcom.com (Tiger Zhao) writes:\n>goyal@utdallas.edu (MOHIT K GOYAL) writes:\n>>Can anyone tell me if this card works with the March OS/2 2.1 beta?\n>\n> I believe so, since the Buslogic cards have proven to be very \n>reliable in OS/2 2.0....\n>\nThe BusLogic cards have an OS/2 2.0 driver that does work with the March 2.1\nbeta. Support for the BusLogic cards is not included with OS/2 2.0 any longer.\nIf you wish to install the beta from the CD/ROM, you will need to REM out the\nAdaptec device drivers, as they have a nasty tendency to crash the BusLogic\ncards when OS/2 attempts to use them. (Thanks Adaptec!) \n\nSo you add the BusLogic drivers to the config.sys on the CD-ROM boot disk, and\nREM out the Adaptec drivers.\n\nThen you install the whole 1st half of the Beta.. and it won't work! IBM\nnicely copies in the Adaptec drivers once again. (Thanks IBM!) So.. REM out\nthe Adaptec drivers once more.. and reboot. If you have everything in the\nright order.. it will work.\n\nThings are pretty smooth through the rest of the installation.. except OS/2\nwill try to install the Adaptec SCSI drivers once again at the end... so.. you\nare off to more REM statements and more fun. \n\nThe BT 542Bk comes with drivers and costs the same as the Adaptec cards that\ndo not come with drivers. The DOS drivers work great. This card can easily be\nconfigured to work with 8 different sets of I/O ports (and you can use\nmultiple host adapters in one machine) If you get a new card.. it will also be\nable to support up to 8 GB drives under DOS.\n\nHope this helps..\n\n- Dan\n\n\n-- \n******************************************************************************\n* Dan Galpin                                            galpin@cats.ucsc.edu *\n******************************************************************************\n\n",
 "From: fls@keynes.econ.duke.edu (Forrest Smith)\nSubject: Re: Braves Pitching UpdateDIR\nDistribution: usa\nOrganization: Duke University; Durham, N.C.\nLines: 14\nNntp-Posting-Host: keynes.econ.duke.edu\n\nIn article <1993Apr14.153137.1@ulkyvx.louisville.edu> pjtier01@ulkyvx.louisville.edu writes:\n>\n>If the Braves \n>continue to average 3 runs a game, then 3 is where they will finish.\n>                                                                    P. Tierney\n\tSo, if the Braves run production falls to 1 per game, which is\ncertainly where it's headed (if they're lucky), does that mean they'll finish\nfirst?\n\n-- \n@econ.duke.edu     fls@econ.duke.edu     fls@econ.duke.edu    fls@econ.duke.\ns  To my correspondents:  My email has been changed.                       e\nl                         My new address is:  fls@econ.duke.edu            d\nf            If mail bounces, try fls@raphael.acpub.duke.edu               u\n",
 'From: eyc@acpub.duke.edu (EMIL CHUCK)\nSubject: Re: Bill \'Blame America First\' Clinton Strikes Again.\nSummary: Repost from alt.rush-limbaugh\nDistribution: na\nOrganization: Duke University; Durham, N.C.\nLines: 31\nNntp-Posting-Host: red5.acpub.duke.edu\n\njeddi@next06pg2.wam.umd.edu (Anheuser Busch) writes:\n >This argument sounds very stupid.. if the ability to make guns from\n >"simple metalworking" was easy,  then Drug dealers would make their own \n >wouldn\'t they???.. why spend hundreds of dollars buying a gun that\n >somebody else made cheap and is selling it to you at an\n >exorbitant markup???... The simple truth of the matter is, that regardless\n >of how easy it is to make guns, banning guns will reduce the \n >the number of new guns and seriuosly impede the efforts of a \n >killer intent on buying a weapon....\n >To show why the tools argument is the silliest i have ever seen.. take an\n >analogy from computer science... almost every computer science major\n >can write a "wordprocessor" yet we(comp sci majors)  would willingly pay 3  \n >to 400 bucks for a professional software like wordperfect... why don\'t we  \n >just all write our own software???...... Because it is highly  \n >inconvinient!!!..\n >Same with guns... secondly.. how does one get this gunpowder for the \n >"home made gun" ??? Take a quick trip to the local 7-eleven???.\n > If guns were really that simple to make... the Bosnian muslims would\n >be very happy people (or is it the case that metalworking tools are\n >banned in bosnia??? (deep sarcasm)  ).\n >\n >well this is my two cents..\n >   i will now resume reading all these ridiculus post from people\n >     who must make their living doing stand-up comedy.\n** END OF FORWARDED MATERIAL **\n\n-- \nAnd so, the rubber spheroid arced beneath the brilliant lights.\nHeaded for a hoop of dreams he\'d dreamt of all those nights.\nThe crowd gasped as the ball descended; Would it grant their fondest wish?\nThere was no doubt in Casey\'s mind, He knew it was a *SWISH*!\n',
 'From: pmw0@ns1.cc.lehigh.edu (PHILLIP MICHAEL WILLIAMS)\nSubject: X Windows for windows\nOrganization: Lehigh University\nLines: 7\n\nAre there any X window servers that can run under MS-Windows??  I only know of\nDeskview but have not seen it in action.  Are there any others??\n\nThanks in advance.\n\nPhil\npmw0@Lehigh.edu\n',
 'From: maynard@ramsey.cs.laurentian.ca (Roger Maynard)\nSubject: Re: div. and conf. names\nOrganization: Dept. of Computer Science, Laurentian University, Sudbury, ON\nDistribution: na\nLines: 63\n\nIn <C5pDGI.LJL@news.cso.uiuc.edu> epritcha@s.psych.uiuc.edu ( Evan Pritchard) writes:\n\n>\tI think that you are incorrect, Roger.  Patrick,\n>Smythe and Adams all played or coached in the league before becoming\n>front office types.  Hence, they did help build the league, although\n>they were not great players themselves.  \n\nPunch Imlach\'s contributions as a coach and GM were far greater than\nthose of the above combined.  Should we name a division or trophy after\nhim?  Smythe and Norris and the bunch were honoured purely because they\nwere powerful owners.  As owners they certainly did help to build the\nleague but whether they developed the game is another question altogether.\nAre we going to honour those who contributed to the league\'s evolution\nor are we going to honour those who contributed to the glory of the \nsport itself?   \n\n>\tI agree that a name is a name is a name, and if some people\n>have trouble with names that are not easily processed by the fans,\n>then changing them to names that are more easily processed seems like\n>a reasonable idea.  If we can get people in the (arena) door by being\n>uncomplicated, then let\'s do so.  Once we have them, they will realize\n>what a great game hockey is, and we can then teach them something\n>abotu the history of the game.  \n\nI can\'t disagree with you here.\n\n>>The history of the names can be put rather succinctly.  All of the aforemen-\n>>tioned used the game of hockey to make money.  Can you imagine a Pocklington\n>>division?  A Ballard division?  Or how about a Green division?\n\n>\tNo, I would not want to see a Ballard division.  But to say\n>that these owners are assholes, hence all NHL management people are\n>assholes would be fallacious.  Conn Smythe, for example, was a classy\n>individual (from what I have heard). \n\nWhat have you heard?  The Major was the *definitive* little asshole!  He\noriginated the phrase "if you can\'t beat \'em in the alley you can\'t beat\n\'em on the ice."  That was his idea of hockey.  Do you think, by chance,\nthat Don Cherry is a classy individual?\n\n>\tAlso, isn\'t the point of "professional" hockey to make money\n>for all those involved, which would include the players.  What I think\n>you might be saying is that the players have not made as much money as\n>should have been their due, and it is the players that are what make\n>the game great not the people who put them on the ice, so naming\n>division after management people rather than players is adding insult\n>(in the form of lesser recognition) to injury (less money than was\n>deserved).   \n\nThe money issue is irrelevant to the point that we would agree on, and\nthat is: "it is the players that are what make the game great and not the\npeople who put them on the ice"\n\nExactly true.  Naming divisions and trophies after Smythe and the bunch\nis the same kind of nepotism that put Stein in the hall of fame.  I have\nalways thought that this was nonsense.\n\n\n-- \n\ncordially, as always,                      maynard@ramsey.cs.laurentian.ca \n                                           "So many morons...\nrm                                                   ...and so little time." \n',
 "From: steveg@cadkey.com (Steve Gallichio)\nSubject: Re: This year's biggest and worst (opinion)...\nKeywords: NHL, awards\nArticle-I.D.: access.1pstuo$k4n\nOrganization: Cadkey, Inc.\nLines: 53\nNNTP-Posting-Host: access.digex.net\n\n\n\nBryan Smale (smale@healthy.uwaterloo.ca) writes:\n> I was thinking about who on each of the teams were the MVPs, biggest\n> surprises, and biggest disappointments this year.\n>\n> -----------------------------------------------------------------------\n>                         Team           Biggest       Biggest\n> Team:                   MVP:           Surprise:     Disappointment:\n> -----------------------------------------------------------------------\n> Hartford Whalers        Sanderson      Cassells      Corriveau\n\nMy votes (FWIW):\n\nTeam MVP: Pat Verbeek. He fans on 25% of goal mouth feeds, but he still has \n36 goals after a terrible start and has been an examplary (sp?) team captain\nthroughout a tough couple of seasons. Honorable mention: Nick Kypreos and\nMark Janssens. Probably more appropriate in the unsung heroes category than\nMVP, but Kypreos (17 goals, 320+ PIM) has been the hardest working player on\nthe team and Janssens is underrated as a defensive center and checker. I guess\nI place a greater emphasis on hard work than skill when determining value.\n\nBiggest surprise: Geoff Sanderson. He had 13 goals and 31 points last season\nas a center, then moved to left wing and has so far put up 45 goals and 80+\npoints. He now has a new Whaler record 21 power play goals, most all coming\nfrom the right wing faceoff circle, his garden spot. Honorable mention: Andrew\nCassels and Terry Yake. The kiddie quartet of Sanderson, Poulin, Nylander, and\nPetrovicky have been attracting the most attention, but Cassels is just 23\nand will score close to 90 points this season. He has quite nicely assumed the\nrole of number one center on the team and works very well with Sanderson. Yake\nbounced around the minors for a number of seasons but is still 24 and will put\nup about 20 goals and 50 points this season. Yake, like Sanderson, started\nperforming better offensively once he was converted from center to wing, \nalthough lefty Sanderson went to the left wing and righty Yake went to the\nright side.\n\nBiggest disappointment: Hands down, John Cullen. Cullen had a disasterous 77\npoint season last year, his first full season after The Trade. Cullen started\nthe season off of summer back surgery, and fell flat on his face (appropriate,\nsince he spent all of his Whaler career flat on his ass, and whining about it).\nCullen scored just 9 point on 19 games, was a clubhouse malcontent, commanded\nthe powerplay to a 9% success percentage (>21% with Sanderson), and sulked his\nway out of town. Worst of all, his 4 year, $4M contract had three years left\nto run, so no one would give up any more than the 2nd round draft pick the \nMaple Leafs offered to Hartford. Honorable mention: Steve Konroyd, also subpar\nafter signing a 3 year, $2.1M contract; Eric Weinrich, who showed flashes of\ncompetence, but overall has played poorly; Jim McKenzie, who was a much better\nhockey player two seasons ago than he is now; and Frank Pietrangelo, who only\nseemed to play well when Sean Burke was out for an extended period and he got\nto make a number of starts in a row.\n\n-SG (a real live Hartford Whalers season ticket holder)\n-steveg@cadkey.com\n",
 'From: aa229@Freenet.carleton.ca (Steve Birnbaum)\nSubject: Re: rejoinder. Questions to Israelis\nReply-To: aa229@Freenet.carleton.ca (Steve Birnbaum)\nOrganization: The National Capital Freenet\nLines: 34\n\n\nIn a previous article, cpr@igc.apc.org (Center for Policy Research) says:\n\n>today ?  Finally, if Israel wants peace, why can\'t it declare what\n>it considers its legitimate and secure borders, which might be a\n>base for negotiations? Having all the above facts in mind, one\n>cannot blame Arab countries to fear Israeli expansionism, as a\n>number of wars have proved (1948, 1956, 1967, 1982).\n\nOh yeah, Israel was really ready to "expand its borders" on the holiest day\nof the year (Yom Kippur) when the Arabs attacked in 1973.  Oh wait, you\nchose to omit that war...perhaps because it 100% supports the exact \nOPPOSITE to the point you are trying to make?  I don\'t think that it\'s\nbecause it was the war that hit Israel the hardest.  Also, in 1967 it was\nEgypt, not Israel who kicked out the UN force.  In 1948 it was the Arabs\nwho refused to accept the existance of Israel BASED ON THE BORDERS SET\nBY THE UNITED NATIONS.  In 1956, Egypt closed off the Red Sea to Israeli\nshipping, a clear antagonistic act.  And in 1982 the attack was a response\nto years of constant shelling by terrorist organizations from the Golan\nHeights.  Children were being murdered all the time by terrorists and Israel\nfinally retaliated.  Nowhere do I see a war that Israel started so that \nthe borders could be expanded.\n \n   Steve\n-- \n------------------------------------------------------------------------------\n|   Internet: aa229@freenet.carleton.ca              Fidonet: 1:163/109.18   |\n|             Mossad@qube.ocunix.on.ca                                       |\n|    <<My opinions are not associated with anything, including my head.>>    |\n',
 'From: fierkelab@bchm.biochem.duke.edu (Eric Roush)\nSubject: Re: Young Catchers\nArticle-I.D.: news.12799\nOrganization: Biochemistry\nLines: 139\nNntp-Posting-Host: bruchner.biochem.duke.edu\n\nSince I was the one responsible for these divergent threads of\napprox. 40+ posts (going back to: The Braves could be better off\nif an injury happens), I may as well inject a little more\nfuel to the flame!\n\n1)  Back at the beginning of Spring Training, I though\nLopez would make the squad easily.  Olson was still\nrecovering from his late-season injury (knee, I believe),\nand there were questions as to whether he would be\nable to play before June.  And then Berryhill was dinged up.\n\nI was looking forward to this, because I believe that Lopez\ncan hit AND field the position.  Before last season, he was\nthe Braves "Defensive Catcher" prospect, while Brian Deak was\nthe Braves "Offensive Catcher" prospect.  Besides, Olson\nand Berryhill couldn\'t hit their way out of a wet cardboard\nbox, and don\'t walk enough to be useful.\n\nBut Olson recovered quickly, Berryhill recovered, and the Braves went\nwith the two vets.  I still say that if one of those two had been down\nat the start of the season, he wouldn\'t have gotten his job back.\n\n2)  There is a certain logic to keeping Olson and Berryhill around.\nAfter all, ML catchers are in short supply and suffer from wear and\ntear.  There are teams out there without ONE average ML catcher\n(California and Seattle come to mind).  Certainly, trying to\nmove Olson or Berryhill through waivers would be unlikely to work.\nPlus, you\'d have to eat that salary, which isn\'t huge, but isn\'t\ntiddleywinks either (I think Olson\'s at about $800,000, Berryhill\nat $450,000, but that\'s only what I recall).\n\n3)  Yes, I think arbitration-eligibility may have a role to\nplay in this also.  What is it, that 5/6 of the 2+year players\naren\'t eligible for arbitration?   Only the 1/6 that were on the roster\nthe longest are eligible?  Of course, the system may change,\nbut the extent of that change is not yet known.  From a business\nstandpoint, it may make sense to keep Lopez down until June/the\nfirst time Olson/Berryhill go on the DL.\n\n4)  I am still disappointed that Lopez isn\'t on the team.\nI still prefer to think of myself as a fan when it comes to the Braves,\nand the truth is that I\'d rather see our best team on the field,\nwhich, IMO, includes Lopez.\n\nOf course,today we play the Cubs.  Hopefully, we won\'t need him. ;)\n\nAs for the Schuerholz/Cox conversation, I imagine it went\nlike this:  (Remember, they\'ve BOTH been GM\'s)\n(the following is not meant to be read by the humor-impaired)\n\nCox:  OK, we\'ve sent Jones down.  His fielding could be a\nlittle smoother.  Besides, Blauser can hit OK and his fielding\nis better than it used to be.\n\nSchuerholz:  Well, we\'ll have to send Nieves down too.  Deion\njust won\'t sign that baseball only contract.  We can\'t count\non him in October, so we have to keep Nixon around for the\ndefense.  Besides, Gorman\'s not ready to give up on\nBilly Hatcher yet.  Once Hatcher\'s gone AND Deion signs,\nwe can move Nixon for Frankie Rodriguez.  That ought to\ngive us some pitching depth in 1995.\n\nCox:  Yep, that\'ll be nice.  Too bad Deion won\'t sign.\nOK, I\'ll look for Nieves when Justice starts having\nBerry-Berry...er, back problems again.  Now, what about\nKlesko?\n\nSchuerholz:  Well, we\'ve still got to fork out another 1.5 mil\nfor Bream.  If we keep Klesko, we either lose the money\nor Cabrera.  I keep dangling Sid in front of Dal Maxwell,\nbut somehow he doesn\'t seem to be the same GM.  First\nJeffries for Jose, and now Whiten for Clark!  If he\ngets rid of Brian Jordan, then I\'d HAVE to believe that he\nand Whitey Herzog switched bodies at the Winter Meetings!\n\nCox:  OK, keep trying on Bream, and I\'ll wait til the trading\ndeadline for my Hunter/Klesko platoon.  Maybe I can get a few\nextra at-bats for Cabrera while we wait.  Try California...\nif Snow starts slowly, maybe WhiteyDal will bite on Sid.\nAnd if that doesn\'t work, then perhaps Sid\'s knees\ncould be "persuaded" to act up.  There\'s always the\n15-day DL!  Mwa-ha-ha-ha-ha!\n\nSchuerholz:  What about Caraballo?\n\nCox:  Well, he\'s not that much better than Lemke.  Maybe if he starts\nin Richmond, he\'ll start walking more.  Besides, if he\'s going to be\narbitration-eligible, better to stretch him out so that we actually\nget some value from him before he makes the big bucks.\n\nSchuerholz:  Now, let\'s see.  That leaves Lopez.\n\nCox:  NOOOOO!  I gotta keep Lopez!  Sure, I didn\'t think Olson\nwould recover this quickly.  Maybe I can talk Caminiti into\nrunning into him again?\n\nSchuerholz:  Nope, Lopez has gotta go.  You know that he\'ll get\n$3 million in arbitration.  May as well put it off that one\nextra year.  Besides, until Olson\'s shown his stuff a little\nbit, I can\'t trade him.  Besides, Berryhill\'s a left-handed\nhitter.  You know how rare that is?\n\nCox:  Don\'t you mean a left-handed whiffer?  Pretty common,\nif you ask me.  I mean, he made Pat Borders look good in\nthe World Series.  PAT BORDERS!!!\n\nSchuerholz:  Hey, you\'re the one who wouldn\'t write Lopez\ninto the lineup.\n\nCox:  Well, you\'re the one who went out and got me Jeff\nReardon!  Besides, I thought Lopez wouldn\'t be used\nto our pitching staff\'s stuff.  He got some time with\nthem this spring...looked pretty good.  Come on, surely\nwe only need to keep one stiff behind the plate?\n\nSchuerholz:  Yeah, but which stiff?  Whichever one we keep\nwill be hurt by May.\n\nCox:  OK, OK, you made your point.  Keep them both.  Surely\none of them will be on the DL by June at the latest.  Then I\ncan call up Lopez, and then we can win 110 games!  The Pennant!\nTHE WORLD SERIES!  I\'ll be up there with John McGraw!  Casey\nStengel!  Earl Weaver!  Oh, they laughed at me in Toronto,\nbut have you ever had to deal with George Bell?  I\'ll finally\nget my just reward!  Mwa-ha-ha-ha!\n\nSchuerholz:  Easy, Bobby.  Have you been taking those\n"happy pills" left around by Chuck Tanner?  Why\'d you\never hire that guy anyhow?\n\nCox:  Don\'t ask me; ask Ted.\n\n-------------------------------------------------------\nEric Roush\t\tfierkelab@\tbchm.biochem.duke.edu\n"I am a Marxist, of the Groucho sort"\nGrafitti, Paris, 1968\n\nTANSTAAFL! (although the Internet comes close.)\n--------------------------------------------------------\n',
 "From: n8846069@henson.cc.wwu.edu (BarryB)\nSubject: Re: Plymouth Sundance/Dodge Shadow experiences?\nArticle-I.D.: henson.1993Apr18.083715.21366\nDistribution: usa\nOrganization: Western Washington University\nLines: 25\n\ndaubendr@NeXTwork.Rose-Hulman.Edu (Darren R Daubenspeck) writes:\n\n>> they are pretty much junk, stay away from them.  they will be replaced next\n>> year with all new models.  \n\n>Junk?They've made the C&D lists for years due to their excellent handling and \n>acceleration.They have been around since about, oh, 85 or 86, so they're not  \n>the newest on the lot, and mileage is about five to eight MPG under the class\n>leader. You can get into a 3.0 L v-6 (141 hp) Shadow for $10~11K (the I-4  \n>turbo a bit more), and a droptop for $14~15K.  \n\nHow can car be any good that has\n\n          S     N     A    C\n             U     D     N    E\n\nwritten on the back with crooked letters as if a 2-year-old had\nwritten it?  Hehhehehehahaha!\n\n(About as silly as Crysler's attemps to make the label on the back\nof some of their other cars appear like they are Mercedes.)\n\nSorry, I couldn't resist...\n\n-BarryB\n",
 'From: rkim@mars.uucp (Richard H.S. Kim)\nSubject: Need sources for HV capacitors.\nArticle-I.D.: nic.1993Apr5.213718.4721\nDistribution: usa\nOrganization: Triacus Inc.\nLines: 26\nNntp-Posting-Host: mars.calstatela.edu\n\nRecently, my video monitor went dead, no picture, some low distorted sound.\nI didn\'t hear the tell-tale cracking that indicated HV at work, nor are the\nfilaments at the far end of the tube glowing orange, just nothing.\n\nOn examining the power board, I noticed the largest capacitor with a very\nbad bulge at the top.  Naturally, I want to replace it, but I can\'t find\nany sources.\n\nThe electrolytic capacitor is 330 mF at 250WV.  It has radial leads, and is\nroughly 1 1/2 inches long, 1 1/8" wide.  The dimensions are important since\nthe whole board fits in a metal cage, leaving little room.\n\nLiving in the Los Angeles area, I\'ve been to numerous stores (Dow Radio,\nAll Electronics, ITC Elect, Sandy\'s, Yale Elect) with empty hands.\n\nCan anyone suggest sources for high-voltage capacitors?  Mail order is \nfine, although I\'d rather check out a store to compare the can.  I\'m going\nto try a video electronics store, hopefully they\'ll have HV caps.\n\n(By the way, the monitor is a ATARI SC1224, Goldstar circuitry, Masushita\ntube.  Anyone else had problems?)\n\nThanks in advance,\nRich K.\n\nemail>  rkim@opus.calstatela.edu\n',
 'From: swkirch@sun6850.nrl.navy.mil (Steve Kirchoefer)\nSubject: 3rd CFV and VOTE ACK: misc.health.diabetes\nOrganization: Naval Research Laboratory  (Electronics Science and Technology Division)\nLines: 198\nNNTP-Posting-Host: rodan.uu.net\n\nThis is the third and final call for votes for the creation of the\nnewsgroup misc.health.diabetes.  A mass acknowledgement of valid votes\nreceived as of April 19th 14:00 GMT appears at the end of this\nposting.  Please check the list to be sure that your vote has been\nregistered.  Read the instructions for voting carefully and follow\nthem precisely to be certain that you place a proper vote.\n \nInstructions for voting:\n \nTo place a vote FOR the creation of misc.health.diabetes, send an\nemail message to yes@sun6850.nrl.navy.mil\n \nTo place a vote AGAINST creation of misc.health.diabetes, send an\nemail message to no@sun6850.nrl.navy.mil\n \nThe contents of the message should contain the line "I vote\nfor/against misc.health.diabetes as proposed".  Email messages sent to\nthe above addresses must constitute unambiguous and unconditional\nvotes for/against newsgroup creation as proposed.  Conditional votes\nwill not be accepted.  Only votes emailed to the above addresses will\nbe counted; mailed replies to this posting will be returned.  In the\nevent that more than one vote is placed by an individual, only the\nmost recent vote will be counted.\n \nVoting will continue until 23:59 GMT, 29 Apr 93.\nVotes will not be accepted after this date.\n \nAny administrative inquiries pertaining to this CFV may be made by\nemail to swkirch@sun6850.nrl.navy.mil\n \nThe proposed charter appears below.\n \n--------------------------\n \nCharter:  \n \nmisc.health.diabetes                            unmoderated\n \n1.   The purpose of misc.health.diabetes is to provide a forum for the\ndiscussion of issues pertaining to diabetes management, i.e.: diet,\nactivities, medicine schedules, blood glucose control, exercise,\nmedical breakthroughs, etc.  This group addresses the issues of\nmanagement of both Type I (insulin dependent) and Type II (non-insulin\ndependent) diabetes.  Both technical discussions and general support\ndiscussions relevant to diabetes are welcome.\n \n2.   Postings to misc.heath.diabetes are intended to be for discussion\npurposes only, and are in no way to be construed as medical advice.\nDiabetes is a serious medical condition requiring direct supervision\nby a primary health care physician.  \n \n-----(end of charter)-----\n \nThe following individuals have sent in valid votes:\n \n9781BMU@VMS.CSD.MU.EDU                  Bill Satterlee\na2wj@loki.cc.pdx.edu                    Jim Williams\nac534@freenet.carleton.ca               Colin Henein\nad@cat.de                               Axel Dunkel\nal198723@academ07.mty.itesm.mx          Jesus Eugenio S nchez Pe~a\nanugula@badlands.NoDak.edu              RamaKrishna Reddy Anugula\napps@sneaks.Kodak.com                   Robert W. Apps\narperd00@mik.uky.edu                    alicia r perdue\nbaind@gov.on.ca                         Dave Bain\nbalamut@morris.hac.com                  Morris Balamut\nbch@Juliet.Caltech.Edu\nBGAINES@ollamh.ucd.ie                   Brian Gaines\nBjorn.B.Larsen@delab.sintef.no\nbobw@hpsadwc.sad.hp.com                 Bob Waltenspiel\nbruce@uxb.liverpool.ac.uk               bruce\nbspencer@binkley.cs.mcgill.ca           Brian SPENCER\ncline@usceast.cs.scarolina.edu          Ernest A. Cline\ncoleman@twin.twinsun.com                Mike Coleman\ncompass-da.com!tomd@compass-da.com      Thomas Donnelly\ncsc@coast.ucsd.edu                      Charles Coughran\ncurtech!sbs@unh.edu                     Stephanie Bradley-Swift\ndebrum#m#_brenda@msgate.corp.apple.com  DeBrum, Brenda\ndlb@fanny.wash.inmet.com                David Barton\ndlg1@midway.uchicago.edu                deborah lynn gillaspie\ndougb@comm.mot.com                      Douglas Bank\ned@titipu.resun.com                     Edward Reid\nedmoore@hpvclc.vcd.hp.com               Ed Moore\nejo@kaja.gi.alaska.edu                  Eric J. Olson\nemcguire@intellection.com               Ed McGuire\newc@hplb.hpl.hp.com                     Enrico Coiera\nfeathr::bluejay@ampakz.enet.dec.com\nfranklig@GAS.uug.Arizona.EDU            Gregory C Franklin \nFSSPR@acad3.alaska.edu                  Hardcore Alaskan\ngabe@angus.mi.org                       Gabe Helou\ngasp@medg.lcs.mit.edu                   Isaac Kohane\ngasp@medg.lcs.mit.edu                   Isaac Kohane\nGeir.Millstein@TF.tele.no\nggurman@cory.Berkeley.EDU               Gail Gurman\nggw@wolves.Durham.NC.US                 Gregory G. Woodbury\ngreenlaw@oasys.dt.navy.mil              Leila Thomas\ngrm+@andrew.cmu.edu                     Gretchen Miller\nhalderc@cs.rpi.edu\nHANDELAP%DUVM.BITNET@pucc.Princeton.EDU Phil Handel\nhansenr@ohsu.EDU\nhc@Nyongwa.cam.org                      hc\nheddings@chrisco.nrl.navy.mil           Hubert Heddings\nherbison@lassie.ucx.lkg.dec.com         B.J.\nhmpetro@mosaic.uncc.edu                 Herbert M Petro\nHOSCH2263@iscsvax.uni.edu\nhrubin@pop.stat.purdue.edu              Herman Rubin\nHUDSOIB@AUDUCADM.DUC.AUBURN.EDU         Ingrid B. Hudson\nhuff@MCCLB0.MED.NYU.EDU                 Edward J. Huff\nhuffman@ingres.com                      Gary Huffman\nHUYNH_1@ESTD.NRL.NAVY.MIL               Minh Huynh\nishbeld@cix.compulink.co.uk             Ishbel Donkin\nJames.Langdell@Eng.Sun.COM              James Langdell\njamyers@netcom.com                      John A. Myers\njc@crosfield.co.uk                      jerry cullingford\njesup@cbmvax.cbm.commodore.com          Randell Jesup\njjmorris@gandalf.rutgers.edu            Joyce Morris\njoep@dap.csiro.au                       Joe Petranovic\nJohn.Burton@acenet.auburn.edu           John E. Burton Jr.\njohncha@comm.mot.com\nJORGENSONKE@CC.UVCC.EDU\njpsum00@mik.uky.edu                     joey p sum\nJTM@ucsfvm.ucsf.edu                     John Maynard\njulien@skcla.monsanto.com\nkaminski@netcom.com                     Peter Kaminski\nkerry@citr.uq.oz.au                     Kerry Raymond\nkieran@world.std.com                    Aaron L Dickey\nknauer@cs.uiuc.edu                      Rob Knauerhase\nkolar@spot.Colorado.EDU                 Jennifer Lynn Kolar\nkriguer@tcs.com                         Marc Kriguer\nlau@ai.sri.com                          Stephen Lau\nlee@hal.com                             Lee Boylan\nlmt6@po.cwru.edu\nlunie@Lehigh.EDU\nlusgr@chili.CC.Lehigh.EDU               Stephen G. Roseman\nM.Beamish@ins.gu.edu.au                 Marilyn Beamish\nM.Rich@ens.gu.edu.au                    Maurice H. Rich.\nmaas@cdfsga.fnal.gov                    Peter Maas\nmacridis_g@kosmos.wcc.govt.nz           Gerry Macridis\nmarkv@hpvcivm.vcd.hp.com                Mark Vanderford\nMASCHLER@vms.huji.ac.il\nmcb@net.bio.net                         Michael C. Berch\nmcday@ux1.cso.uiuc.edu\nmcookson@flute.calpoly.edu\nmfc@isr.harvard.edu                     Mauricio F Contreras\nmg@wpi.edu                              Martha Gunnarson\nmhollowa@libserv1.ic.sunysb.edu         Michael Holloway\nmisha@abacus.concordia.ca               MISHA GLOUBERMAN \nmjb@cs.brown.edu                        Manish Butte\nMOFLNGAN@vax1.tcd.ie\nmuir@idiom.berkeley.ca.us               David Muir Sharnoff\nNancy.Block@Eng.Sun.COM                 Nancy Block\nndallen@r-node.hub.org                  Nigel Allen\nnlr@B31.nei.nih.gov                     Rohrer, Nathan\nowens@cookiemonster.cc.buffalo.edu      Bill Owens\npams@hpfcmp.fc.hp.com                   Pam Sullivan\npapresco@undergrad.math.uwaterloo.ca    Paul Prescod\npaslowp@cs.rpi.edu\npillinc@gov.on.ca                       Christopher Pilling\npkane@cisco.com                         Peter Kane\npopelka@odysseus.uchicago.edu           Glenn Popelka\npulkka@cs.washington.edu                Aaron Pulkka\npwatkins@med.unc.edu                    Pat Watkins\nrbnsn@mosaic.shearson.com               Ken Robinson\nrick@crick.ssctr.bcm.tmc.edu            Richard H. Miller\nrobyn@media.mit.edu                     Robyn Kozierok\nrolf@green.mathematik.uni-stuttgart.de  Rolf Schreiber\nsageman@cup.portal.com\nsasjcs@unx.sas.com                      Joan Stout\nSCOTTJOR@delphi.com\nscrl@hplb.hpl.hp.com\nscs@vectis.demon.co.uk                  Stuart C. Squibb\nshan@techops.cray.com                   Sharan Kalwani\nsharen@iscnvx.lmsc.lockheed.com         Sharen A. Rund\nshazam@unh.edu                          Matthew T Thompson\nshipman@csab.larc.nasa.gov              Floyd S. Shipman\nshoppa@ERIN.CALTECH.EDU                 Tim Shoppa\nslillie@cs1.bradley.edu                 Susan Lillie\nsteveo@world.std.com                    Steven W Orr\nsurendar@ivy.WPI.EDU                    Surendar Chandra\nswkirch@sun6850.nrl.navy.mil            Steven Kirchoefer\nS_FAGAN@twu.edu\nTARYN@ARIZVM1.ccit.arizona.edu          Taryn L. Westergaard\nThomas.E.Taylor@gagme.chi.il.us         Thomas E Taylor\ntima@CFSMO.Honeywell.COM                Timothy D Aanerud\ntsamuel%gollum@relay.nswc.navy.mil      Tony Samuel\nU45301@UICVM.UIC.EDU                    M. Jacobs  \nvstern@gte.com                          Vanessa Stern\nwahlgren@haida.van.wti.com              James Wahlgren\nwaterfal@pyrsea.sea.pyramid.com         Douglas Waterfall\nweineja1@teomail.jhuapl.edu\nwgrant@informix.com                     William Grant\nYEAGER@mscf.med.upenn.edu\nyozzo@watson.ibm.com                    Ralph E. Yozzo\nZ919016@beach.utmb.edu                  Molly Hamilton\n-- \nSteve Kirchoefer                                             (202) 767-2862\nCode 6851                                      kirchoefer@estd.nrl.navy.mil\nNaval Research Laboratory                       Microwave Technology Branch\nWashington, DC  20375-5000              Electronics Sci. and Tech. Division\n',
 "From: heuvel@neptune.iex.com (Ted Van Den Heuvel)\nSubject: Motorola MC143150 and MC143120 \nOriginator: heuvel@neptune.iex.com\nOrganization: iex\nLines: 6\n\n\nDoes anyone out there know of any products using Motorola's Neuron(r) chips MC143150 or MC143120. If so, what are they and are they utilizing Standard Network Variable Types (SNVT)?\n_________________________________________________________________________________\n\nTed Van Den Heuvel   heuvel@neptune.iex.com\nKX5P\n",
 "From: keith@radio.nl.nuwc.navy.mil\nSubject: Tektronix 453 scope for sale\nArticle-I.D.: radio.621\nLines: 19\nX-Received: by usenet.pa.dec.com; id AA26712; Tue, 6 Apr 93 14:51:58 -0700\nX-Received: by inet-gw-1.pa.dec.com; id AA16134; Tue, 6 Apr 93 14:51:53 -0700\nX-To: misc.forsale.usenet\n\nTektronix 453 scope for sale:\n\n  - 50MHz bandwidth\n  - portable (NOT one of the 5xx series boatanchors! :^)\n  - delayed sweep\n  - works fine\n  - I don't have the manual (they are available from various places)\n  - no probes\n\n  - $275 + shipping\n\nEmail me for more info...\n\nRegards,\nKeith\n\n----\nKeith Kanoun, WA2Q\nkdk@radio.nl.nuwc.navy.mil\n",
 'From: thf2@kimbark.uchicago.edu (Ted Frank)\nSubject: Players Overpaid?\nArticle-I.D.: midway.1993Apr5.231343.17894\nReply-To: thf2@midway.uchicago.edu\nOrganization: University of Chicago\nLines: 42\n\nThere\'s a lot of whining about how much players are overpaid.  I thought\nI\'d put together an underpaid team that could win a pennant.  I splurged\nand let four of the players earn as much as half a million dollars; the\nhighest-paid player is Frank Thomas, at $900K.  I cut some players, like\nKenny Lofton, Chris Hoiles, Keith Mitchell, Tim Wakefield, and a bunch\nof pitchers, all of whom could have arguably made the team better at a\ncost of $1 million for the lot of them.  The total team salary is \n$7,781,500, averaging slightly over $300K a player.  If that\'s too steep,\nyou can dump Thomas and Bagwell, replacing them with Paul Sorrento and\na minimum wager to save a bit over a million dollars, and still have one\nof the best teams in the majors.\n\np, Juan Guzman, 500\np, Mussina,\t400\np, Castillo,    250\np, Eldred,      175\np, Rhodes,\t155\np, Militello,   118\nrp, Rojas,\t300\nrp, Beck,\t250\nrp, Melendez,   235\nrp, Hernandez,\t185\nrp, Nied,\t150\nc, Rodriguez,\t275\nc, Piazza,      126\n1b, Thomas,\t900\n1b, Bagwell,    655\n2b, Knoblauch,\t500\n2b, Barberie,\t190\n3b, Gomez,\t312.5\n3b, Palmer,\t250\nss, Listach,\t350\nss, Pena,\t170\nlf, Gonzalez,\t525\ncf, Lankford,\t290\nrf, R.Sanders,\t275\nof, Plantier,\t245\n-- \nted frank                 | "However Teel should have mentioned that though \nthf2@kimbark.uchicago.edu |  his advice is legally sound, if you follow it \nthe u of c law school     |  you will probably wind up in jail."\nstandard disclaimers      |                    -- James Donald, in misc.legal\n',
 'From: nelson@seahunt.imat.com (Michael Nelson)\nSubject: Re: Boom! Dog attack!\nNntp-Posting-Host: seahunt.imat.com\nOrganization: SeaHunt, San Francisco CA\nLines: 15\n\nIn article <9426.97.uupcb@compdyn.questor.org> ryan_cousineau@compdyn.questor.org (Ryan Cousineau)  writes:\n>\n>Interestingly, the one thing that never happened was that the bike never\n>moved off course. \n\n\tUnfortunately, I am one of the "negative-impaired".  The\n\tabove sentence says (I believe), that the bike DID move\n\toff course.  Of course.\n\n\t\t\t\t;-)  Michael\n-- \n+-------------------------------------------------------------+\n| Michael Nelson                                1993 CBR900RR |\n| Internet: nelson@seahunt.imat.com                 Dod #0735 |\n+-------------------------------------------------------------+\n',
 'From: pyron@skndiv.dseg.ti.com (Dillon Pyron)\nSubject: Re: Founding Father questions\nLines: 35\nNntp-Posting-Host: skndiv.dseg.ti.com\nReply-To: pyron@skndiv.dseg.ti.com\nOrganization: TI/DSEG VAX Support\n\n\nIn article <1993Apr5.153951.25005@eagle.lerc.nasa.gov>, pspod@bigbird.lerc.nasa.gov (Steve Podleski) writes:\n>arc@cco.caltech.edu (Aaron Ray Clements) writes:\n>>Wasn\'t she the one making the comment in \'88 about George being born with\n>>a silver foot in his mouth?  Sounds like another damn politician to me.\n>>\n>>Ain\'t like the old days in Texas anymore.  The politicians may have been\n>>corrupt then, but at least they\'d take a stand.  (My apologies to a few\n>>exceptions I can think of.)  \n>>\n>>News now is that the House may already have a two-thirds majority, so \n>>her "opposition" out of her concern for image (she\'s even said this\n>>publicly) may not matter.\n>\n>Do people expect the Texans congressmen to act as the N.J. Republicans did?\n\nThere is a (likely) veto proof majority in the house.  The Senate,\nunfortunately, is a different story.  The Lt.Gov. has vowed that the bill will\nnot be voted on, and he has the power to do it.  In addition, the Senate is a\nmuch smaller, and more readily manipulated body.\n\nOn ther other hand, the semi-automatic ban will likely not live, as at least\nfifty per cent of the house currently opposes it, and it is VERY far down in\nthe bill order in the Senate (I believe it will be addressed after the CCW\nbill).\n\nAnd I thought my TX Political Science class was a waste of time!\n--\nDillon Pyron                      | The opinions expressed are those of the\nTI/DSEG Lewisville VAX Support    | sender unless otherwise stated.\n(214)462-3556 (when I\'m here)     |\n(214)492-4656 (when I\'m home)     |God gave us weather so we wouldn\'t complain\npyron@skndiv.dseg.ti.com          |about other things.\nPADI DM-54909                     |\n\n',
 'From: phoenix.Princeton.EDU!carlosn (Carlos G. Niederstrasser)\nSubject: Re: Jemison on Star Trek\nOriginator: news@nimaster\nNntp-Posting-Host: chroma.princeton.edu\nOrganization: Princeton University\nLines: 33\n\nIn article <1993Apr20.142747.1@aurora.alaska.edu> nsmca@aurora.alaska.edu  \nwrites:\n> In article <C5sB3p.IB9@fs7.ece.cmu.edu>, loss@fs7.ECE.CMU.EDU (Doug Loss)  \nwrites:\n> >    I saw in the newspaper last night that Dr. Mae Jemison, the first\n> > black woman in space (she\'s a physician and chemical engineer who flew\n> > on Endeavour last year) will appear as a transporter operator on the\n> > "Star Trek: The Next Generation" episode that airs the week of May 31.\n> > It\'s hardly space science, I know, but it\'s interesting.\n> > \n> > Doug Loss\n> \n> \n> Interesting is rigth.. I wonder if they will make a mention of her being an\n> astronaut in the credits.. I think it might help people connect the future  \nof\n> space with the present.. And give them an idea that we must go into space..\n> \n\n\nA transporter operator!?!?  That better be one important transport.  Usually  \nit is a nameless ensign who does the job.  For such a guest appearance I would  \nhave expected a more visible/meaningful role.\n\n---\n---------------------------------------------------------------------\n| Carlos G. Niederstrasser        |  Only two things are infinite,  |\n| Princeton Planetary Society     |      the universe and human     |\n|                                 |   stupidity, and I\'m not sure   |\n|                                 |   about the former. - Einstein  |\n| carlosn@phoenix.princeton.edu   |---------------------------------|\n| space@phoenix.princeton.edu     |    Ad Astra per Ardua Nostra    |\n---------------------------------------------------------------------\n',
 'From: PA146008@utkvm1.utk.edu (David Veal)\nSubject: Re: Insane Gun-toting Wackos Unite!!!\nLines: 21\nOrganization: University of Tennessee Division of Continuing Education\nDistribution: na\n\nIn article <1993Apr16.030706.3318@ucsu.Colorado.EDU> fcrary@ucsu.Colorado.EDU (Frank Crary) writes:\n\n>>> Do you know how many deaths each year are caused by self-inflicted gun-\n>>> shot wounds by people wearing thigh holsters?\n>\n>There are roughly 1200 fatal, firearms-related accidents each year.\n>The large majority involve rifles and shotgun; there are under 500\n>fatal handgun accidents each year. I really doubt all of those\n>occur while the pistol is holstered, so the number of "self-inflicted\n>gunshot wounds by people wearing thigh holsters" is probably\n>well under 250 per year.\n\n       I\'m neither a doctor nor a firearms tech expert, but it would seem\nthat given the way a holstered gun points, accidental injuries inflicted\nthat way would be among the least lethal.\n\n------------------------------------------------------------------------\nDavid Veal Univ. of Tenn. Div. of Cont. Education Info. Services Group\nPA146008@utkvm1.utk.edu - "I still remember the way you laughed, the day\nyour pushed me down the elevator shaft;  I\'m beginning to think you don\'t\nlove me anymore." - "Weird Al"\n',
 'From: myless@vaxc.cc.monash.edu.au (Myles Strous)\nSubject: J.C.Jensen\'s bitmap code\nOrganization: Computer Centre, Monash University, Australia\nLines: 18\n\nGreetings all.\n\tAccording to a FAQ I read, on 30 July 1992, Joshua C. Jensen posted an \narticle on bitmap manipulation (specifically, scaling and perspective) to the \nnewsgroup rec.games.programmer. (article 7716)\n\tThe article included source code in Turbo Pascal with inline assembly \nlanguage.\n\n\tI have been unable to find an archive for this newsgroup, or a current \nemail address for Joshua C. Jensen.\n\tIf anyone has the above details, or a copy of the code, could they \nplease let me know.\tMany thanks.\n\t\t\t\t\tYours gratefully, etc.  Myles.\n\n-- \nMyles Strous\t|\tEmail: myles.strous@lib.monash.edu.au\nraytracing fan\t|\tPhone: +61.51.226536\n"Got the same urgent grasp of reality as a cardboard cut-out. Proud to have him \non the team." Archchancellor Mustrum Ridcully, in Reaper Man by Terry Pratchett\n',
 'From: phil@netcom.com (Phil Ronzone)\nSubject: Re: Mr. Cramer\'s \'Evidence\'\nOrganization: Generally in favor of, but mostly random.\nLines: 43\n\nIn article <1993Apr17.111713.4063@sun0.urz.uni-heidelberg.de> gsmith@lauren.iwr.uni-heidelberg.de (Gene W. Smith) writes:\n    >In article <philC5LsD9.Ms3@netcom.com> phil@netcom.com (Phil\n    >Ronzone) writes:\n    >\n    >>Libertarians want the State out of our lives.\n    >>\n    >>NAMBLA members want to fuck little boys.\n    >>\n    >>NOW do you get it?\n    >>\n    >I see! Libertarians want to have the right to fuck little\n    >children of either sex, and want to make sure everyone else\n    >has this right too. NAMBLA just wants to have the right to\n    >fuck little boys.\n    >\n    >>Or are you just a secret member of NAMBLA?\n    >>\n    >You\'re the one who suddenly seems to be defending the right\n    >to fuck children. How many little girls have you raped today,\n    >Phil?\n    >\n    >If wanting to abolish the age of consent is not repectable,\n    >it is not respectable for anyone.\n\nHmm, you still don\'t get it. Then again, I\'m not posting from a  University\nwhere the hue and cry was raised against "Jewish physics".\n\nTell me, committed any anti-semitic acts today? What kind of boots do you\nwear?\n\nAnd still -- Libertarians want the State out of their lives. Parents are very\ncapable of protecting their children against the predations of pedophiles,\nwhich, BTW, you still haven\'t disassociated yourself from.\n\nAre you, or are you not, a member of NAMBLA?\n\n\n\n-- \nThere are actually people that STILL believe Love Canal was some kind of\nenvironmental disaster. Weird, eh?\n\nThese opinions are MINE, and you can\'t have \'em! (But I\'ll rent \'em cheap ...)\n',
 'From: eugene@mpce.mq.edu.au\nSubject: Re: WP-PCF, Linux, RISC?\nOrganization: Macquarie University, Australia.\nLines: 18\nNNTP-Posting-Host: macadam.mpce.mq.edu.au\nOriginator: eugene@macadam.mpce.mq.edu.au\n\nIn article <C5o1yq.M34@csie.nctu.edu.tw> ghhwang@csie.nctu.edu.tw (ghhwang) writes:\n>\n>Dear friend,\n>  The RISC means "reduced instruction set computer". The RISC usually has \n>small instruction set so as to reduce the circuit complex and can increase \n>the clock rate to have a high performance. You can read some books about\n>computer architecture for more information about RISC.\n\nhmm... not that I am an authority on RISC ;-) but I clearly remember\nreading that the instruction set on RISC CPUs is rather large.\nThe difference is in addressing modes - RISC instruction sets are not\nas orthogonal is CISC.\n\n-- \n+-----------------------------------------------------------------------------+\n|            Some people say it\'s fun, but I think it\'s very serious.         |\n|                         eugene@macadam.mpce.mq.edu.au                       |\n+-----------------------------------------------------------------------------+\n',
 "From: peavler@fingal.plk.af.mil (Ninja Gourmet)\nSubject: Scarlet Horse of Babylon (was Daemons)\x1b\nOrganization: University of New Mexico, Albuquerque, NM\nLines: 20\nDistribution: world\nNNTP-Posting-Host: fingal.plk.af.mil\nKeywords: dead horse, Horse of Babylon\n\nIn article <1qilgnINNrko@lynx.unm.edu>, blowfish@leo.unm.edu (rON.) writes:\n|> Its easy...\n|> 667 >is< the neighbor of the beast (at 666)-\n|> the beast lives at the end of a cul-de-sac.\n|> r.\n\nI noticed this dead horse in your Keywords line. Is this the famous scarlet horse\nof Babylon that the Beast (that's 666 for you illuminatti) rides on in those\nwonderful mediaeval manuscripts. If so, I fear your announcement that the old\ngirl is dead may be premature. I bet $20 on her to place in the 6th race at The\nDowns last Sunday, and she slid in a bad fifth. So she is not dead. She is just\ncomatose. (like god that way, I suppose).\n\nNinja Gourmet\nWill fight for food.\x1b \n\n-- \nJim Peavler\t\t\tMy opinions do not exist.\npeavler@plk.af.mil\t\tThat is why they are called\nAlbuquerque, NM\t\t\t\tMY opinions.\n",
 "From: Stefan.M.Gorsch@dartmouth.edu (Stefan M. Gorsch)\nSubject: Importing Volvo?\nX-Posted-From: InterNews1.0b10@newshost.dartmouth.edu\nOrganization: Dartmouth College, Hanover, NH\nLines: 11\n\nWell, I'm afraid the time has come; my rice-burner has finally died.\nI'd always promised my wife that we would do a Scandanavian tour when\nmy car died and pick up a Volvo in Sweden, drive it around and then\nimport it home. \n\nCan anyone give me 1) advice on feasibility and relative costs 2)\nreferences where I might learn more 3) Personal experience?\n\nPlease email\n\nThanks\n",
 'From: mike@hopper.Virginia.EDU (Michael Chapman)\nSubject: Re: Compiling help\nOrganization: ITC/UVA Community Access UNIX/Internet Project\nLines: 15\n\nHere\'s what I (think) have figured out.  All I need to do is install\nthe R5 disitribution without the Xserver like the sony.cf file defines,\nand all the new libraries, utils, etc., will be installed and my old\nserver from r4 will still work.  This will allow me to run Xview 3.0,\nand have X11r5 up and running.  Does the server interface remain the\nsame with all changes made only to the libs?\n\nAnother question: Is it likely that since Sun is dropping OW support\nthat the desktop utils (like the file manager) will be made public?\nIt would be nice if companies would make old code public for the\nbenefit of those of us with smaller budgets. :)\n-- \nmike@hopper.acs.virginia.edu \n\n"I will NOT raise taxes on the middle class." -Unknown\n',
 'From: edm@twisto.compaq.com (Ed McCreary)\nSubject: Re: Where are they now?\nIn-Reply-To: acooper@mac.cc.macalstr.edu\'s message of 15 Apr 93 11: 17:13 -0600\nOrganization: Compaq Computer Corp\n\t<1993Apr15.111713.4726@mac.cc.macalstr.edu>\nLines: 18\n\na> In article <1qi156INNf9n@senator-bedfellow.MIT.EDU>, tcbruno@athena.mit.edu (Tom Bruno) writes:\n> \n..stuff deleted...\n> \n> Which brings me to the point of my posting.  How many people out there have \n> been around alt.atheism since 1990?  I\'ve done my damnedest to stay on top of\n...more stuff deleted...\n\nHmm, USENET got it\'s collective hooks into me around 1987 or so right after I\nswitched to engineering.  I\'d say I started reading alt.atheism around 1988-89.\nI\'ve probably not posted more than 50 messages in the time since then though.\nI\'ll never understand how people can find the time to write so much.  I\ncan barely keep up as it is.\n\n--\nEd McCreary                                               ,__o\nedm@twisto.compaq.com                                   _-\\\\_<, \n"If it were not for laughter, there would be no Tao."  (*)/\'(*)\n',
 "From: steve-b@access.digex.com (Steve Brinich)\nSubject: Re: Off the shelf cheap DES keyseach machine (Was: Re: Corporate acceptance of the wiretap chip)\nOrganization: Express Access Online Communications, Greenbelt, MD USA\nLines: 17\nNNTP-Posting-Host: access.digex.net\n\n > > :Thousands?  Tens of thousands?  Do some arithmetic, please...  Skipjack\n > > :has 2^80 possible keys.\n > >\n > > We don't yet know if all 80 bits count.\n >\n > That doesn't worry me at all; they're not going to cheat at something\n >they can get caught at.  And key size is one of the things that can be\n >verified externally.  Feed lots of random key/input pairs into the\n >chip, then see what happens to the output....\n\n  If the device is designed to use the key that's registered with the Feds,\nI don't see how you -can- feed it a different key.  If the user can change\nthe key to any of the 2^80 possibilities, the main reason for regarding\nthis proposal as unacceptable disappears.\n\n\n\n",
 "From: gene@jackatak.raider.net (Gene Wright)\nSubject: sound recording on mac portable answer (or lead)\nOrganization: Jack's Amazing CockRoach Capitalist Ventures\nLines: 7\n\nWhatever equipment will work on a mac plus or a mac se will work fine on \na mac portable. It doesn't have a sound input, but there is equipment \nthat works fine with those models mentioned in macuser/macworld.\n\n--\n     gene@jackatak.raider.net (Gene Wright)\n------------jackatak.raider.net   (615) 377-5980 ------------\n",
 "From: system@kalki33.lakes.trenton.sc.us (Kalki Dasa)\nSubject: Bhagavad-Gita 2.45\nOrganization: Kalki's Infoline BBS, Aiken, SC, USA\nLines: 62\n\n                                TEXT 45\n\n                        trai-gunya-visaya veda\n                        nistrai-gunyo bhavarjuna\n                     nirdvandvo nitya-sattva-stho\n                          niryoga-ksema atmavan\n  \ntrai-gunya--pertaining to the three modes of material nature;\nvisayah--on the subject matter; vedah--Vedic literatures;\nnistrai-gunyah--transcendental to the three modes of material nature;\nbhava--be; arjuna--O Arjuna; nirdvandvah--without duality;\nnitya-sattva-sthah--in a pure state of spiritual existence;\nniryoga-ksemah--free from ideas of gain and protection;\natma-van--established in the self.\n    \n                              TRANSLATION\n\n The Vedas deal mainly with the subject of the three modes of material\nnature. O Arjuna, become transcendental to these three modes. Be free\nfrom all dualities and from all anxieties for gain and safety, and be\nestablished in the self.\n  \n                                PURPORT\n\n All material activities involve actions and reactions in the three\nmodes of material nature. They are meant for fruitive results, which\ncause bondage in the material world. The Vedas deal mostly with fruitive\nactivities to gradually elevate the general public from the field of\nsense gratification to a position on the transcendental plane. Arjuna,\nas a student and friend of Lord Krsna, is advised to raise himself to\nthe transcendental position of Vedanta philosophy where, in the\nbeginning, there is brahma-jijnasa, or questions on the supreme\ntranscendence. All the living entities who are in the material world are\nstruggling very hard for existence. For them the Lord, after creation of\nthe material world, gave the Vedic wisdom advising how to live and get\nrid of the material entanglement. When the activities for sense\ngratification, namely the karma-kanda chapter, are finished, then the\nchance for spiritual realization is offered in the form of the\nUpanisads, which are part of different Vedas, as the Bhagavad-gita is a\npart of the fifth Veda, namely the Mahabharata. The Upanisads mark the\nbeginning of transcendental life.\n\n As long as the material body exists, there are actions and reactions in\nthe material modes. One has to learn tolerance in the face of dualities\nsuch as happiness and distress, or cold and warmth, and by tolerating\nsuch dualities become free from anxieties regarding gain and loss. This\ntranscendental position is achieved in full Krsna consciousness when one\nis fully dependent on the good will of Krsna.\n\nBhagavad-Gita As It is\nBooks of A.C. Bhaktivedanta Swami\n\n\n       ---------------------------------------------------------\n      |                Don't forget to chant:                   |\n      |                                                         |\n      |  Hare Krishna Hare Krishna, Krishna Krishna Hare Hare   |\n      |       Hare Rama Hare Rama, Rama Rama Hare Hare          |\n      |                                                         |\n      |    Kalki's Infoline BBS Aiken, South Carolina, USA      |\n      |          (system@kalki33.lakes.trenton.sc.us)           |\n       ---------------------------------------------------------\n",
 'From: holland@ug.cs.dal.ca (Shane A Holland)\nSubject: Comments on Xtree for Windows ????\nOrganization: Math, Stats & CS, Dalhousie University, Halifax, NS, Canada\nLines: 15\nNntp-Posting-Host: ug.cs.dal.ca\n\n\n   I am looking for comments on Xtree (Pro ??) for Windows.  I am \nthinking of buying the product but I have not even seen it yet.\n\nThank you...\n\n     Shane Holland\n\n                            holland@ug.cs.dal.ca\n\n\n-- \n\n-----------------------------------------------------------------------\nholland@ug.cs.dal.ca maurack@ac.dal.ca\n',
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: After all, Armenians exterminated 2.5 million Muslim people there.\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 297\n\nIn article <C5y56o.A62@news.cso.uiuc.edu> hovig@uxa.cso.uiuc.edu (Hovig Heghinian) writes:\n\n>article.  I have no partisan interests --- I would just like to know\n>what conversations between TerPetrosyan and Demirel sound like.  =)\n\nVery simple.\n\n"X-Soviet Armenian government must pay for their crime of genocide \n against 2.5 million Muslims by admitting to the crime and making \n reparations to the Turks and Kurds."\n\nAfter all, your criminal grandparents exterminated 2.5 million Muslim\npeople between 1914 and 1920.\n\n\n<C5yyBt.5zo@news.cso.uiuc.edu>\nhovig@uxa.cso.uiuc.edu (Hovig Heghinian)\n\n>To which I say:\n>Hear, hear.  Motion seconded.\n\nYou must be a new \'Arromdian\'. You are counting on ASALA/SDPA/ARF \ncrooks and criminals to prove something for you? No wonder you are in \nsuch a mess. That criminal idiot and \'its\' forged/non-existent junk has \nalready been trashed out by Mutlu, Cosar, Akgun, Uludamar, Akman, Oflazer \nand hundreds of people. Moreover, ASALA/SDPA/ARF criminals are responsible \nfor the massacre of the Turkish people that also prevent them from entering \nTurkiye and TRNC. SDPA has yet to renounce its charter which specifically \ncalls for the second genocide of the Turkish people. This racist, barbarian \nand criminal view has been touted by the fascist x-Soviet Armenian government \nas merely a step on the road to said genocide. \n\nNow where shall I begin?\n\n#From: ahmet@eecg.toronto.edu (Parlakbilek Ahmet)\n#Subject: YALANCI, LIAR : DAVIDIAN\n#Keywords: Davidian, the biggest liar\n#Message-ID: <1991Jan10.122057.11613@jarvis.csri.toronto.edu>\n\nFollowing is the article that Davidian claims that Hasan Mutlu is a liar:\n\n>From: dbd@urartu.SDPA.org (David Davidian)\n>Message-ID: <1154@urartu.SDPA.org>\n\n>In article <1991Jan4.145955.4478@jarvis.csri.toronto.edu> ahmet@eecg.toronto.\n>edu (Ahmet Parlakbilek) asked a simple question:\n\n>[AP] I am asking you to show me one example in which mutlu,coras or any other\n>[AP] Turk was proven to lie.I can show tens of lies and fabrications of\n>[AP] Davidian, like changing quote , even changing name of a book, Anna.\n\n>The obvious ridiculous "Armenians murdered 3 million Moslems" is the most\n>outragious and unsubstantiated charge of all. You are obviously new on this \n>net, so read the following sample -- not one, but three proven lies in one\n>day!\n\n>\t\t\t- - - start yalanci.txt - - -\n\n[some parts are deleted]\n\n>In article <1990Aug5.142159.5773@cbnewsd.att.com> the usenet scribe for the \n>Turkish Historical Society, hbm@cbnewsd.att.com (hasan.b.mutlu), continues to\n>revise the history of the Armenian people. Let\'s witness the operational\n>definition of a revisionist yalanci (or liar, in Turkish):\n\n>[Yalanci] According to Leo:[1]\n>[Yalanci]\n>[Yalanci] "The situation is clear. On one side, we have peace-loving Turks\n>[Yalanci] and on the other side, peace-loving Armenians, both sides minding\n>[Yalanci] their own affairs. Then all was submerged in blood and fire. Indeed,\n>[Yalanci] the war was actually being waged between the Committee of \n>[Yalanci] Dashnaktsutiun and the Society of Ittihad and Terakki - a cruel and \n>[Yalanci] savage war in defense of party political interests. The Dashnaks \n>[Yalanci] incited revolts which relied on Russian bayonets for their success."\n>[Yalanci] \n>[Yalanci] [1] L. Kuper, "Genocide: Its Political Use in the Twentieth Century,"\n>[Yalanci]     New York 1981, p. 157.\n\n>This text is available not only in most bookstores but in many libraries. On\n>page 157 we find a discussion of related atrocities (which is title of the\n>chapter). The topic on this page concerns itself with submissions to the Sub-\n>Commission on Prevention of Discrimination of Minorities of the Commission on\n>Human Rights of the United Nations with respect to the massacres in Cambodia.\n>There is no mention of Turks nor Armenians as claimed above.\n\n\t\t\t\t- - -\n\n>Vay sarsak, vay yobaz, vay yalanci! Vay Turk milletinin yuz karasi Mutlu vay!\n\n>The depth of foolishness the Turkish Historical Society engages in, while\n>covering up the Turkish genocide of the Armenians, is only surpassed by the \n>ridiculous "historical" material publicly displayed!\n\n>David Davidian <dbd@urartu.SDPA.org>  | The life of a people is a sea, and  \n\nReceiving this message, I checked the reference, L.Kuper,"Genocide..." and\nwhat I have found was totally consistent with what Davidian said.The book\nwas like "voice of Armenian revolutionists" and although I read the whole book,\nI could not find the original quota.\nBut there was one more thing to check:The original posting of Mutlu.I found \nthe original article of Mutlu.It is as follows:\n\n> According to Leo:[1]\n\n>"The situation is clear. On one side, we have peace-loving Turks and on\n> the other side, peace-loving Armenians, both sides minding their own \n> affairs. Then all was submerged in blood and fire. Indeed, the war was\n> actually being waged between the Committee of Dashnaktsutiun and the\n> Society of Ittihad and Terakki - a cruel and savage war in defense of party\n> political interests. The Dashnaks incited revolts which relied on Russian\n> bayonets for their success." \n\n>[1] B. A. Leo. "The Ideology of the Armenian Revolution in Turkey," vol II,\n     ======================================================================\n>    p. 157.\n    ======\n\nQUATO IS THE SAME, REFERENCE IS DIFFERENT !\n\nDAVIDIAN LIED AGAIN, AND THIS TIME HE CHANGED THE ORIGINAL POSTING OF MUTLU\nJUST TO ACCUSE HIM TO BE A LIAR.\n\nDavidian, thank you for writing the page number correctly...\n\nYou are the biggest liar I have ever seen.This example showed me that tomorrow\nyou can lie again, and you may try to make me a liar this time.So I decided\nnot to read your articles and not to write answers to you.I also advise\nall the netters to do the same.We can not prevent your lies, but at least\nwe may save time by not dealing with your lies.\n\nAnd for the following line:\n>Vay sarsak, vay yobaz, vay yalanci! Vay Turk milletinin yuz karasi Mutlu vay!\n\nI also return all the insults you wrote about Mutlu to you.\nI hope you will be drowned in your lies.\n\nAhmet PARLAKBILEK\n\n#From: vd8@cunixb.cc.columbia.edu (Vedat  Dogan)\n#Message-ID: <1993Apr8.233029.29094@news.columbia.edu>\n\nIn article <1993Apr7.225058.12073@urartu.sdpa.org> dbd@urartu.sdpa.org (David Davidian) writes:\n>In article <1993Apr7.030636.7473@news.columbia.edu> vd8@cunixb.cc.columbia.edu\n>(Vedat  Dogan) wrote in response to article <1993Mar31.141308.28476@urartu.\n>11sdpa.org> dbd@urartu.sdpa.org (David Davidian) writes:\n>\n \n>[(*] Source: "Adventures in the Near East, 1918-1922" by A. Rawlinson,\n>[(*] Jonathan Cape, 30 Bedford Square, London, 1934 (First published 1923) \n>[(*] (287 pages).\n>\n>[DD] Such a pile of garbage! First off, the above reference was first published\n>[DD] in 1924 NOT 1923, and has 353 pages NOT 287! Second, upon checking page \n>[DD] 178, we are asked to believe:\n> \n>[VD] No, Mr.Davidian ... \n> \n>[VD]  It was first published IN 1923 (I have the book on my desk,now!) \n>[VD]                         ********\n> \n>[VD]  and furthermore,the book I have does not have 353 pages either, as you\n>[VD]  claimed, Mr.Davidian..It has 377 pages..Any question?..\n>  \n>Well, it seems YOUR book has its total page numbers closer to mine than the \nn>crap posted by Mr. [(*]!\n \n o boy!   \n \n Please, can you tell us why those quotes are "crap"?..because you do not \n like them!!!...because they really exist...why?\n \n As I said in my previous posting, those quotes exactly exist in the source \n given by Serdar Argic .. \n  \n You couldn\'t reject it...\n \n>\n>In addition, the Author\'s Preface was written on January 15, 1923, BUT THE BOOK\n>was published in 1924.\n \n Here we go again..\n In the book I have, both the front page and the Author\'s preface give \n the same year: 1923 and 15 January, 1923, respectively!\n (Anyone can check it at her/his library,if not, I can send you the copies of\n pages, please ask by sct) \n \n \nI really don\'t care what year it was first published(1923 or 1924)\nWhat I care about is what the book writes about murders, tortures,et..in\nthe given quotes by Serdar Argic, and your denial of these quotes..and your\ngroundless accussations, etc. \n \n>\n[...]\n> \n>[DD] I can provide .gif postings if required to verify my claim!\n> \n>[VD] what is new?\n> \n>I will post a .gif file, but I am not going go through the effort to show there \n>is some Turkish modified re-publication of the book, like last time!\n \n \n I claim I have a book in my hand published in 1923(first publication)\n and it exactly has the same quoted info as the book published\n in 1934(Serdar Argic\'s Reference) has..You couldn\'t reject it..but, now you\n are avoiding the real issues by twisting around..\n \n Let\'s see how you lie!..(from \'non-existing\' quotes to re-publication)\n \n First you said there was no such a quote in the given reference..You\n called Serdar Argic a liar!..\n I said to you, NO, MR.Davidian, there exactly existed such a quote...\n (I even gave the call number, page numbers..you could\'t reject it.)\n \n And now, you are lying again and talking about "modified,re-published book"\n(without any proof :how, when, where, by whom, etc..)..\n (by the way, how is it possible to re-publish the book in 1923 if it was\n  first published in 1924(your claim).I am sure that you have some \'pretty \n  well suited theories\', as usual)\n \n And I am ready to send the copies of the necessary pages to anybody who\n wants to compare the fact and Mr.Davidian\'s lies...I also give the call number\n and page numbers again for the library use, which are:  \n                 949.6 R 198\n   \n  and the page numbers to verify the quotes:218 and 215\n              \n     \n \n> \n>It is not possible that [(*]\'s text has 287 pages, mine has 353, and yours has\n>377!\n \n Now, are you claiming that there can\'t be such a reference by saying "it is\n not possible..." ..If not, what is your point?\n \n Differences in the number of pages?\n Mine was published in 1923..Serdar Argic\'s was in 1934..\n No need to use the same book size and the same letter \n charachter in both publications,etc, etc.. does it give you an idea!!\n \n The issue was not the number of pages the book has..or the year\n first published.. \n And you tried to hide the whole point..\n the point is that both books have the exactly the same quotes about\n how moslems are killed, tortured,etc by Armenians..and those quotes given \n by Serdar Argic exist!! \n It was the issue, wasn\'t-it?  \n \n you were not able to object it...Does it bother you anyway? \n \n You name all these tortures and murders (by Armenians) as a "crap"..\n People who think like you are among the main reasons why the World still\n has so many "craps" in the 1993. \n \n Any question?\n \n\n<C5wwqA.9wL@news.cso.uiuc.edu>\nhovig@uxa.cso.uiuc.edu (Hovig Heghinian)\n\n>   Hmm ... Turks sure know how to keep track of deaths, but they seem to\n>lose count around 1.5 million.\n\nWell, apparently we have another son of Dro \'the Butcher\' to contend with. \nYou should indeed be happy to know that you rekindled a huge discussion on\ndistortions propagated by several of your contemporaries. If you feel \nthat you can simply act as an Armenian governmental crony in this forum \nyou will be sadly mistaken and duly embarrassed. This is not a lecture to \nanother historical revisionist and a genocide apologist, but a fact.\n\nI will dissect article-by-article, paragraph-by-paragraph, line-by-line, \nlie-by-lie, revision-by-revision, written by those on this net, who plan \nto \'prove\' that the Armenian genocide of 2.5 million Turks and Kurds is \nnothing less than a classic un-redressed genocide. We are neither in \nx-Soviet Union, nor in some similar ultra-nationalist fascist dictatorship, \nthat employs the dictates of Hitler to quell domestic unrest. Also, feel \nfree to distribute all responses to your nearest ASALA/SDPA/ARF terrorists,\nthe Armenian pseudo-scholars, or to those affiliated with the Armenian\ncriminal organizations.\n\nArmenian government got away with the genocide of 2.5 million Turkish men,\nwomen and children and is enjoying the fruits of that genocide. You, and \nthose like you, will not get away with the genocide\'s cover-up.\n\nNot a chance.\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n',
 'From: koberg@spot.Colorado.EDU (Allen Koberg)\nSubject: Re: SATANIC TOUNGES\nOrganization: University of Colorado, Boulder\nLines: 49\n\nIn article <May.6.00.34.49.1993.15418@geneva.rutgers.edu> marka@hcx1.ssd.csd.harris.com (Mark Ashley) writes:\n>In article <May.2.09.50.21.1993.11782@geneva.rutgers.edu> mmh@dcs.qmw.ac.uk (Matthew Huntbach) writes:\n>>I have seen the claims, but I don\'t know if there are any\n>>authenticated cases of people making prolonged speeches in\n>>real languages they don\'t know. From my observations, "speaking\n>>in tongues" in practice has nothing at all do with this.\n>\n>I have a simple test. I take several people who can speak\n>only one language (e.g. chinese, russian, german, english).\n>Then I let the "gifted one" start "speaking in toungues".\n>The audience should understand the "gifted one" clearly\n>in their native language. However, the "gifted one" can\n>only hear himself speaking in his own language.\n>\n\nThere seem to be many points to the speaking in tongues thing which\nare problematic.  It\'s use as prayer language seems especially troubling\nto me.  I understand that when you pray in tongues, the spirit is doing\nthe talking.  And when you pray, you pray to God.  And the Spirit is\nGod.  So, the Spirit is talking to Himself.  Which is why I only go\nby the Pentecost use where it\'s an actual language.\n\nMoreover, the phrase "though I speak with the tongues of men and angels"\nused by Paul in I Cor. is misleading out of context.   Some would then\nassume that there is some angelic tongue, and if when they speak, it\nis no KNOWN language, then it is an angelic tongue.\n\nHmmm...in the old testament story about the tower of Babel, we see how\nGod PUNISHED by giving us different language.  Can we assume then that\nif angels have their own language at all, that they have the SAME one\namongst other angels?  After all, THEY were not punished in any manner.\n\nSo why do these supposed angelic tongues all sound different FROM ONE\nANOTHER?  It\'s disturbing to think that some people find ways to \njustify jabbering.\n\nBut I\'ll buy the idea that someone could talk in a language never learned.\n\nTrouble is, while such stories abound, any and all attempts at\nverification (and we are to test the spirit...) either show that\nthe witness had no real idea of the circumstances, or that outright\nfabrication was involved.  The Brother Puka story in a previous post\nseems like a "friend of a friend" thing.  And linguistically, a two\nsyllable word hardly qualifies as language, inflection or no.\n\nMuch as many faith healers have trouble proving their "victories" (since\nmost ailments "cured" are just plain unprovable) and modern day\nressurrections have never been validated, so is it true that no\nmodern day xenoglossolalia has been proved by clergy OR lay.\n',
 "From: kolstad@cae.wisc.edu (Joel Kolstad)\nSubject: Re: Dumb Question: Function Generator\nOrganization: U of Wisconsin-Madison College of Engineering\nLines: 35\n\nIn article <C5J845.3B8@murdoch.acc.Virginia.EDU> dgj2y@kelvin.seas.Virginia.EDU (David Glen Jacobowitz) writes:\n>\n>\tI have a new scope and I thought I'd save a few bucks by\n>buying one with a function generator built in.\n\nHmm... now where was that ad for the combination radio/hand cranked\ngenerator/flashlight/siren I saw? :-)\n\n[function generator has a 50mV offset, and the amplitude's too high]\n\n>\tIs there any way I could make myself a little box that could\n>solve this little problem. The box would tkae the function generator\n>input, lower the voltage and give an output impedance that is some\n>low, unchanging number. I would want to lower the voltage by a factor\n>of one hundred or so. I could just build a little buffer amp, but I'd\n>like to have this box not be active.\n\nSure, you've already got the right idea.\n\nIgnoring the 50 ohm internal resistance of the generator for a second, just\nrun it into, say, a voltage divider made of 990 ohms in series with 10\nohms.  This new circuit is the Thevenin equivalent of one that puts out\n1/100 of the original voltage, and has an output impedence of negligibly\nless than 10 ohms.  You may want to monkey with the values a little\ndepending on whether you care more about the _exact_ dividing ratio or\nthe availability of parts.\n\nHows that sound?\n\n\t\t\t\t\t---Joel Kolstad\n\nP.S. -- This is why those 1000:1 high voltage probes for multimeters can be\naccurate but still cheap.  They have something like 100 megs in series with\n100k, which doesn't load the (often high impedence) source much, as well as\nkeeping the (probably 10 meg impedance) multimeter happy.\n",
 "From: carl@SOL1.GPS.CALTECH.EDU (Carl J Lydick)\nSubject: Re: Glutamate\nOrganization: HST Wide Field/Planetary Camera\nLines: 15\nDistribution: world\nReply-To: carl@SOL1.GPS.CALTECH.EDU\nNNTP-Posting-Host: sol1.gps.caltech.edu\n\nIn article <1993Apr18.163212.9577@walter.bellcore.com>, jchen@wind.bellcore.com (Jason Chen) writes:\n=There is no contradiction here. It is essential in the sense that your\n=body needs it. It is non-essential in the sense that your body can\n=produce enough of it without supplement.\n\nAnd when you're in a technical discussion of amino acids, it's the latter\ndefinition that's used almost universally.\n--------------------------------------------------------------------------------\nCarl J Lydick | INTERnet: CARL@SOL1.GPS.CALTECH.EDU | NSI/HEPnet: SOL1::CARL\n\nDisclaimer:  Hey, I understand VAXen and VMS.  That's what I get paid for.  My\nunderstanding of astronomy is purely at the amateur level (or below).  So\nunless what I'm saying is directly related to VAX/VMS, don't hold me or my\norganization responsible for it.  If it IS related to VAX/VMS, you can try to\nhold me responsible for it, but my organization had nothing to do with it.\n",
 "From: Robert Everett Brunskill <rb6t+@andrew.cmu.edu>\nSubject: Re: $$$ to fix TRACKBALL\nOrganization: Freshman, Electrical and Computer Engineering, Carnegie Mellon, Pittsburgh, PA\nLines: 7\nNNTP-Posting-Host: po4.andrew.cmu.edu\nIn-Reply-To: <93105.152944BR4416A@auvm.american.edu>\n\nOf course, if you want to check the honesty of your dealler, take it in\nknowing what's wrong, and ask them to tell you. :)\n\nOf course he'll probably know right a way, then charge you a $20 service\nfee. :)\n\nRob\n",
 'From: d91-fad@tekn.hj.se (DANIEL FALK)\nSubject: RE: VESA on the Speedstar 24\nOrganization: H|gskolan i J|nk|ping\nLines: 39\nNntp-Posting-Host: pc5_b109.et.hj.se\n\n>>>kjb/MGL/uvesa32.zip\n>>>\n>>>This is a universal VESA driver.  It supports most video\n>>>boards/chipsets (include the Speedstar-24 and -24X) up to\n>>>24 bit color.\n>>>\n>>>Terry\n>>>\n>>>P.S.  I\'ve tried it on a Speedstar-24 and -24X and it works. :)\n\n>>Not with all software. :( For instance it doesn\'t work at all with\n>>Animator Pro from Autodesk. It can\'t detect ANY SVGA modes when \n>>running UniVESA. This is really a problem as we need a VESA driver\n>>for both AA Pro and some hi-color stuff. :(\n\n>Just out of curiosity... Are you using the latest version (3.2)?  Versions\n>previous to this did not fill in all of the capabilities bits and other\n>information correctly.  I had problems with a lot of software until I got\n>this version.  (I don\'t think the author got around to posting an \n>announcementof it (or at least I missed it), but 3.2 was available in the \n>directory indicated as of 3/29.)\n\nI sure did use version 3.2. It works fine with most software but NOT\nwith Animator Pro and that one is quite important to me. Pretty\nuseless program without that thing working IMHO.\nSo I hope the author can fix that.\n\n/Daniel...\n\n\n\n\n=============================================================================\n!!      Daniel Falk          \\\\\\\\  " Don\'t quote me! No comments! "          !! \n!!      ^^^^^^ ^^^^           \\\\\\\\               Ebenezum the Great Wizard   !! \n!!      d91-fad@tekn.hj.se     \\\\\\\\                                          !!\n!!      d91fad@hjds90.hj.se    //  Also known as the mega-famous musician  !!\n!!      Jkpg, Sweeeeeden...    \\\\\\\\         Leinad of The Yellow Ones        !!\n=============================================================================\n',
 'From: bc744@cleveland.Freenet.Edu (Mark Ira Kaufman)\nSubject: Israel does not kill reporters.\nOrganization: Case Western Reserve University, Cleveland, Ohio (USA)\nLines: 12\nNNTP-Posting-Host: thor.ins.cwru.edu\n\n\n   Anas Omran has claimed that, "the Israelis used to arrest, and\nsometime to kill some of these neutral reporters."  The assertion\nby Anas Omran is, of course, a total fabrication.  If there is an\nonce of truth iin it, I\'m sure Anas Omran can document such a sad\nand despicable event.  Otherwise we may assume that it is another\npiece of anti-Israel bullshit posted by someone whose family does\nnot know how to teach their children to tell the truth.  If Omran\nwould care to retract this \'error\' I would be glad to retract the\naccusation that he is a liar.  If he can document such a claim, I\nwould again be glad to apologize for calling him a liar.  Failing\nto do either of these would certainly show what a liar he is.\n',
 "From: jge@cs.unc.edu (John Eyles)\nSubject: diet for Crohn's (IBD)\nOrganization: The University of North Carolina at Chapel Hill\nLines: 16\nDistribution: usa\nNNTP-Posting-Host: ceti.cs.unc.edu\n\n\nA friend has what is apparently a fairly minor case of Crohn's\ndisease.\n\nBut she can't seem to eat certain foods, such as fresh vegetables,\nwithout discomfort, and of course she wants to avoid a recurrence.\n\nHer question is: are there any nutritionists who specialize in the\nproblems of people with Crohn's disease ?\n\n(I saw the suggestion of lipoxygnase inhibitors like tea and turmeric).\n\nThanks in advance,\nJohn Eyles\njge@cs.unc.edu\n\n",
 'From: max@hilbert.cyprs.rain.com (Max Webb)\nSubject: Re: A question that has bee bothering me.\nOrganization: Cypress Semi, Beaverton OR\nLines: 47\n\nIn article <Apr.14.03.07.55.1993.5435@athos.rutgers.edu> wquinnan@sdcc13.ucsd.edu (Malcusco) writes:\n>In article <Apr.11.01.02.39.1993.17790@athos.rutgers.edu> atterlep@vela.acs.oakland.edu (Cardinal Ximenez) writes:\n>\tMy problem with Science is that often it allows us to\n>assume we know what is best for ourselves.  God endowed us\n>with the ability to produce life through sexual relations,\n\nYou assume this because you believe in a designing creator,\nand you observe our ability to procreate...\n\n>for example, but He did not make that availible to everyone.\n>Does that mean that if Science can over-ride God\'s decision\n>through alterations, that God wills for us to have the power\n>to decide who should and should not be able to have \n>children?\n\n.... But then you observe our ability to modify fertility\nthrough intelligence & experiment, and draw no similar conclusions\nabout God designing us for scientific inquiry & the use of the\ntechnology that it produces.  How is it that one ability is "obviously\nfrom God", and the other not?\n\n>\tI cannot draw a solid line regarding where I\n>would approve of Scientific study, and where I would not,\n>but I will say this:  Before one experiments with the\n>universe to find out all its secrets, one should ask\n>why they want this knowledge.\n\nI want to know the truth, and hold the Truth as the most\nbasic of all ethical values, because correct moral judgement\nrelies on knowing the truth, not vice versa. Moralities that\nassert that assent to a belief is a moral choice, and not\ncompelled by evidence inevitably cut off the limb they sit upon.\nFalsification of evidence, conscious and unconscious, follows\ncorrupting both the intellect and the heart.\n\n>I will say that each person should pray for guidance\n>when trying to unravel the mysteries of the universe, and\n>should cease their unravelling if they have reason to \n>believe their search is displeasing to God.\n>\n>\t\t\t---Malcusco\n\nIf there is a God, he has nothing to fear from truth.\nAs to imaginary gods and there followers: Be afraid. Be very\nafraid.\n\n\tMax\n',
 'From: keith@cco.caltech.edu (Keith Allan Schneider)\nSubject: Re: Political Atheists?\nOrganization: California Institute of Technology, Pasadena\nLines: 57\nNNTP-Posting-Host: lloyd.caltech.edu\n\nmmwang@adobe.com (Michael Wang) writes:\n\n>I was looking for a rigorous definition because otherwise we would be\n>spending the rest of our lives arguing what a "Christian" really\n>believes.\n\nI don\'t think we need to argue about this.\n\n>KS>Do you think that the motto points out that this country is proud\n>KS>of its freedom of religion, and that this is something that\n>KS>distinguishes us from many other countries?\n>MW>No.\n>KS>Well, your opinion is not shared by most people, I gather.\n>Perhaps not, but that is because those seeking to make government\n>recognize Christianity as the dominant religion in this country do not\n>think they are infringing on the rights of others who do not share\n>their beliefs.\n\nYes, but also many people who are not trying to make government recognize\nChristianity as the dominant religion in this country do no think\nthe motto infringes upon the rights of others who do not share their\nbeliefs.\n\nAnd actually, I think that the government already does recognize that\nChristianity is the dominant religion in this country.  I mean, it is.\nDon\'t you realize/recognize this?\n\nThis isn\'t to say that we are supposed to believe the teachings of\nChristianity, just that most people do.\n\n>Like I\'ve said before I personally don\'t think the motto is a major\n>concern.\n\nIf you agree with me, then what are we discussing?\n\n>KS>Since most people don\'t seem to associate Christmas with Jesus much\n>KS>anymore, I don\'t see what the problem is.\n>Can you prove your assertion that most people in the U.S. don\'t\n>associate Christmas with Jesus anymore?\n\nNo, but I hear quite a bit about Christmas, and little if anything about\nJesus.  Wouldn\'t this figure be more prominent if the holiday were really\nassociated to a high degree with him?  Or are you saying that the\nassociation with Jesus is on a personal level, and that everyone thinks\nabout it but just never talks about it?\n\nThat is, can *you* prove that most people *do* associate Christmas\nmost importantly with Jesus?\n\n>Anyways, the point again is that there are people who do associate\n>Christmas with Jesus. It doesn\'t matter if these people are a majority\n>or not.\n\nI think the numbers *do* matter.  It takes a majority, or at least a\nmajority of those in power, to discriminate.  Doesn\'t it?\n\nkeith\n',
 'From: admiral@jhunix.hcf.jhu.edu (Steve C Liu)\nSubject: Best record ever in baseball\nOrganization: Homewood Academic Computing, Johns Hopkins University, Baltimore, Md, USA\nLines: 19\nDistribution: usa\nExpires: 5/9/93\nNNTP-Posting-Host: jhunix.hcf.jhu.edu\nSummary: Can you believe it?\n\nOf all teams, I believe the Cubs have the best record ever in baseball.\nSometime way far back. 110+ and something.\n\nAdmiral Steve C. Liu\n____________________________________________________________________________\n|Admiral Steve C. Liu          Internet Address: admiral@jhunix.hcf.jhu.edu|\n|Commander-In-Chief of the Security Division of the Pi Club - Earth Chapter|\n|    President of the Earth Chapter of the Pi Club - Founded April 1990    |\n|1993 World Champions  - Baltimore Orioles - Why Not? - Series in the Yards|\n|         1992-1993 Stanley Cup Champions -  Washington Capitals           |\n| "Committee for the Liberation and Intergration of Terrifying Organisms   |\n|   and their Rehabilitation Into Society, the only problem is that the    |\n|   abbreviation is CLITORIS." from the "Polymorph" episode of Red Dwarf   |\n|*****The Bangles are the greatest female rock band that ever existed!*****|\n|   This sig has been brought to you by... Frungy! The Sport of Kings!     |\n|"My God man, drilling holes through his head is not the answer!" Dr. McCoy|\n|"You know, Susanna Hoffs has a really nice ass." - comment by M. Flanagan |\n|  The Pi Club - Creating the largest .signatures for the past nine months | \n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n',
 'From: heinboke@tnt.uni-hannover.de (Andreas Heinbokel)\nSubject: LOOKING for AD PC-Board\nKeywords: AD\nReply-To: heinboke@tnt.uni-hannover.de\nOrganization: Universitaet Hannover, Theoretische Nachrichtentechnik\nLines: 43\n\n\n\nThis is for a friend of mine. Please send answers directly to him (E-Mail\nadress see below )!\n\n\nHIGHSPEED  ANALOG-DIGITAL PC-BOARD\n\nHello LAdies and Gentleman !\n\nI am looking for a highspeed A/D PC-Board with a sampling rate above 250 MHz an a\nresolution of 8-bit. The sampling rate can be arranged by an interleave mode where\nthe time equivalent sampling yields 2, 4 or 8 times higher sampling rate than\nthe A/D-Converter uses in non interleave mode.\n\nThe board must content an A/D-Converter similar to Analog Devices AD 9028 or \nAD 9038 or if available a faster on.\n\nIf you a PC-Board (16-bit slot, ISA) with this specification or better, please\nsend me an EMail\n\nhansch@cdc2.ikph.uni-hannover.dbp.de\n\nor a Telefax to: ++49 / 511 / 7629353\n\n\nThanks in advance for your help !\n\nSincerely\n\n     Matthias Hansch\n     IKPH, University of Hannover, Germany\n\n\n\n---\n\nAndreas Heinbokel\n\nheinboke@tnt.uni-hannover.de\n\n*** ... all wisdom is print on t-shirts ***\n\n',
 'From: e8l6@jupiter.sun.csd.unb.ca (Rocket)\nSubject: NHL Playoff leaders as of April 19, 1993\nOrganization: University of New Brunswick\nDistribution: rec.sport.hockey\nLines: 126\n\n    Playoff leaders as of April 19, 1993\n\n    Player       Team   GP  G   A  Pts +/- PIM\n\n    M.Lemieux    PIT     1   2   2   4   0   0\n    Juneau       BOS     1   1   3   4   0   0\n    Noonan       CHI     1   3   0   3   0   0\n    Mogilny      BUF     1   2   1   3   0   0\n    Neely        BOS     1   2   1   3   0   0\n    Brown        STL     1   1   2   3   0   0\n    Jagr         PIT     1   1   2   3   0   0\n    Oates        BOS     1   0   3   3   0   0\n    Carson       LA      1   2   0   2   0   0\n    Hunter       WAS     1   2   0   2   0   0\n    Stevens      NJ      1   2   0   2   0   0\n    Cullen       TOR     1   1   1   2   0   0\n    Hull         STL     1   1   1   2   0   0\n    Khristich    WAS     1   1   1   2   0   0\n    Linden       VAN     1   1   1   2   0   0\n    Racine       DET     1   1   1   2   0   0\n    Shanahan     STL     1   1   1   2   0   0\n    Sydor        LA      1   1   1   2   0   0\n    Yzerman      DET     1   1   1   2   0   0\n    Bure         VAN     1   0   2   2   0   0\n    Coffey       DET     1   0   2   2   0   0\n    Drake        DET     1   0   2   2   0   0\n    Emerson      STL     1   0   2   2   0   0\n    G.Courtnall  VAN     1   0   2   2   0   0\n    Johansson    WAS     1   0   2   2   0   0\n    Lapointe     QUE     1   0   2   2   0   0\n    Niedermayer  NJ      1   0   2   2   0   0\n    Ramsey       PIT     1   0   2   2   0   0\n    Sandstrom    LA      1   0   2   2   0   0\n    Smehlik      BUF     1   0   2   2   0   0\n    Stevens      PIT     1   0   2   2   0   0\n    Adams        VAN     1   1   0   1   0   0\n    Barr         NJ      1   1   0   1   0   0\n    Bellows      MON     1   1   0   1   0   0\n    Burr         DET     1   1   0   1   0   0\n    Chiasson     DET     1   1   0   1   0   0\n    Craven       VAN     1   1   0   1   0   0\n    Dahlquist    CAL     1   1   0   1   0   0\n    Dionne       MON     1   1   0   1   0   0\n    Felsner      STL     1   1   0   1   0   0\n    Ferraro      NYI     1   1   0   1   0   0\n    Francis      PIT     1   1   0   1   0   0\n    Gilmour      TOR     1   1   0   1   0   0\n    Hannan       BUF     1   1   0   1   0   0\n    Heinze       BOS     1   1   0   1   0   0\n    Howe         DET     1   1   0   1   0   0\n    Huddy        LA      1   1   0   1   0   0\n    King         WIN     1   1   0   1   0   0\n    LaFontaine   BUF     1   1   0   1   0   0\n    Lefebvre     TOR     1   1   0   1   0   0\n    McSorley     LA      1   1   0   1   0   0\n    Millen       LA      1   1   0   1   0   0\n    Ronning      VAN     1   1   0   1   0   0\n    Rucinsky     QUE     1   1   0   1   0   0\n    Sakic        QUE     1   1   0   1   0   0\n    Sheppard     DET     1   1   0   1   0   0\n    Steen        WIN     1   1   0   1   0   0\n    Suter        CAL     1   1   0   1   0   0\n    Sweeney      BUF     1   1   0   1   0   0\n    Tipett       PIT     1   1   0   1   0   0\n    Yawney       CAL     1   1   0   1   0   0\n    Young        QUE     1   1   0   1   0   0\n    Barnes       WIN     1   0   1   1   0   0\n    Borschevsky  TOR     1   0   1   1   0   0\n    Brunet       MON     1   0   1   1   0   0\n    Chelios      CHI     1   0   1   1   0   0\n    Ciccarelli   DET     1   0   1   1   0   0\n    Clark        TOR     1   0   1   1   0   0\n    Desjardins   MON     1   0   1   1   0   0\n    Dipietro     MON     1   0   1   1   0   0\n    Donnelly     LA      1   0   1   1   0   0\n    Driver       NJ      1   0   1   1   0   0\n    Duchesne     QUE     1   0   1   1   0   0\n    Ellett       TOR     1   0   1   1   0   0\n    Elynuik      WAS     1   0   1   1   0   0\n    Flatley      NYI     1   0   1   1   0   0\n    Fleury       CAL     1   0   1   1   0   0\n    Gallant      DET     1   0   1   1   0   0\n    Gill         TOR     1   0   1   1   0   0\n    Granato      LA      1   0   1   1   0   0\n    Gretzky      LA      1   0   1   1   0   0\n    Guerin       NJ      1   0   1   1   0   0\n    Hawerchuk    BUF     1   0   1   1   0   0\n    Holik        NJ      1   0   1   1   0   0\n    Housley      WIN     1   0   1   1   0   0\n    Janney       STL     1   0   1   1   0   0\n    K.Brown      CHI     1   0   1   1   0   0\n    Khmylev      BUF     1   0   1   1   0   0\n    Krygier      WAS     1   0   1   1   0   0\n    Larmer       CHI     1   0   1   1   0   0\n    MacInnis     CAL     1   0   1   1   0   0\n    Matteau      CHI     1   0   1   1   0   0\n    McEachern    PIT     1   0   1   1   0   0\n    McLean       VAN     1   0   1   1   0   0\n    McRae        STL     1   0   1   1   0   0\n    Mullen       PIT     1   0   1   1   0   0\n    Muller       MON     1   0   1   1   0   0\n    Murphy       PIT     1   0   1   1   0   0\n    Murzyn       VAN     1   0   1   1   0   0\n    Otto         CAL     1   0   1   1   0   0\n    Pearson      TOR     1   0   1   1   0   0\n    Pivonka      WAS     1   0   1   1   0   0\n    Primeau      DET     1   0   1   1   0   0\n    Probert      DET     1   0   1   1   0   0\n    Reichel      CAL     1   0   1   1   0   0\n    Ricci        QUE     1   0   1   1   0   0\n    Robitaille   LA      1   0   1   1   0   0\n    Roenick      CHI     1   0   1   1   0   0\n    Samuelsson   PIT     1   0   1   1   0   0\n    Semak        NJ      1   0   1   1   0   0\n    Shannon      WIN     1   0   1   1   0   0\n    Shuchuk      LA      1   0   1   1   0   0\n    Sundin       QUE     1   0   1   1   0   0\n    Sutter       CHI     1   0   1   1   0   0\n    Taylor       LA      1   0   1   1   0   0\n    Tocchet      PIT     1   0   1   1   0   0\n    Vaske        NYI     1   0   1   1   0   0\n-- \n\n-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-\n-                                                                           -\n-    Maurice Richard                                                        -\n',
 "From: noring@netcom.com (Jon Noring)\nSubject: Re: Good Grief!  (was Re: Candida Albicans: what is it?)\nOrganization: Netcom Online Communications Services (408-241-9760 login: guest)\nLines: 32\n\nIn article dyer@spdcc.com (Steve Dyer) writes:\n>In article noring@netcom.com (Jon Noring) writes:\n\nGood grief again.\n\nWhy the anger?  I must have really touched a raw nerve.\n\nLet's see:  I had symptoms that resisted all other treatments.  Sporanox\ntotally alleviated them within one week.  Hmmm, I must be psychotic.  Yesss!\nThat's it - my illness was all in my mind.  Thanks Steve for your correct\ndiagnosis - you must have a lot of experience being out there in trenches,\ntreating hundreds of patients a week.  Thank you.  I'm forever in your\ndebt.\n\nJon\n\n(oops, gotta run, the men in white coats are ready to take me away, haha,\nto the happy home, where I can go twiddle my thumbs, basket weave, and\nmoan about my sinuses.)\n\n-- \n\nCharter Member --->>>  INFJ Club.\n\nIf you're dying to know what INFJ means, be brave, e-mail me, I'll send info.\n=============================================================================\n| Jon Noring          | noring@netcom.com        |                          |\n| JKN International   | IP    : 192.100.81.100   | FRED'S GOURMET CHOCOLATE |\n| 1312 Carlton Place  | Phone : (510) 294-8153   | CHIPS - World's Best!    |\n| Livermore, CA 94550 | V-Mail: (510) 417-4101   |                          |\n=============================================================================\nWho are you?  Read alt.psychology.personality!  That's where the action is.\n",
 "From: hjkim@hyowon.pusan.ac.kr (Hojoong Kim)\nSubject: Looking for Electronics Dept Info in Austrailia\nOrganization: Korea Advanced Institute of Science and Technology\nX-Newsreader: TIN [version 1.1 PL8]\nLines:       13\n\nHi Netters!\n\nI am looking for the list of universities in Austrailia, which has electronics department. \nI am considering to spend a year for research in Austrailia about communication area.ýé I am interested in Mobile communication areas and spread spectrum communications etc. \nBut I don't have any information about Austrailian Universities.\nCan anybody recommend a good university in coûßmmunic÷³ation area?\nAny comments will be welcomed!\n\nBye.\n\nJaehyung Kim\n\n",
 'From: andersom@spot.Colorado.EDU (Marc Anderson)\nSubject: Re: Once tapped, your code is no good any more.\nNntp-Posting-Host: spot.colorado.edu\nOrganization: University of Colorado, Boulder\nDistribution: na\nLines: 59\n\nIn article <rdippold.735253985@qualcom> rdippold@qualcomm.com (Ron "Asbestos" Dippold) writes:\n>\n>geoff@ficus.cs.ucla.edu (Geoffrey Kuenning) writes:\n>>Bullshit.  The *Bush* administration and the career Gestapo were\n>>responsible for this horror, and the careerists presented it to the\n>>new presidency as a fait accompli.  That doesn\'t excuse Clinton and\n>>Gore from criticism for being so stupid as to go for it, but let\'s lay\n>>the body at the proper door to start with.\n>\n>The final stages of denial... I can hardly imagine what the result\n>would have been if the Clinton administration had actually supported\n>this plan, instead of merely acquiescing with repugnance as they\'ve so\n>obviously doing.  I don\'t believe the chip originated with the Clinton\n>administration either, but the Clinton administration has embraced it\n>and brought it to fruition.\n\n[...]\n\n(the date I have for this is 1-26-93)\n\nnote Clinton\'s statements about encryption in the 3rd paragraph..  I guess\nthis statement doesen\'t contradict what you said, though.\n\n--- cut here ---\n\n        WASHINGTON (UPI) -- The War on Drugs is about to get a fresh\nstart, President Clinton told delegates to the National Federation\nof Police Commisioners convention in Washington.\n        In the first speech on the drug issue since his innaugural,\nClinton said that his planned escalation of the Drug War ``would make\neverything so far seem so half-hearted that for all practical\npurposes this war is only beginning now.\'\' He repeatedly emphasized\nhis view that ``regardless of what has been tried, or who has tried\nit, or how long they\'ve been trying it, this is Day One to me.\'\'\nThe audience at the convention, whose theme is ``How do we spell\nfiscal relief?  F-O-R-F-E-I-T-U-R-E,\'\' interrupted Clinton frequently\nwith applause.\n        Clinton\'s program, presented in the speech, follows the\noutline given in his campaign position papers: a cabinet-level Drug\nCzar and ``boot camps\'\' for first-time youthful offenders.  He did,\nhowever, cover in more detail his plans for improved enforcement\nmethods.  ``This year\'s crime bill will have teeth, not bare gums,\'\'\nClinton said.  In particular, his administration will place strict\ncontrols on data formats and protocols, and require the registration\nof so-called ``cryptographic keys,\'\' in the hope of denying drug\ndealers the ability to communicate in secret.  Clinton said the\napproach could be used for crackdowns on other forms of underground\neconomic activity, such as ``the deficit-causing tax evaders who\nlive in luxury at the expense of our grandchildren.\'\'\n        Clinton expressed optimism that the drug war can be won\n``because even though not everyone voted for Bill Clinton last\nNovember, everyone did vote for a candidate who shares my sense of\nurgency about fighting the drug menace.  The advocates of\nlegalization -- the advocates of surrender -- may be very good at\nmaking noise,\'\' Clinton said.  ``But when the American people cast\ntheir ballots, it only proved what I knew all along -- that the\nadvocates of surrender are nothing more than a microscopic fringe.\'\'\n\n\n',
 'From: amathur@ces.cwru.edu (Alok Mathur)\nSubject: How to get 24bit color with xview frames ?\nOrganization: Case Western Reserve University\nLines: 55\nDistribution: world\nNNTP-Posting-Host: amethyst.ces.cwru.edu\n\nHi !\n\nI am using Xview 3.0 on a Sparc IPX under Openwindows along with a XVideo board\nfrom Parallax which enables me to use 24 bit color. I am having some problems\nutilizing the 24 bit color and would greatly appreciate any help in this matter.\n\nI use Xview to create a Frame and then create a canvas pane inside which I use\nto display live video. My video input is 24 bit color.\n\nThe problem is that my top level frame created as\n\tframe = (Frame) xv_create(NULL,FRAME,NULL);\nseems to have a depth of 8 which is propagated to my canvas.\n\nI would like to know how I can set the depth of the frame to be 24 bits.\nI tried using the following Xlib code :\n\nXVisualInfo visual_info;\nint depth = 24;\nColormap colormap;\nXSetWindowAttributes attribs;\nunsigned long valuemask = 0;\nWindow *win;\nXv_opaque frame;\n\nwin = xv_get(frame,XV_XID);\nXMatchVisualInfo(display,screen,depth,TrueColor,&visual_info);\n\n/* So far so good */\n\ncolormap = XCreateColormap(display,win,visual_info,AllocNone);\n\n/* It dies here with a BadMatch error :( */\n\nattribs.colormap = colormap;\nvaluemask |= CWColormap;\nXChangeWindowAttributes(display,w,valuemask,&attribs);\nXSetWindowColormap(display,win,colormap);\n\n\nAm I using a completely wrong approach here ? Is it possible to set the depth\nand colormap for a window created by Xview ? What am I doing wrong ?\n\nThanks in advance for any help that I can get. I would prefer a response via\nemail although a post on the newsgroup is also okay.\n\nThanks again,\n\n\nAlok.\n---\nALOK MATHUR\nComputer Science & Engg, Case Western Reserve Univ, Cleveland, OH 44106\n11414 Fairchild Road, #2, Cleveland, OH 44106\nOff - (216) 368-8871 Res - (216) 791-1261, email - amathur@alpha.ces.cwru.edu\n\n',
 "From: bill@thd.tv.tek.com (William K. McFadden)\nSubject: Re: Cable TVI interference\nKeywords: catv cable television tvi\nArticle-I.D.: tvnews.1993Apr15.193218.13070\nOrganization: Tektronix TV Products\nLines: 15\n\nIn article <VL812B2w165w@inqmind.bison.mb.ca> jim@inqmind.bison.mb.ca (jim jaworski) writes:\n>What happens when DVC (Digital Videon Compression) is introduced next \n>year and instead of just receiving squiggly lines on 2 or 3 channels \n>we'll be receiving sqigglies on, let's see 3*10 = 30 channels eventually.\n\nSince the digital transmission schemes include error correction and\nconcealment, the performance remains about the same down to a very low\ncarrier-to-noise ratio, below which it degrades very quickly.  Hence,\ndigitally compressed TV is supposed to be less susceptible to interference\nthan amplitude modulated TV.\n\n-- \nBill McFadden    Tektronix, Inc.  P.O. Box 500  MS 58-639  Beaverton, OR  97077\nbill@tv.tv.tek.com, ...!tektronix!tv.tv.tek.com!bill      Phone: (503) 627-6920\nHow can I prove I am not crazy to people who are?\n",
 'From: jxu@black.clarku.edu (Dark Wing Duck!!)\nSubject: Bosox win again! (the team record is 9-3)\nOrganization: Clark University (Worcester, MA)\nLines: 8\n\nToday, Frank Viola and rest of pitcher staff of Boston Red Sox shutout Chicago\nWhite Sox 4-0.  It is Red Sox 9th win of this season.\n\nSo far, Red Sox won all the games Roger and Frank V. pitched (6-0) and 3-3\nwhen other three starters were pitching.  Tomorrow, Dopson will pitch again\n(have a good first start and rocky second start).  I wonder that Bosox can\nplay over 500 ball without Roger and Frank V.\n\n',
 'From: djk@ccwf.cc.utexas.edu (Dan Keldsen)\nSubject: sony 1304 & Rasterops 24sx(si) for SALE! - UPDATE!!\nArticle-I.D.: geraldo.1qoddq$2p7\nReply-To: djk@ccwf.cc.utexas.edu (Dan Keldsen)\nDistribution: usa\nOrganization: The University of Texas at Austin, Austin TX\nLines: 64\nNNTP-Posting-Host: tramp.cc.utexas.edu\nOriginator: djk@tramp.cc.utexas.edu\n\nHello fellow humans, and other net creatures...\n \nIf you\'re at all interested in this merchandise, please e-mail me:\ndjk@ccwf.cc.utexas.edu\n \nI\'m compacting my system and moving to a single monitor system, so I have\ntwo monitors and cards for sale. Nothing at all is wrong with these pieces,\nI\'m just wanting to conserve desk space, and get all of my info from one\nscreen.\n \nI\'d prefer to sell to people near Austin and surrounding areas (within\ndriving distance - like an hour away perhaps), but I CAN ship to you if you\ndon\'t live near here. Only problem is that I didn\'t keep the original boxes\nfor the monitors, but I\'m confident that my few months of full-time service\nin the shipping room will enable me to safely package the monitors and\nflip it in your direction.\n \nDetails:\n \nMirror Full Page Display (monochrome) w/nubus card:\n---------------------------------------------------\n \n**SOLD**\n \nSony 1304 14" color monitor:\n----------------------------\nWhat\'s to say? It got top ratings in last year\'s MacUser report. It\'s a SONY,\nTrinitron, arguably the best (but I\'d rather not argue that point).\nIt\'s a great monitor, in great shape, but I\'m going to a bigger screen,\nand although I\'d like to keep it, finances don\'t justify it.\n \nStill selling for $599 at MacLand (where I bought it originally - not\nincluding shipping), will sell for **$475** (plus shipping). Again, make an\noffer if that sounds unreasonable.\n \n \nRasterOps 24si (24-bit accelerated, hardware zoom/pan, 4 meg RAM):\n------------------------------------------------------------------\nRenamed the 24sx a few months after I bought it, this board is for 13"\nmonitors, providing **accelerated 24-bit**, hardware zoom/pan, NTSC mode\n(you can plug it into something like the RasterOps Video Expander and output\nNTSC), and 4 RAM slots that use 1 meg or 4 meg SIMMS for GWorld RAM, or a\nRAM disk. Software included for such functions. 4 meg of RAM included (1 meg\nSIMMS).\n \nSelling for $605 at Bottom Line (without the RAM - add $100), I\'m asking\n**$525** (shipping included this time, it\'s just a card). Original box and\npackaging. I\'d actually prefer to sell the Sony monitor and this card\ntogether, so if you want both, drop me e-mail and make a "bundled offer"\nfor these items.\n \n------------\n \nCheers. \n\ndan keldsen - djk@ccwf.cc.utexas.edu\n\n-- \n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\nDan Keldsen            |  Are you now, or have you ever been:\ndjk@ccwf.cc.utexas.edu |  a. A Berklee College student?\nUniv. of Texas, Austin |  b. A member/fan of Billy Death?\nMusic Composition, MM  |  c. a MAX programmer?\nM & M Consultant (ask) |  d. a Think-C & MIDI programmer?\n',
 'From: st1g9@rosie.uh.edu (Lee Preimesberger)\nSubject: Re: Microsoft DOS 6.0 Upgrade for sale\nArticle-I.D.: rosie.5APR199322063854\nDistribution: world\nOrganization: University of Houston\nLines: 26\nNNTP-Posting-Host: rosie.uh.edu\nNews-Software: VAX/VMS VNEWS 1.41\n\nIn article <hatton.733706165@cgl.ucsf.edu>, hatton@socrates.ucsf.edu (Tom Hatton) writes...\n#adn6285@ritvax.isc.rit.edu writes:\n#>So, does anyone care to enlighten us whether DOS6.0 is worth upgrading to?\n#>How good is it\'s compression, and can it be turned on/off at will?\n#>Any other nice/nasty features?\n# \n#According to reports, if you don\'t have DOS yet, and don\'t have any\n#utilities (QEMM, Stacker, PCTools, Norton, ...) then DOS6 may be worth it. \n#For people who have DOS5, and some sort of utility, DOS6 doesn\'t offer\n#much. You\'d never know it from the usual hype that marketing is able\n#to create, however. :-)\n\n\tIMHO, it seems to be worth the $40 to upgrade.  DoubleSpace seems a bit \nsaner than Stacker 2.0 (which I\'ve replaced).  MemMaker is nowhere near as \naggressive as QEMM, but it doesn\'t hose my system like QEMM did (at least\nit hasn\'t yet).  Microsoft AntiVirus is just the latest version (or a \nreasonably recent one) of CPAV - mine was very aged, so this was quite welcome.\n\n \tMS-DOS 6.0 ain\'t the end all, be all of operating systems - but it\'s\nbetter than a sharp stick in the eye, unless you happen to be into that sort \nof thing.  :-)\n\n\t\t\t  Lee Preimesberger\nst1g9@jetson.uh.edu ----- Undergraduate Scum ----- University of Houston, USA\n                              ********\n         "There is freedom of choice for every choice but mine."\n',
 "From: cannon@mksol.dseg.ti.com (Christopher Cannon)\nSubject: Re: Help with 24bit mode for ATI\nOrganization: Texas Instruments, Inc\nLines: 26\n\nIn article <WONG.93Apr15111623@ws13.webo.dg.com> wong@ws13.webo.dg.com (E. Wong) writes:\n>I finally got the vesa driver for my ATI graphics ultra plus (2M).  However,\n\n\tWhere did you get this driver.  Please, please, please !!!!\n\tI've been waiting months for this.\n\n>when I tried to use this to view under 24bit mode, I get lines on the picture.\n>With 16bit or below, the picture is fine.  Can someone tell me what was wrong?\n>Is it the card, or is it the software?\n>--\n>Thanks\n>8)\n>    _/_/_/_/  _/_/_/    _/    _/    _/_/    _/_/_/    _/_/_/  \n>   _/\t     _/    _/  _/    _/  _/    _/  _/    _/  _/    _/ \n>  _/_/_/_/  _/    _/  _/ _/ _/  _/_/_/_/  _/_/_/    _/    _/\n> _/        _/    _/  _/ _/ _/  _/    _/  _/  _/    _/    _/ \n>_/_/_/_/  _/_/_/      _/ _/   _/    _/  _/    _/  _/_/_/    \n>                                                            \n>user's name:\tEdward Wong \t\t\t\t    \n>Internet:     \twong@ws13.webo.dg.com\t\t \n>telephone:\t(508) 870-9352\n\n\n-- \n===================\ncannon@lobby.ti.com\n",
 "From: egerter@gaul.csd.uwo.ca (Barry Egerter)\nSubject: Re: Graphics Library Package\nOrganization: Computer Science Dept., Univ. of Western Ontario, London, Canada\nNntp-Posting-Host: obelix.gaul.csd.uwo.ca\nLines: 43\n\n\n\tWGT is the WordUp Graphics Toolkit, designed by yours truly and my\nco-programmer (and brother) Chris Egerter. It is a Turbo/Borland C++ graphics\nlibrary for programming in 320*200*256 VGA. We are currently producing it as\nshareware, but in a few years it may be a commercial product (excuse typos,\nthere's no backspace on this terminal). Features include:\n\n- loading and saving bit-images (called blocks from herein)\n- flipping, resizing and warping blocks\n- loading and saving palette, fading, several in memory at once\n- graphics primitives such as line, circle, bar, rectangle\n- region fill (not the usually useless floodfill)\n- sprites (animated bitmaps), up to 200 onscreen at once\n- joystick/mouse support\n- SB support (VOC and CMF)\n- tile-based game creation using 16*16 pixel tiles to create\n  a 320*200 tile map (or game world) like in Duke Nuke 'Em\n- number of sprites increased to 1000\n- Professional Sprite Creator utility and Map Maker\n-  routines to simplify scrolling games using maps, etc\n- FLI playing routines, sprites can be animated over the FLI while playing\n- PCX support, soon GIF\n- EMS/XMS coming soon as well\n\nLeave E-mail to Barry Egerter at    egerter@obelix.gaul.csd.uwo.ca\n\nFiles available on:      (use  mget wgt*.zip)\n\nSIMTEL20 and mirrors                pd1:<msdos.turbo-c>\n\nnic.funet.fi                        pub/msdos/games/programming\n\nSome sites may not have recent files, contact me for info regarding the up-to-\ndate information.\n\n\n\n\n\n\n\n\n\n",
 'From: music@erich.triumf.ca (FRED W. BACH)\nSubject: Re: WARNING.....(please read)...\nOrganization: TRIUMF: Tri-University Meson Facility\nLines: 33\nDistribution: world\nNNTP-Posting-Host: erich.triumf.ca\nNews-Software: VAX/VMS VNEWS 1.41    \n\nIn article <NEILSON.93Apr15135919@seoul.mpr.ca>, neilson@seoul.mpr.ca (Robert Neilson) writes...\n#[sorry for the 0 auto content, but ... ]\n# \n#> That is why low-abiding citizens should have the power to protect themselves\n#> and their property using deadly force if necessary anywhere a threat is \n#> imminent.\n#>\n#> Steve Heracleous\n# \n#You do have the power Steve. You *can* do it. Why don\'t you? Why don\'t you\n#go shoot some kids who are tossing rocks onto cars? Make sure you do a good\n#job though - don\'t miss - \'cause like they have big rocks - and take it from\n#me - those kids are mean.\n\n  This last comment was obviously a bit cynical, but a true statement of\n the attitude of some drivers (there\'s your "autos" content), I would say.\n\n  What law-abiding (not "low-abiding" as above (talk about Freudian slips!))\n citizens have the right and responsibility to do is try to PREVENT this\n type of behaviour in children.  A doctor may have to use "deadly force"\n against a part of a body (like amputating it) when an infection/disease\n has gone too far.  But his real desire would have been to *prevent* the\n disease in the first place or at least nip it in the bud.\n\n   Followups should go to alt.parents-teens\n\n Fred W. Bach ,    Operations Group        |  Internet: music@erich.triumf.ca\n TRIUMF (TRI-University Meson Facility)    |  Voice:  604-222-1047 loc 327/278\n 4004 WESBROOK MALL, UBC CAMPUS            |  FAX:    604-222-1074\n University of British Columbia, Vancouver, B.C., CANADA   V6T 2A3\n\n These are my opinions, which should ONLY make you read, think, and question.\n They do NOT necessarily reflect the views of my employer or fellow workers.\n',
 'From: cosmo@pro-angmar.alfalfa.com (Frank Benson)\nSubject: Freeman\nOrganization: UTexas Mail-to-News Gateway\nLines: 5\nNNTP-Posting-Host: cs.utexas.edu\n\nWatch your language ASSHOLE!!!!\n---\nProLine:  cosmo@pro-angmar\nInternet: cosmo@pro-angmar.alfalfa.com\nUUCP:     uunet!bu.edu!alphalpha!pro-angmar!cosmo\n',
 'From: sclark@epas.utoronto.ca (Susan Clark)\nSubject: OOOPS!\nOrganization: University of Toronto - EPAS\nNntp-Posting-Host: epas.utoronto.ca\nLines: 18\n\nPicture if you will, the Habs going into the last couple minutes of the\ngame, leading 2-0.  The Nords get a power play, pull Hextall, and get\na goal.  Bout a minute later, they get another one.  Then they win in\novertime......\n\nA bad dream?.......\n\nHow\'s that Red Hot Chili Peppers song go...\n"Give it away,give it away, give it away now...."\n\nOh well.  Suppose I can always watch the Leafs win tomorrow night....\n   (smilies.....)\n\nAm I the only female hockey fan in the world?\n\nSusan Carroll-Clark\nsclark@epas.utoronto.ca\n\n',
 'From: strnlght@netcom.com (David Sternlight)\nSubject: Re: Would "clipper" make a good cover for other encryption method?\nOrganization: DSI/USCRPAC\nLines: 17\n\nIn article <1993Apr20.032623.3046@eff.org> kadie@eff.org (Carl M. Kadie) writes:\n\n\n>So, don\'t just think of replacements for clipper, also think of front\n>ends.\n\nThis only makes sense if the government prohibits alternative non-escrowed\nencryption schemes. Otherwise, why not just use the front end without\nclipper?\n\nDavid\n\n-- \nDavid Sternlight         Great care has been taken to ensure the accuracy of\n                         our information, errors and omissions excepted.  \n\n\n',
 "From: minh@bigwpi.WPI.EDU (Minh Anh Pham)\nSubject: <><><><>SIPPs MEMORY FORSALE<><><><>\nOrganization: Worcester Polytechnic Institute\nLines: 23\nNNTP-Posting-Host: bigwpi.wpi.edu\n\n                        <><><><> SIPPs FOR SALE <><><><>\n\nI have 16 SIPPs for sale.  I upgraded a few systems memory, so I don't need \nthese no more.  They are:\n\n     11- 256x9 SIPPs @70NS\n     5-  256X9 SIPPs @80NS\n     --------------------\n     4 MEG TOTAL          ALL FOR $110\n                      OR  4 (1 MEG) FOR $27\nNOTE:  SIPPs are gernally more expensive then SIMMs\n\nThese SIPPs are in good working condition........\n\nBuyer pay shipping/handling.\n\nIf interested reply to:\n\t\t\tminh@wpi.wpi.edu\n-- \n\n  Minh Pham    \n  E-mail: minh@wpi.wpi.edu           \n  Worcester Polytechnical Institute\n",
 'From: JEK@cu.nih.gov\nSubject: When are two people married\nLines: 128\n\nLISTOWNER: I have sent this to Mr Anderson privately. Post it only\nif you think it of general interest.\n\nHere is a copy of something I wrote for another list. You may\nfind it relevant.\n\nA listmember asks:\n\n > What makes common-law marriages wrong?\n\nA common-law marriage is not necessarily wrong in itself. There is\nnothing in the Bible (Old or New Testament) about getting married by\na preacher, or by a priest (Jewish or Christian). And in fact Jewish\npriests have never had any connection with weddings.\n\nThere is a common notion that the marriage is performed by the\nclergyman. In fact, the traditional Christian view (at least in the\nWest) is that the bride and groom are the ministers of the marriage,\nand that the clergyman is there only as a witness.\n\nHOWEVER!\n\nThe essential ingredient of a marriage is mutual commitment. Two\npersons are considered to be married if and only if they have bound\nthemselves by mutual promises to live together as husband and wife,\nforsaking all others, till death do them part.\n\n      The reason why those who have reason to be concerned about who\nis married to whom have always insisted on some kind of public\nceremony is in order that society, and the couple themselves, may be\nclear about whether a commitment has been made.\n\nSuppose that we do away with the public ceremony, the standard vows,\netc. Instead, we have a man and a woman settling down to live\ntogether.\n      After a year or so, the man says to the woman: Hey, honey, it\nwas great while it lasted, but I think it\'s time to move on.\n      She says: What are you talking about?\n      He says: I am leaving you and looking for someone prettier and\nyounger.\n      She says: But you can\'t. We are married!\n      He says: What are you talking about? We never got married.\n      She says: I remember distinctly what you said to me the night\nwe first made love. You said: "My love for you is as deep as the\nocean, as eternal as the stars. As long as I live, I am yours,\nutterly and completely. When I lie on my deathbed, my last feeble\nbreath will utter your name. My..."\n      He says: Oh that! That was just rhetoric. Just poetry. When a\nman is in a romantic mood, he is bound to say all kinds of silly\nthings like that. You mustn\'t take them literally.\n\nAnd that is why you have an insistence on a formal ceremony that is\na matter of public record.\n      The Church insists on it, because it is her duty (among other\nthings) to give moral advice, and you cannot give a man moral advice\nabout his relations with a woman if you have no idea who is married\nto whom, if anybody, and vice versa.\n      The State insists on it, since the state has a concern with\nproperty rights, with child care and support, and therefore needs to\nknow who has made what commitments to whom.\n      Prospective fathers-in-law insist on it, because they don\'t\nwant their daughters seduced and abandoned.\n      Prospective spouses insist on it, because they want to make\nsure they know whether what they are hearing is a real commitment,\nor just "poetry."\n      And persons making vows themselves insist on making them\nformally and publicly, in order that they may be clear in their own\nminds about what it is that they are doing, and may know themselves\nthat this is not just rhetoric. This is the real thing.\n\n      Hence the insistence on a formal public explicit avowal of the\nmarriage commitment.  The Church goes further and insists that, when\nChristians marry, a clergyman shall be present at the wedding and\nrecord the vows on behalf of the Church, not because it is\nimpossible to have a valid wedding without a clergyman, but in order\nto make sure that the couple understand what the Christian teaching\nabout marriage is, and that they are in fact promising to be married\nin a Christian sense. The Church also prefers a standard marriage\nvow, and is wary of letting couples Write their own vows, for much\nthe same reason that lawyers prefer standard terminology when they\ndraw up a will or a contract. Certain language has been repeatedly\nused in wills, and one can be sure how the courts will interpret it.\nTry to say the same thing in your own words, and you may find that\nthe probate judge\'s interpretation of them is not at all what you\nintended.  Similarly, the Church prefers to avoid endless debates\nabout whether "You are my main squeeze" and "I am here for the long\nhaul" do in fact cover the same territory as "forsaking all others"\nand "till death do us part."\n\n      This topic has come up on the list before. (Is there any topic\nthat hasn\'t?) One listmember was asking, "If a couple love each\nother and are living together, isn\'t that marriage in the eyes of\nGod?" Eventually someone asked, "In that case, what is their status\nif they break up? Is that the moral equivalent of getting a divorce?\nAre they in a relationship that God forbids either of them to walk\nout on? " The original questioner said: "Good grief, I never thought\nof that!" In fact, there are reasonable grounds for suspecting that\nsomeone who says, "We don\'t need a piece of paper or a ceremony in\nfront of a judge or a preacher in order to show that we love each\nother," is trying to have it both ways -- to have the advantages of\nmarriage plus the option of changing his mind with a minimum of\nbother.\n\nAt this point someone may say, "None of this applies to me and my\nmate. We are quite clear on the fact that we have assumed a lifelong\ncommitment, \'for better or worse, forsaking all others, till death\nus do part.\' So in our case, no ceremony is needed."\n     To this my reply would be: The reason for requiring a driver\'s\nlicense is to keep dangerous drivers off the road.  What is wrong in\nitself is not the existence of unlicensed drivers, but the existence\nof dangerous drivers. However, testing and licensing drivers is an\nobvious and reasonable means of pursuing the goal of reducing the\nnumber of dangerous drivers on the road. Therefore the State rightly\nmakes and enforces such laws, and you the citizen have a positive\nmoral obligation to refrain from driving without a license no matter\nhow much of a hotshot behind the wheel you think you are.\n\nBack to the original question. We have a listmember who knows a\ncouple who have been living together for around 20 years. He asks:\nAt what point did they stop fornicating and start being married? I\nanswer: at the point, if any, where they both definitely and\nexplicitly accepted an obligation to be faithful to each other, for\nbetter or worse, as long as they both lived. If they have accepted\nsuch an obligation, what are their reasons for not being willing to\ndeclare it in front of, say, a justice of the peace?\n\n Yours,\n James Kiefer\n',
 'From: scot@jlc.mv.com (Scot Salmon)\nSubject: NuTek Email?\nOrganization: John Leslie Consulting, Milford NH\nLines: 9\n\nDoes NuTek (or anyone at NuTek) have an email address?\n\nIf not, why not? =)\n\n-- \n-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-\nGood Things: Books by Robert Heinlein, Music by Enya, Computers by Apple,\n             Humor by Dave Barry, Thursday nights on NBC, and Scotland.\n-=-=-=-=-=-=-=-=-=-=-=- Scot Salmon (scot@jlc.mv.com) -=-=-=-=-=-=-=-=-=-=-=-=-\n',
 'From: drchambe@tekig5.pen.tek.com (Dennis Chamberlin)\nSubject: Re: PLANETS STILL: IMAGES ORBIT BY ETHER TWIST\nReply-To: drchambe@tekig5.pen.tek.com\nOrganization: Tektronix, Inc., Beaverton,  OR.\nLines: 31\n\n\n----- News saved at 23 Apr 93 22:22:40 GMT\nIn article <1993Apr22.130923.115397@zeus.calpoly.edu> dmcaloon@tuba.calpoly.edu (David McAloon) writes:\n>\n> ETHER IMPLODES 2 EARTH CORE, IS GRAVITY!!!\n>\n>  This paper BOTH describes how heavenly bodys can be stationary, \n>ether sucking structures, AND why we observe "orbital" motion!!\n  \n\n>  "Light-Years" between galaxies is a misnomer. The distance is \n>closer to zero, as time and matter are characteristics of this phase \n>of reality, which dissipates outward with each layer of the onion. \n>(defining edge = 0 ether spin)  \n\n>  To find out about all of this, I recommend studying history.  \n\nWell, I\'m working on it, but getting a little impatient. So far, \nI\'ve made it through Egyptian, Chinese, and Greek cultures, and\nup through the Rennaisance. But so far, these insights just don\'t \nseem to be gelling. Perhaps it\'s in an appendix somewhere.\n\nIn its own right, though, the history is kind of fun. Lots of \ngood yarns in there, with varied and interesting characters. And,\nmore to come.\n\n\n\n\n\n \n',
 'From: ncmoore2@netnews.jhuapl.edu (Nathan Moore)\nSubject: Re: Bernoulli Drives/Disks...\nOrganization: JHU/Applied Physics Laboratory\nLines: 22\n\nnilayp@violet.berkeley.edu (Nilay Patel) writes:\n\n>I am looking for Bernoulli removable tapes for the 20/20 drive..\n\n>Don\'t laugh ... I am serious...\n\n>If you have any 20 MB tapes lying around that you would like to get rid of,\n>please mail me ... \n\n>-- Nilay Patel\n>nilayp@violet.berkeley.edu\n\nYou do mean disks, don\'t you, not tapes?  You forgot to say whether you\nwere looking for the old 8" or the newer 5.25".\n\nSorry, just use them at work and don\'t think they would appreciate it.\n\n-- \nNathan C. Moore\nThe Johns Hopkins University / Applied Physics Laboratory\nncmoore2@aplcomm.jhuapl.edu      CIS: 70702,1576\nPlease note above address for email replies.\n',
 "From: kens@lsid.hp.com (Ken Snyder)\nSubject: Re: Should I buy a VRF 750?\nArticle-I.D.: hpscit.1qkcrt$2q9\nOrganization: Hewlett Packard Santa Clara Site\nLines: 47\nNNTP-Posting-Host: labkas.lsid.hp.com\nX-Newsreader: TIN [version 1.1 PL8.10]\n\nMark N Bricker (mnb4738@cs.rit.edu) wrote:\n: I am in the market for a bike and have recently found a 1990\n: Honda VRF 750 at a dealership. The bike has about 47,000 miles\n: and is around $4500. It has had two previous owners, both employees\n: of the dealership who, I have been told, took very good care of the\n: bike.\n\n: I have two questions: 1) Is this too many miles for a bike? I know this\n: would not be many miles for a car but I am unfamiliar with the life\n: span of bikes. 2) Is this a decent price? I am also unfamilar with\n: prices for used bikes. Is there a blue book for bikes like there is\n: for cars?.\n\n: Thanks for any advice you can give.\n\n:                             --Mark\n--\n\nMark,\n\n  47k is not too many miles on a VFR750.  I sold my (well maintained)\n'87 VFR700 with 52k miles on it and the engine was in mint condition.\nAll that the bike needed was steering head bearings and fork bushings\nand seals.  The guy who bought it had a mechanic pull the valve covers\nto look at the top end, do a compression check etc.  He confirmed it was\nmint.\n\n   As for price, $4500 seems a little steep.  I bought my '90 with 12k\nmiles on it a year ago (and in absolutely cherry condition) for $4800.\nThere is a bluebook, ask your bank or credit union for the going price.\nI've seen a couple of ads for VFR's in the $4500 dollar range.  They all\nsaid low miles & mint condition but I didn't actually go look at them.\n\n   A VFR is a very sweet bike and will last you forever if you maintain\nit at all.  One thing to look for, BTW, is a soft front end.  If my\nVFR is any indication, at 12k miles the fork springs were totally shot.\nProgressive springs ($55) fixed it right up.\n\nGood luck,\n\n _______________________ K _ E _ N ____________________________\n|                                                              |\n| Ken Snyder              ms/loc: 330 / UN2                    |\n| Hewlett-Packard Co.     LSID  : Lake Stevens Instrument Div. |\n| 8600 Soper Hill Road    gte/tn: (206) 335-2253 / 335-2253    |\n| Everett, WA 98205-1298  un-ix : kens@lsid.hp.com             |\n|______________________________________________________________|\n",
 'From: andrew@idacom.hp.com (Andrew Scott)\nSubject: USENET Playoff Pool (IMPORTANT)\nOrganization: IDACOM, A division of Hewlett-Packard\nLines: 15\n\nI got back from my trip to discover that my email spool file got blown\naway.  I am missing all the playoff pool entries sent between April 5\nand April 17.  It looks like about 200 entries got lost.  *Sigh*.\n\nTherefore, I would like to ask each person that sent me a team to resend\nit ASAP.  I am relying on your honesty to not make changes after the\ndeadline today.\n\nThanks in advance, and I apologize for the problem.\n\n-- \nAndrew Scott                    | andrew@idacom.hp.com\nHP IDACOM Telecom Operation     | (403) 462-0666 ext. 253\n\nDuring the Roman Era, 28 was considered old...\n',
 'From: b8!anthony@panzer.b17b.ingr.com (new user)\nSubject: Re: The doctrine of Original Sin\nOrganization: Intergraph\nLines: 24\n\nIn article <May.2.09.48.32.1993.11721@geneva.rutgers.edu>, db7n+@andrew.cmu.edu (D. Andrew Byler) writes:\n|> Beyt (BCG@thor.cf.ac.uk) writes:\n|> \n|>\n|> 4) "Nothing unclean shall enter [heaven]" (Rev. 21.27). Therefore,\n|> babies are born in such a state that should they die, they are cuf off\n|> from God and put in hell,\n\nOh, that must explain Matthew 18:\n\n1) In that hour came the disciples unto Jesus, saying, "Who then is greatest in\nthe kingdom of heaven?"\n2) And he called to him a little child, and set him in the midst of them,\n3) and said, "Verily I say unto you, Except ye turn, and become as little\nchildren, ye shall in no wise enter into the kingdom of heaven.\n14) Even so it is not the will of your father who is in heaven, that one of these\nlittle ones should perish.\n\nNice thing about the Bible, you don\'t have to invent a bunch of convoluted\nrationalizations to understand it, unlike your arguments for original sin. Face\nit, original sin was thought up long after the Bible had been written and has no\nbasis from the scriptures.\n\nAnthony\n',
 'From: lucio@proxima.alt.za (Lucio de Re)\nSubject: A fundamental contradiction (was: A visit from JWs)\nReply-To: lucio@proxima.Alt.ZA\nOrganization: MegaByte Digital Telecommunications\nLines: 35\n\njbrown@batman.bmd.trw.com writes:\n\n>"Will" is "self-determination".  In other words, God created conscious\n>beings who have the ability to choose between moral choices independently\n>of God.  All "will", therefore, is "free will".\n\nThe above is probably not the most representative paragraph, but I\nthought I\'d hop on, anyway...\n\nWhat strikes me as self-contradicting in the fable of Lucifer\'s\nfall - which, by the way, I seem to recall to be more speculation\nthan based on biblical text, but my ex RCism may be showing - is\nthat, as Benedikt pointed out, Lucifer had perfect nature, yet he\nhad the free will to "choose" evil.  But where did that choice come\nfrom?\n\nWe know from Genesis that Eve was offered an opportunity to sin by a\ntempter which many assume was Satan, but how did Lucifer discover,\ninvent, create, call the action what you will, something that God\nhad not given origin to?\n\nAlso, where in the Bible is there mention of Lucifer\'s free will?\nWe make a big fuss about mankind having free will, but it strikes me\nas being an after-the-fact rationalisation, and in fact, like\nsalvation, not one that all Christians believe in identically.\n\nAt least in my mind, salvation and free will are very tightly\ncoupled, but then my theology was Roman Catholic...\n\nStill, how do theologian explain Lucifer\'s fall?  If Lucifer had\nperfect nature (did man?) how could he fall?  How could he execute an\nact that (a) contradicted his nature and (b) in effect cause evil to\nexist for the first time?\n-- \nLucio de Re (lucio@proxima.Alt.ZA) - tab stops at four.\n',
 "From: Center for Policy Research <cpr@igc.apc.org>\nSubject: Re: Nazi Eugenic Theories Circulated by\nNf-ID: #R:1993Apr19.223054.10273@cirrus.co:779683862:cdp:1483500351:000:2238\nNf-From: cdp.UUCP!cpr    Apr 21 04:44:00 1993\nLines: 42\n\n\nIn my postings I have made a proposal for comments and discussion.\nThose who don't want to discuss its merits and drawbacks are not forced to\ndo so.\n\nHowever I would make anybody who incites others to harm me or harass\nin a personal manner, legally responsible for their deeds. I cannot\naccept and will not accept threats to my personal integrity and I\nurge anybody who opposes terror to refrain from direct or indriect\nthreats.\n\nPS: My proposal has nothing to do with Nazi eugenics. It has to do with\nthe search for peace which would enable justice. I don't consider that\njustice is done, when non-Jews who fled or were expelled in 1948/1967\nare not permitted to return to their homeland. This can at best be called\npragmatism, a nice word for legitimizing the rule of the strong. It can\nnever be called justice. And peace without justice will never be peace.\nIt is my conviction that the situation in which a state, through the\nlaw, attempts to discourage mixed marriages (as Israel does), is not\nnormal. Such a state resembles more Nazi Germany and South Africa than\nWestern democracies, such as the United States, in which Jews are free to\nmarry whom they wish and do so in the thousands. My proposal may have\ndrawbacks but it is meant to force anybody to anything, just to\ncompensate for a certain time mixed couples for the hardships tehy\nendure in a society which disapproves of intermarriage.When the day\nwill come and Israel will become a truly civil and decmoractic society,\nin which the state is not concerned with the religious or ethnic\naffiliation of its constituency, such a Fund would not be needed any\nmore. I don't mind if Jews wish to marry Jews and keep their\ntraditions, why not ? But this is not the affairs of a state. Western\ndemocracy clearly separates these domains and I am certain that\nmost\nAmerican Jews enjoy this fact and would not love to live in a state termed\nChristian State and to have their Green cards stamped with a mark JEW.\n\nI would ask those who are genuinely interested in an exchange of views\nand personal experiencces to refrain from emotional, infantile\noutbursts which might leed readers to infer that Jews who respect\nJudaism are uncivilized. Such behaviour is not good for Judaism.\n\nElias\n\n",
 'From: rjh@allegra.att.com (Robert Holt)\nSubject: Re: ALL-TIME BEST PLAYERS\nOrganization: AT&T Bell Laboratories, Murray Hill, NJ\nLines: 78\n\nIn article <1993Apr15.162313.154828@ns1.cc.lehigh.edu> jsr2@ns1.cc.lehigh.edu (JOHN STEPHEN RANDOLPH) writes:\n>In article <1993Apr13.115313.17986@bsu-ucs>, 00mbstultz@leo.bsuvc.bsu.edu writes\n>:\n>>I\'ve recently been working on project to determine the greatest\n>>players at their respective postions.  My sources are Total Baseball,\n>>James\' Historical Abstract, The Ballplayers (biography), word of\n>>mouth, and my own (biased) opinions...\n>>\n>>Feel free to comment, suggest, flame (whatever)...but I tried\n>>to be as objective as possible, using statistical data not inlcuded\n>>for time/convience\'s sake.  (I judged on Rel. BA, Adj OPS, Total Average,\n>>fielding range/runs, total player rating (Total Baseball), stolen bases\n>>(for curiosity\'s sake), TPR/150 g, and years played/MVP.\n>>\n>>3B\n>> 1) Mike Schmidt\n>> 2) Ed Matthews\nOne "t" in "Eddie Mathews"!\n>> 3) George Brett\n>> 4) Wade Boggs\n>> 5) Ron Santo\n>> 6) Brooks Robinson\n>> 7) Frank Baker\n>> 8) Darrell Evans\n>> 9) Pie Traynor\n>>10) Ray Dandridge\n>>\n>How can Brooks be # 6?  I think he would at least be ahead of Ron Santo.\n>\nBecause a small advantage in fielding ability comes nowhere near\nmaking up for the large difference in hitting.  Their average\nseasons, using their combined average 656 (AB + BB) per 162 games:\n\n         Years  AB  H  R  2B 3B HR RBI TB  BB  AVG  OBP  SLG  OPS\nSanto    14.10 577 160 81 26  5 24  94 268 79 .277 .366 .464 .830\nRobinson 17.55 607 162 70 27  4 15  77 243 49 .267 .325 .401 .726\n\nFielding, we have, per 162 games at third,\n\n         Years   P    A   DP   E   PCT\nSanto    13.15  149  348  30  24  .954\nRobinson 17.72  152  350  35  15  .971\n\nEven if Robinson\'s extra 3 putouts, 2 assists, and 5 DPs are taken to mean\nhe was responsible for 10 more outs in the field, that doesn\'t make up\nfor the extra 28 outs he made at the plate, not to mention the fewer\ntotal bases.  The difference of .104 in OPS should be decreased by about\n.025 to account for Wrigley, but a .079 difference is still considerable.\nThe Thorn & Palmer ratings are\n\n           Adjusted      Adjusted    Stolen   Fielding  Total\n           Production  Batting Runs Base Runs   Runs    Rating\nSanto         123          284        -14       137      41.7\nRobinson      105           52         -5       151      19.8 (26.3)\nUsual disclaimers about T&P\'s FR apply, but they really shouldn\'t be\nway off the mark in this comparison.  At least it\'s better than fielding\npercentage: Carney Lansford has a .966 , 10th best all-time, but -225 FR,\ndead last of all time.  Also, since this total rating compares players\nto league average instead of replacement level, Robinson should be\nawarded an extra 6.5 or so for playing 653 more games.  He had a great\ncareer, but I would prefer Santo\'s plus 4 years of a replacement level 3Bman.\n\nBut I would knock Traynor off the list and replace him by Stan Hack.\nThat\'s a similar story, Hack\'s far better hitting outweighs Traynor\'s\nsuperior fielding.  Graig Nettles and Buddy Bell would also be better\nchoices (IMHO of course, though some recent net discussion supports\nthis point of view.)\n>\n>>CF\n>> 7) Andre Dawson\n\nShouldn\'t that be right field?\n\n-- \n+-----------------------+\n|  Bob Holt             |\n|  rjh@allegra.att.com  |\n+-----------------------+\n',
 "From: jchen@wind.bellcore.com (Jason Chen)\nSubject: MILITECH\nNntp-Posting-Host: wind.bellcore.com\nReply-To: jchen@ctt.bellcore.com\nOrganization: Bell Communications Research\nLines: 34\n\nI saw an interesting product in NY Auto Show, and would like to \nhear your comments.\n\nMILITECH(tm) is yet another oil additive. But the demonstration of this\nproduct really impressive, if it didn't cheat.\n\nThe setup of the demo is fairly simple. A cone shaped rotor is\nhalf submerged in a small oil sink, filled with motor oil. The rotor\nis powered by an electronic motor. A metal pad is pressed against\nthe rotor using the torque wrench until the rotor stopped by friction. \nThe torque that is needed to stop rotor is read from the torque wrench.\n\nBefore MILITECH was added, the rotor was stopped with about 60 lb-ft\nof torque (You pick the brand of oil, no difference). Once MILITECH was \nadded to the oil, the rotor could not be stopped even with 120+ lb-ft of\ntorque. \n\nHere is the good part: even after the salesman emptied the oil sink, \nyou still could not stopped the rotor with the thin film remained  on it.\n\nThey say you need only add 2oz per quart of oil every 15k miles. A 16 oz\nbottle is $25.\n\nI still have my doubts. If this product is really so great, why it was\nso little known? The salesman said it is widely used in military. I didn't\nbelieve it.  The demo was so impressive, that I bought a bottle against\nmy common sense.\n\nHas anyone heard of or actually used this product? Is it real?\nIf you are going to the auto show, please visit this stand on the \nsecond floor. See if can find out if the demo is a hoax or not.\n\nJason Chen\n\n",
 "From: parr@acs.ucalgary.ca (Charles Parr)\nSubject: Re: Truck tailgates/mileage\nNntp-Posting-Host: acs3.acs.ucalgary.ca\nOrganization: The University of Calgary, Alberta\nLines: 36\n\nIn article <1993Mar30.203846.85644@ns1.cc.lehigh.edu> jh03@ns1.cc.lehigh.edu (JUN HE) writes:\n>In article <1993Mar26.221840.1204@nosc.mil>, koziarz@halibut.nosc.mil (Walter A.\n> Koziarz) writes:\n>>In article <51300059@hpscit.sc.hp.com> chrisw@hpscit.sc.hp.com (Chris Wiles) wr\n>ites:\n>>\n>>\n>>>      Consumers report did a study I think and found that most\n>>>trucks got worse mileage with the tailgate off. The tailgates on the\n>>>newer trucks actually help.\n>>\n>>oh, sure they do...  and replacing the front bumper and grille with a closet\n>>door helps mileage *and* cooling.  *if* CR actually said that, then they have\n>>bigger fools working for them than the fools that believe their drivel...  but,\n>>who am I to argue this?  just someone that's been a pickup-driver for 20+\n>>years, that's all.  forget the 'net', just take off the tailgate on hiway trips\n>>since the nets aren't designed to nor capable of restraining a load in the bed\n>>anyway.  around town, the tailgate will have a negligable effect on mileage\n>>anyway.\n>>\n>>Walt K.\n>>\n>They may help to improve mileage in some cases, I believe. With the tailgate\n>on the flow structure behind the cab may differ and the vortex drag may be\n>reduced during high speed driving.\n\nHow about those toneau covers? I've been thinking of building one\nfrom chipboard for roadtrips. Any comment on how they affect\nmileage in highway travel?\n\nCharles\n-- \nWithin the span of the last few weeks I have heard elements of\nseparate threads which, in that they have been conjoined in time,\nstruck together to form a new chord within my hollow and echoing\ngourd. --Unknown net.person\n",
 'From: steveth@netcom.com (Steve Thomas)\nSubject: Re: Good Neighbor Political Hypocrisy Test\nOrganization: VisionAire, San Francisco, CA\nLines: 34\n\nIn article <1993Apr15.193603.14228@magnus.acs.ohio-state.edu> rscharfy@magnus.acs.ohio-state.edu (Ryan C Scharfy) writes:\n>In article <stevethC5JGCr.1Ht@netcom.com> steveth@netcom.com (Steve Thomas) wri\n>tes:\n>\n>>\n>>Just _TRY_ to justify the War On Drugs, I _DARE_ you!\n>>\n>\n>A friend of mine who smoke pot every day and last Tuesday took 5 hits of acid \n>is still having trouble "aiming" for the bowl when he takes a dump.  Don\'t as \n>me how, I just have seen the results.\n>\n>Boy, I really wish we we cut the drug war and have more people screwed up in \n>the head.\n>\n\nI\'ll answer you\'re sarcasm with more sarcasm:\n\n\tBoy, it looks like the WOD is WORKING REALLY GOOD to stop people from\n\tbeing screwed up in the head, given that example!\n\n(Issue: your friend _got_ his drugs--legal or not legal, he\'ll continue to\nget them.  Issue #2: why should _I_, as somebody who does NOT use illegal\ndrugs and who IS NOT "screwed up" have to PAY for this idiot\'s problems?  He\'s\nnot doing anybody any harm except himself.  The WOD, on the other hand, is an\nimmediate THREAT to MY life and livelyhood.  Tell me why I should sacrafice\nTHIS to THAT!).\n\n\n\n-- \n_______\nSteve Thomas\nsteveth@rossinc.com\n',
 "From: bressler@iftccu.ca.boeing.com (Rick Bressler)\nSubject: Re: Ban All Firearms !\nOrganization: Boeing Commercial Airplane Group\nLines: 21\n\nWoops.  I'm not sure if I screwed up, but this is either forgery or some \nsort of mistake (aborted post that didn't abort) on my part.  \n\nBogus article below if seen in another post should be ignored..  \n\n---------------------------------------------------------------------------\n/ iftccu:talk.politics.guns / bressler@iftccu.ca.boeing.com (Rick Bressler) /  3:29 pm  Apr 13, 1993 /\n/ iftccu:talk.politics.guns / papresco@undergrad.math.uwaterloo.ca (Paul Prescod) /  1:49 am  Apr 12, 1993 /\nIn article <92468@hydra.gatech.EDU> gt6511a@prism.gatech.EDU (COCHRANE,JAMES SHAPLEIGH) writes:\n>\n>I certainly hope this is somebody's idea of a joke, as poor as it it...\n>My earlier posting mentioning an illegal firearms MANUFACTURING site being\n>searched for by the Feds in the Florida area was evidently ignored..\n\nLet's look at this critically:\n1.How many guns did this illegal manufacturing site make compared to\n--------------------------------------------------------------------\n<and so on...>\n\nSorry.\nRick.\n",
 "From: mcovingt@aisun3.ai.uga.edu (Michael Covington)\nSubject: Re: Frequent nosebleeds\nNntp-Posting-Host: aisun3.ai.uga.edu\nOrganization: AI Programs, University of Georgia, Athens\nLines: 17\n\nIn article <9304191126.AA21125@seastar.seashell> bebmza@sru001.chvpkh.chevron.com (Beverly M. Zalan) writes:\n>\n>My 6 year son is so plagued.  Lots of vaseline up his nose each night seems \n>to keep it under control.  But let him get bopped there, and he'll recur for \n>days!  Also allergies, colds, dry air all seem to contribute.  But again, the \n>vaseline, or A&D ointment, or neosporin all seem to keep them from recurring.\n>\nIf you can get it, you might want to try a Canadian over-the-counter product\ncalled Secaris, which is a water-soluble gel.  Compared to Vaseline or other\ngreasy ointments, Secaris seems more compatible with the moisture that's\nalready there.\n\n-- \n:-  Michael A. Covington, Associate Research Scientist        :    *****\n:-  Artificial Intelligence Programs      mcovingt@ai.uga.edu :  *********\n:-  The University of Georgia              phone 706 542-0358 :   *  *  *\n:-  Athens, Georgia 30602-7415 U.S.A.     amateur radio N4TMI :  ** *** **  <><\n",
 "From: sandvik@newton.apple.com (Kent Sandvik)\nSubject: Re: Davidians and compassion\nOrganization: Cookamunga Tourist Bureau\nLines: 24\n\nIn article <C5sLAs.B68@blaze.cs.jhu.edu>, arromdee@jyusenkyou.cs.jhu.edu\n(Ken Arromdee) wrote:\n> \n> In article <sandvik-190493200420@sandvik-kent.apple.com> sandvik@newton.apple.com (Kent Sandvik) writes:\n> >So we have this highly Christian religious order that put fire\n> >on their house, killing most of the people inside.\n> \n> We have no way to know that the cultists burned the house; it could have been\n> the BATF and FBI.  We only have the government's word for it, after all, and\n> people who started it by a no-knock search with concussion grenades are hardly\n> disinterested observers.\n\nThere's another point to be made. Those who have been inside burning\nhouses know that if they want to stay alive, it's better to run out\nfrom the building. We had one case where an FBI agent *had to \ndrag out a women* from the burning house, she run back in when\nshe saw the forces arriving. It is a good indication of the fanatical\nmind that the followers had -- including having they children burned\ninstead of saving these innocent victims of the instance.\n\nCheers,\nKent\n---\nsandvik@newton.apple.com. ALink: KSAND -- Private activities on the net.\n",
 'From: adriene_nazaretian@qm.yale.edu (Adriene Nazaretian)\nSubject: Re: win nt\nNntp-Posting-Host: gorgon.cis.yale.edu\nOrganization: Yale University; New Haven, Connecticut   USA\nLines: 22\n\nIn article <1pq66v$kkt@gazette.bcm.tmc.edu>, raymaker@bcm.tmc.edu (Mark Raymaker) says:\n>\n>Is anyone aware of existing ipx/netx software for WindowsNT or\n>is attachment to Netware a FUTURE release?\n>please respond to internet mail: raymaker@bcm.tmc.edu\n>thanks\n>\n\nI believe the beta version of the service is available via ftp on \nftp.cica.indiana.edu\nin pub/pc/win3/nt called something like nwnt.zip\n\nThere is an INDEX ascii file there, which lists the programs in that directory\nand what they do.\n\nunfortunately this beta will also disable netbeui and tcp/ip over your\nprimary nic, so if you really want to run it, get yourself an extra nic and\nbind it to that.  \n\nOtherwise wait for next release, like I am.\n\nAdriene\n',
 "From: jebright@magnus.acs.ohio-state.edu (James R Ebright)\nSubject: Re: Secret algorithm [Re: Clipper Chip and crypto key-escrow]\nKeywords: encryption, wiretap, clipper, key-escrow, Mykotronx\nNntp-Posting-Host: top.magnus.acs.ohio-state.edu\nOrganization: The Ohio State University\nLines: 25\n\nIn article brad@clarinet.com (Brad Templeton) writes:\n\n[...]>\n>The greatest danger of the escrow database, if it were kept on disk,\n>would be the chance that a complete copy could somehow leak out.  You\n[...]>\n>Of course then it's hard to backup.  However, I think the consequences\n>of no backup -- the data is not there when a warrant comes -- are worse\n>than the consequences of a secret backup.\n\nIf the data isn't there when the warrant comes, you effectively have\nsecure crypto.  If secret backups are kept...then you effectively have\nno crypto.  Thus, this poster is essentialy arguing no crypto is better\nthan secure crypto.\n\nIf the data isn't there when the warrant comes, then the government will\njust have to use normal law enforcement techniques to catch crooks.  Is\nthis so bad?   BTW, bugging isn't YET a normal law enforcement technique.\nWith the privacy clipper, it WILL become a normal technique.\n/Jim\n-- \n Information farming at...     For addr&phone: finger             A/~~\\\\A\n THE Ohio State University  jebright@magnus.acs.ohio-state.edu   ((0  0))____\n      Jim Ebright             e-mail: jre+@osu.edu                 \\\\  /      \\\\\n                                                                   (--)\\\\      \n",
 'From: khayash@hsc.usc.edu (Ken Hayashida)\nSubject: Re: Life on Mars???\nOrganization: University of Southern California, Los Angeles, CA\nLines: 25\nNNTP-Posting-Host: hsc.usc.edu\n\nIn article <1993Apr26.184507.10511@aio.jsc.nasa.gov> kjenks@gothamcity.jsc.nasa.gov writes:\n>I know it\'s only wishful thinking, with our current President,\n>but this is from last fall:\n>\n>     "Is there life on Mars?  Maybe not now.  But there will be."\n>        -- Daniel S. Goldin, NASA Administrator, 24 August 1992\n>\n>-- Ken Jenks, NASA/JSC/GM2, Space Shuttle Program Office\n>      kjenks@gothamcity.jsc.nasa.gov  (713) 483-4368\n\nLets hear it for Dan Goldin...now if he can only convince the rest of\nour federal government that the space program is a worth while\ninvestment!\n\nI hope that I will live to see the day we walk on Mars, but\nwe need to address the technical hurdles first!  If there\'s sufficient\ninterest, maybe we should consider starting a sci.space group \ndevoted to the technical analysis of long-duration human spaceflight.\nMost of you regulars know that I\'m interested in starting this analysis\nas soon as possible.\n\nKen\nkhayash@hsc.usc.edu\nUSC School of Medicine, Class of 1994\n\n',
 'From: mmm@cup.portal.com (Mark Robert Thorson)\nSubject: Re: Exploding TV!\nOrganization: The Portal System (TM)\nDistribution: usa\nLines: 6\n\nSounds like the picture tube lost vacuum.  This would cause the filament\nto ignite and could actually turn the tube from a vacuum to a pressure\nvessel, followed by an explosion when the neck assembly (mostly likely\ncracked to begin with) blows off.  During the whole sequence of events,\nthe other circuits may continue functioning, which accounts for not\nlosing sound.\n',
 'From: sera@zuma.UUCP (Serdar Argic)\nSubject: Armenian admission to the crime of Turkish Genocide.\nReply-To: sera@zuma.UUCP (Serdar Argic)\nDistribution: world\nLines: 34\n\nSource: "Men Are Like That" by Leonard Ramsden Hartill. The Bobbs-Merrill\nCompany, Indianapolis (1926). (305 pages). \n(Memoirs of an Armenian officer who participated in the genocide of 2.5 \n million Muslim people)\n\n\np. 19 (first paragraph)\n\n"The Tartar section of the town no longer existed, except as a pile of\n ruins. It had been destroyed and its inhabitants slaughtered. The same \n fate befell the Tartar section of Khankandi."\n\np. 130 (third paragraph)\n\n"The city was a scene of confusion and terror. During the early days of \n the war, when the Russian troops invaded Turkey, large numbers of the \n Turkish population abandoned their homes and fled before the Russian \n advance."\n\np. 181 (first paragraph)\n\n"The Tartar villages were in ruins."\n\n\nSerdar Argic\n\n                           \'We closed the roads and mountain passes that \n                            might serve as ways of escape for the Turks \n                            and then proceeded in the work of extermination.\'\n                                                  (Ohanus Appressian - 1919)\n                           \'In Soviet Armenia today there no longer exists \n                            a single Turkish soul.\' (Sahak Melkonian - 1920)\n\n\n',
 'From: worsham@aer.com. (Robert D. Worsham)\nSubject: Tektronix Equipment: Color Terminal, Printer, Rasterizer & Supplies\nSummary: Tektronix Equipment/Supplies for sale\nKeywords: color, printer, terminal, rasterizer, tektronix\nOrganization: Atmospheric & Environmental Research, Inc.\nLines: 27\n\n  For Sale:\n\n      Tektronix 4208 Color Terminal\n      Tektronix 4510A Rasterizer\n      Tektronix 4692 InkJet Printer\n\n      Tektronix 4692 Printer Extras (all Tektronix products):\n\n        Paper (> 3 boxes)\n        Transparencies (> 2 boxes)\n        Maintenance Cartridges (2 cart)\n        Magenta Ink Cartridge (1 cart)\n\n  We would like to sell as a single lot, and preference\n  will be given to offers for the entire list.  All offers\n  accepted, best offer gets the equipment.\n\n  -- Bob\n\n  ____________________________________________________________________\n  Robert D. Worsham  (Bob)                   | email:  worsham@aer.com\n  Atmospheric & Environmental Research Inc.  | voice:  (617) 547-6207\n  840 Memorial Drive                         |   fax:  (617) 661-6479\n  Cambridge MA 02139 USA                    \n\n\n\n',
 'From: jamie@genesis.MCS.COM (James R Groves)\nSubject: FTP for Targa+\nOrganization: MCSNet Contributor, Chicago, IL\nLines: 5\nDistribution: world\nNNTP-Posting-Host: localhost.mcs.com\n\nI am looking for software to run on my brand new Targa+ 16/32. If anyone knows\nof any sites which have useful stuff, or if you have any yourself you want to\ngive, let me know via mail. Thanks a LOT! Yayayay!\n                                     jamie@ddsw1.mcs.com\n\n',
 'From: sp@odin.NoSubdomain.NoDomain (Svein Pedersen)\nSubject: Utility for updating Win.ini and system.ini\nOrganization: University of Tromsoe, Norway\nLines: 6\n\nI nead a utility for updating (deleting, adding, changing) *.ini files for Windows. \n\nDo I find it on any FTP host?\n\nSvein\n\n',
 'From: alee@ecs.umass.edu\nSubject: ***** HP calculator for $13 *****\nLines: 13\n\nGreetings!\n       \n          HP 20s forsale.\n          comes with case\n          no manuals\n          excellent condition\n          \n          asking for $13.00\n\n          If interested, please E-mail today.\n              \n                                                       Al\n\n',
 'From: james.mollica%pics@twwells.com (James Mollica)\nSubject: MATH COPRO SALE/TRADE\nReply-To: james.mollica%pics@twwells.com (James Mollica)\nOrganization: Pics OnLine! MultiUser System - 609-753-2540\nLines: 14\n\nI am looking for a math coprocessor for a 286-16mhz.\nShould be a 80287-10 or 12.\nI also have a 80387SX-16 for sale or trade.\nTNX- \n\n               Jim\n\n * 1st 1.10b #1439 * 1stReader: On the cutting edge of software evolution.\n                             \n----\n+------------------------------------------------------------------------+\n| Pics OnLine MultiUser System   (609)753-2540 HST    609-753-1549 (V32) |\n| Massive File Collection - Over 45,000 Files OnLine - 250 Newsgroups    |\n+------------------------------------------------------------------------+\n',
 "From: george@ccmail.larc.nasa.gov (George M. Brown)\nSubject: Re: PCX\nOrganization: Client Specific Systems, Inc.\nLines: 41\nNNTP-Posting-Host: thrasher.larc.nasa.gov\n\nIn article <1993Apr14.220100.17867@freenet.carleton.ca> ad994@Freenet.carleton.ca (Jason Wiggle) writes:\n>From: ad994@Freenet.carleton.ca (Jason Wiggle)\n>Subject: PCX\n>Date: Wed, 14 Apr 1993 22:01:00 GMT\n>\n>Hello\n>\tHELP!!! please\n>\t\tI am a student of turbo c++ and graphics programming\n>\tand I am having some problems finding algorithms and code\n>\tto teach me how to do some stuff..\n>\n>\t1) Where is there a book or code that will teach me how\n>\tto read and write pcx,dbf,and gif files?\n>\n>\t2) How do I access the extra ram on my paradise video board\n>\tso I can do paging in the higher vga modes ie: 320x200x256\n>\t800x600x256\n>\t3) anybody got a line on a good book to help answer these question?\n>\n>Thanks very much !\n>\n>send reply's to : Palm@snycanva.bitnet\n>\n>Peace be\n>Blessed be\n>Stephen Palm\n\nA book that I can somewhat recommend is :\n                     \n                     Pratical Image Processing in C\n                     by Craig A. Lindley\n                     published by Wiley\n\nIt addresses reading/writing to/from PCX/TIFF files; image acquisition, \nmanipulation and storage; and has source code in the book. The source is \nprimarily written in Turbo C and naturally has conversion possibilities. I \nhave converted some of it to Quick C. Naturally, the code has some problems \nin the book - as usuall. Typos, syntax, etc. are problems. It can be a good \nlearning experience for someone who is studying C. There is also a companion \ndisk with source available for order and $50.00. Overall, the book is not \nbad. I acquired the book at WaldenSoftware.\n",
 'From: dmatejka@netcom.com (Daniel Matejka)\nSubject: Re: Speeding ticket from CHP\nOrganization: Netcom - Online Communication Services\nLines: 47\n\nIn article <1pq4t7$k5i@agate.berkeley.edu> downey@homer.CS.Berkeley.EDU (Allen B. Downey) writes:\n>       Fight your ticket : California edition by David Brown 1st ed.\n>       Berkeley, CA : Nolo Press, 1982\n>\n>The second edition is out (but not in UCB\'s library).  Good luck; let\n>us know how it goes.\n>\n  Daniel Matejka writes:\n  The fourth edition is out, too.  But it\'s probably also not\nvery high on UCB\'s "gotta have that" list.\n\nIn article <65930405053856/0005111312NA1EM@mcimail.com> 0005111312@mcimail.com (Peter Nesbitt) writes:\n>Riding to work last week via Hwy 12 from Suisun, to I-80, I was pulled over by\n>a CHP black and white by the 76 Gas station by Jameson Canyon Road.  The\n>officer stated "...it <looked> like you were going kinda fast coming down\n>highway 12.  You <must have> been going at least 70 or 75."  I just said okay,\n>and did not agree or disagree to anything he said. \n\n  Can you beat this ticket?  Personally, I think it\'s your Duty As a Citizen\nto make it as much trouble as possible for them, so maybe they\'ll Give Up\nand Leave Us Alone Someday Soon.\n  The cop was certainly within his legal rights to nail you by guessing\nyour speed.  Mr. Brown (the author of Fight Your Ticket) mentions an\nOakland judge who convicted a speeder "on the officer\'s testimony that\nthe driver\'s car sounded like it was being driven at an excessive speed."\n  You can pay off the State and your insurance company, or you can\ntake it to court and be creative.  Personally, I\'ve never won that way\nor seen anyone win, but the judge always listens politely.  And I haven\'t\nseen _that_ many attempts.\n  You could try the argument that since bikes are shorter than the\ncars whose speed the nice officer is accustomed to guessing, they therefore\nappear to be further away, and so their speed appears to be greater than\nit actually is.  I left out a step or two, but you get the idea.  If you\ncan make it convincing, theoretically you\'re supposed to win.\n  I\'ve never tried proving the cop was mistaken.  I did get to see\nsome other poor biker try it.  He was mixing up various facts like\nthe maximum acceleration of a (cop) car, and the distance at which\nthe cop had been pacing him, and end up demonstrating that he couldn\'t\npossibly have been going as fast as the cop had suggested.  He\'d\nbrought diagrams and a calculator.  He was Prepared.  He lost.  Keep\nin mind cops do this all the time, and their word is better than yours.\nMaybe, though, they don\'t guess how fast bikes are going all the time.\nBesides, this guy didn\'t speak English very well, and ended up absolutely\nconfounding the judge, the cop, and everyone else in the room who\'d been\nrecently criminalized by some twit with a gun and a quota.\n  Ahem.  OK, I\'m better now.  Maybe he\'d have won had his presentation\nbeen more polished.  Maybe not.  He did get applause.\n',
 "From: hwrvo@kato.lahabra.chevron.com (W.R. Volz)\nSubject: Re: Norton Desktop for Windows 2.2\nOrganization: Chevron Oil Field Research Company\nLines: 18\n\nIn article <1993Apr2.180451.15428@exu.ericsson.se>, ebuwoo@ebu.ericsson.se (James Woo 66515) writes:\n|> Hi,\n|> I wonder if anyone has had a chance try out Norton Desktop for Windows\n|> version 2.2 yet. I understand the upgrade cost from 2.0 to 2.2 is about\n|> $20.00 but I have no idea what the new version has.\n|>  \nI got the offer to upgrade this weekend. It's $19 + $8.50 shipping and\nhandling. The S+H seem way too steep for just a couple of disks. Sounds\nlike ripoff city. Can this purchased at vendors?\n\n-- \n\n======================\nBill Volz\nChevron Petroleum Technology Co.\nEarth Model/Interpretation & Analysis Division.\nP.O. Box 446, La Habra, CA 90633-0446\nPhone: (310) 694-9340 Fax: (310) 694-7063\n",
 'From: chris@sarah.lerc.nasa.gov (Chris Johnston)\nSubject: Re: 3d-Studio V2.01 : Any differences with previous version\nOrganization: NASA Lewis Research Center, Cleveland, OH\nLines: 13\nDistribution: world\nReply-To: chris@sarah.lerc.nasa.gov (Chris Johnston)\nNNTP-Posting-Host: looney.lerc.nasa.gov\nKeywords: 3d studio 2.01\n\nAs I understand it, THe difference between 3D Studio 2.00 and 2.01 is mainly\nin the IPAS interface, along with a few small bug fixes. The IPAS code runs\na lot faster in the newest version.\n\n-- \n+---------------------------------------------------------------------------+\n| Chris Johnston                  (216) 433-5029                            |\n| Materials Engineer\t\t  (216) 433-5033                            |\n| NASA Lewis Research Center   Internet: chris@sarah.lerc.nasa.gov          |\n| 21000 Brookpark Rd MS 105-1\t\t \t\t\t\t    |\n| Cleveland, OH 4413 USA\tResistance is futile!\t\t\t    |\n+---------------------------------------------------------------------------+\n\n',
 "From: sclark@epas.utoronto.ca (Susan Clark)\nSubject: Who picks first?\nOrganization: University of Toronto - EPAS\nNntp-Posting-Host: epas.utoronto.ca\nLines: 7\n\n\tAccording to THE FAN here in T.O., Ottawa has won the Daigle e\nsweepstakes.  They didn't mention why, but San Jose had more goals\nthan the Sen-sens, so I have a hunch this is why Ottawa would pick\nfirst.....\n\nSusan\n\n",
 'From: garrett@Ingres.COM \nSubject: Re: Losers (Was Re: Stop putting down white het males.)\nSummary: Just my $.02\nNews-Software: VAX/VMS VNEWS 1.4-b1  \nKeywords: racism, sexism, mysogyny\nOrganization: ASK Computer Systems, Ingres Product Division\nLines: 107\n\nIn article <1939@tecsun1.tec.army.mil>, riggs@descartes.etl.army.mil (Bill Riggs)        writes...\n>In article <1993Apr2.180839.14305@galileo.cc.rochester.edu> as010b@uhura.cc.rochester.edu (Tree of Schnopia) writes:\n>>In <1993Apr2.064804.29008@jato.jpl.nasa.gov> michael@neuron6.jpl.nasa.gov (Michael Rivero) writes:\n>>>  I don\'t know what you as a white male did. I do know what white males,\n>>>as a class, have done.\n>>>  They\'ve invented the light bulb, the automobile, the airplane, printing with\n>>>movable type, photography, computers, the electric guitar. anasthesia, rocket\n>>>powered space flight, the computer, electricity, the telephone, TV, motion\n>>>pictures, penecillin(sp), telescopes, nylon, and the X-Ray machine.\n>>\n>>Two glaring errors here.  First, white males don\'t do anything as a "class." \n>>INDIVIDUAL white males invented those things, which means nothing to white\n>>males as a whole.  Second, you neglected to mention Charles Manson, Hitler,\n>>McCarthy, Jack the Ripper, Ted Bundy, and a whole slew of individuals who\n>>have done horrible, evil things.  If white males can take the credit for\n>>our fellow white males\' boons, we must also take the blame for our\n>>fellows\' blights.  I claim we deserve neither credit nor blame for these\n>>things.\n>\n>>White males need to wake up and realize that they\'re being unfair, yes.  But\n>>everyone else needs to wake up and realize that being unfair right back is\n>>disgusting, racist and sexist.\n>>Why can\'t we learn to treat everyone fairly, without generalizing?  What\n>>stupidity gene makes this so difficult?  "I\'d like to buy the world a\n>>clue..." \n> \n>\tThe word that is missing in this whole discourse is not the "B"\n>word, or the "H" word, or even the "N" or "W" words. It is the "L" word -\n>LOSER !!\n> \n>\tThat\'s right. When we boil all the crap out of this argument, it\n>is all about WINNING and LOSING, and nothing else. Let me explain.\n>\tIn the meantime, there is guilt for winning, maybe a fear that one\n>doesn\'t deserve one\'s bounty - or success. So there is a "kinder and gentler\n>type of politician these days, Bill Clinton, affirmative action, and lots of\n>discourse about people who "don\'t get it". For those of us in the winning\n>business, this kind of talk is mildly irritating, but there is still no \n>suggestion of losing.\n>\tWho is D-FENS, anyway ? The answer is as plain as the horn rims on \n>your face. The guy is MICHAEL DOUGLAS, posing as a LOSER. This \n>is known as controversial casting. But that baggy short-sleeved white shirt \n>sure does look natural on Mike doesn\'t it. Gordon Gekko will never look the \n>same. (Though Woody always dressed that way.) Did we really expect Gekko to \n>take it easy and enjoy that kind of wardrobe, without putting up a fuss ?\n>\tWhat we are starting to lose sight of is, that bashing D-FENS is \n>the same game as bashing that poor African American slug that Clint Eastwood\n>used to blow away all the time. As that arch-WASP (male gender) George C. Scott\n>declaimed, "Americans traditionally LOVE TO WIN. They love a winner, and will \n>not tolerate a loser." And so on. \n\nSince we are talking in theory and opinion, then I\'ll put in my $.02.\n\tFirst, a rebuttle. Personally, I love under-dogs. Unlike \nbandwagon jumpers, I abandon teams when they start winning. People that\ncheer for winners just because they are winners are insecure people who are\nafraid to be associated with something negative.\n\n>\tThe political implications are simple. If, as many socialists - and\n>Democrats - do, you consider society a finite pie to a apportioned in some \n>"equitable" way, then you have to worry about who is a winner and who is a \n>loser to tell whose side you are on. That could be black women today, Asian\n>homosexuals tommorrow, and yes indeed, white men some yet to be determined\n>day when the balance of the pie has finally swung against that (39%) \n>minority.\n\nOn this one point, I agree. The reason that people bash WASP\'s is \nbecause they have been on top for a long time. Whoever is on top is\ngoing to oppress whoever is below them so that they can stay on top.\nIf Hannibal had pushed on to Rome after his victory at Cannae we might\nall be bashing the blacks for oppressing us peacefull white people \nfor all these centuries. I seriously doubt that if the blacks had \nconquered the world that they would have treated their colonies any\nbetter/worse than the whites did.\n\tThe white race did some unspeakable things to the other races of\nthe world. But they only did what any other conquering race would have done\n(ie. Khan). The real question is, should we carry over that blame to the\npresent generation who didn\'t participate in the crimes? Would it do \nany good? Has it done Bosnia any good? They are fighting wars that stopped\nhundreds, even thousands, of years ago. \n\tMy opinion is, if there are inequities now, then let\'s change\nthem. But don\'t blame me for what my ancestors did. It wouldn\'t settle\nanything anyway.\n\n>\tEither way you go, the way of the Winner is no longer the way to be\n>popular - at least after you graduate from High School (but you\'ll still\n>be popular at High School reunions). But it beats being a Nerd, as I \n>would imagine Michael Douglas would now agree, and in the long run, it\n>is the only way to go.\n\nThat\'s where you are dead wrong. You don\'t join up on a side just because\nthey are winning. That makes you spineless. Winning, in high school and\nafter high school, is still the best way to be popular, but it doesn\'t make\nyou right. All the best causes in history were loosing causes (with only\na couple exceptions). Winning only makes a difference to other people, not\nto yourself. And what good is the opinions of other people if they only care\nhow you appear (ie. a Winner).\n\n\tIf you can\'t beat them, fight them every inch of the way. \n\n>Bill R.\n\n------------------------------------------------------------------------------\n"At that moment the bottom fell out of Authur\'s mind.          Garrett Johnson\n His eyes turned inside out. His feet began to leak out     Garrett@Ingres.com\n of the top of his head. The room folded flat around him, \n spun around, shifted out of existence and left him sliding\n into his own naval." - Douglas Adams\n------------------------------------------------------------------------------\n',
 'From: balog@eniac.seas.upenn.edu (Eric J Balog)\nSubject: FLOPPY DRIVE PROBLEM--HELP!!!\nOrganization: University of Pennsylvania\nLines: 25\nNntp-Posting-Host: eniac.seas.upenn.edu\n\nHi!\n\nI have a problem with my floppy drives. In an effort to make my 3.5" drive \n(normally b:) my a: drive, I switched the order of connections on the cable \nfrom the serial card/floppy/ide controller. I booted up, changed the CMOS\nsettings to reflect the a: drive as the 3.5 and the b: drive as the 5.25.\nThe drive lights didn\'t come on, and there was a failure trying to read from\nthose drives.\n\nI switched the cables back to their original positions, and then booted-up and\nrestored the original CMOS settings. The lights for the floppies came on\nduring this process, and they stay on for as long as the computer is on.\nI see that when there is a disk in a:, the drive is spinning, yet there seems\nto be no disk access. MSD.EXE and Norton SI detect both drives, but when I \ntry to get detailed information about a: or b:, Norton SI tells me that there\nis no disk in the drive.\n\nCan anyone offer any suggestions?\nI\'m in desperate need of help!!!\n\nThank you for your time.\n\nEric Balog\nbalog@eniac.seas.upenn.edu\n\n',
 'From: jmeritt@mental.MITRE.ORG (Jim Meritt - System Admin)\nSubject: Identity crisis (God == Satan?)\nOrganization: UTexas Mail-to-News Gateway\nLines: 5\nNNTP-Posting-Host: cs.utexas.edu\n\nII SAMUEL 24: And again the anger of the LORD was kindled against Israel,\nand he moved David against them to say, Go, number Isreal and Judah.\n\nI CHRONICLES 21: And SATAN stood up against Isreal, and provoked David to\nnumber Israel.\n',
 "From: mfoster@alliant.backbone.uoknor.edu (Marc Foster)\nSubject: Re: Expansion\nOriginator: news@midway.ecn.uoknor.edu\nDistribution: na\nNntp-Posting-Host: midway.ecn.uoknor.edu\nOrganization: University of Oklahoma, Norman, OK\nLines: 33\n\nIn article <PATRICK.93Apr2201529@blanco.owlnet.rice.edu> patrick@blanco.owlnet.rice.edu (Patrick L Humphrey) writes:\n>On Fri, 2 Apr 1993 22:05:16 GMT, vamwendt@atlas.cs.upei.ca (Michael Wendt) said\n\n>>16.   Albany (New York), Boise (Idaho)--A couple of cities with fair interest\n>>but size and closeness to other teams is a question.\n\n>Albany has their AHL franchise (though it goes by the Capital District label),\n>but Boise?  Forget it.  The CHL made an attempt at that part of the country in\n>1983-84, with a franchise in Great Falls -- and no one showed up.  Folks up in\n>that part of the PNW just aren't interested in hockey.\n\nHey Patrick, the Montana Magic played in Billings, not Great Falls...\n\n>--PLH, I know where I'd put the next two NHL expansion teams: Phoenix and\n>Houston, assuming the Whalers don't pack up and move in the meantime...\n\nMarc, Phoenix and Houston it is... \n-------------------------------------------------------------------------------\n        _/_/    _/         _/_/   _/_/_/_/ _/_/_/_/   _/_/     _/_/_/ \n     _/    _/  _/       _/    _/      _/  _/       _/    _/  _/\n    _/    _/  _/       _/    _/     _/   _/       _/    _/  _/\n   _/_/_/    _/       _/_/_/_/    _/    _/_/_/   _/_/_/      _/_/\n  _/    _/  _/       _/    _/   _/     _/       _/    _/        _/\n _/    _/  _/       _/    _/  _/      _/       _/     _/       _/    _ _ _____\n_/_/_/    _/_/_/_/ _/    _/ _/_/_/_/ _/_/_/_/ _/      _/ _/_/_/     - - /____/\n...............................................................................\nMarc Foster, r.s.h contact for the Oklahoma City Blazers, 1993 Central Hockey\nUniversity of Oklahoma Geography Department               League Adams Cup\nInternet: mfoster@geohub.gcn.uoknor.edu                   Champions\n          mfoster@alliant.backbone.uoknor.edu \n\nTo be placed on the CHL Mailing List, send email to either address above.\n-------------------------------------------------------------------------------\n",
 "From: hue@island.COM (Pond Scum)\nSubject: Re: How to get 24bit color with xview frames ?\nOrganization: Island Graphics Corp.\nLines: 17\n\namathur@ces.cwru.edu (Alok Mathur) writes:\n>I would like to know how I can set the depth of the frame to be 24 bits.\n>I tried using the following Xlib code :\n\n>Am I using a completely wrong approach here ? Is it possible to set the depth\n\nYes.\n\n>and colormap for a window created by Xview ? What am I doing wrong ?\n\nLook up XV_DEPTH.  Also, you might want to try using XView colormap segments\ninstead of Xlib for your colormap stuff.  They will probably be easier\nfor you to use, and since you are using a TrueColor visual, you won't\nbe losing anything compared to straight Xlib.\n\n\n-Jonathan\t\thue@island.COM\n",
 'From: jxl9011@ultb.isc.rit.edu (J.X. Lee)\nSubject: JOB\nNntp-Posting-Host: ultb-gw.isc.rit.edu\nOrganization: Rochester Institute of Technology\nDistribution: SERI\nLines: 45\n\n\t\t\n\t              JOB OPPORTUNITY\n\t\t      ---------------\n\n\nSERI(Systems Engineering Research Institute), of KIST(Korea\nInstitute of Science and Technology) is looking for the resumes\nfor the following position and need them by the end of June (6/30). \nIf you are interested, send resumes to:\n\n\tCAD/CAE lab (6th floor)\n\tSystems Engineering Research Institute\n\tKorea Institute of Science and Technology \n\tYousung-Gu, Eoeun-Dong,\n\tDaejon. Korea\n\t305-600\n\n\n\tCOMPANY: Systems Engineering Research Institute\n\n\tTITLE  : Senior Research Scientist\n\n\tJOB DESCRIPTION : In depth knowledge of C.\n\tWorking knowledge of Computer Aided Design.\n\tWorking knowledge of Computer Graphics.\n\tWorking knowledge of Virtual Reality.\n\tSkills not required but desirable : knowledge of\n\tdata modeling, virtual reality experience,\n\tunderstanding of client/server architecture.\n\n\tREQUIREMENT : Ph.D\n\n\tJOB LOCATION : Daejon, Korea\n\n\tContact Info : Chul-Ho, Lim\n\t\t       CAD/CAE lab (6th floor)\n\t\t       Systems Engineering Research Institute\n\t\t       Korea Institute of Science and Technology \n\t       \t       Yousung-Gu, Eoeun-Dong,\n\t\t       Daejon. Korea\n\t\t       305-600\n\n\t\t       Phone) 82-42-869-1681\n\t\t       Fax)   82-42-861-1999 \n\t\t       E-mail) jxl9011@129.21.200.201\n',
 'From: spl2@po.cwru.edu (Sam Lubchansky)\nSubject: Re: Joe Robbie Stadium "NOT FOR BASEBALL"\nArticle-I.D.: po.spl2.114.734131045\nOrganization: Case Western Reserve University\nLines: 27\nNNTP-Posting-Host: b61644.student.cwru.edu\n\nIn article <1993Apr6.025027.4846@oswego.Oswego.EDU> iacs3650@Oswego.EDU (Kevin Mundstock) writes:\n>From: iacs3650@Oswego.EDU (Kevin Mundstock)\n>Subject: Joe Robbie Stadium "NOT FOR BASEBALL"\n>Date: 6 Apr 93 02:50:27 GMT\n>Did anyone notice the words "NOT FOR BASEBALL" printed on the picture\n>of Joe Robbie Stadium in the Opening Day season preview section in USA\n>Today? Any reason given for this?\n>\n\nI would assume that the words (I saw the picture) indicated that those \nSEATS will not be available for baseball games.  If you look at the picture \nof the diamond in the stadium, in relation to the areas marked "NOT FOR \nBASEBALL", those seats just look terrible for watching baseball.   Now, if \nthey should happen to reach the post-season, I would imagine that they \nwould consider opening some of those seats up, but that is surely a worry \nof the future.\n\n \n\n\nSam Lubchansky          spl2@po.cwru.edu\n\n"In the champion, people see what they\'d like to be.  In the loser,\n they see what they actually are, and they treat him with scorn."\n\n"Sugary condiments secure initial pleasure, but fermented grain is\n decidedly more parsimonious of time." \n',
 "From: lefty@apple.com (Lefty)\nSubject: Re: Motor Voter\nOrganization: Our Lady of Heavy Artillery\nLines: 13\n\nIn article <Apr.2.07.48.07.1993.21309@romulus.rutgers.edu>,\nkaldis@romulus.rutgers.edu (Theodore A. Kaldis) wrote:\n> \n> When I entered 1st grade, Eisenhower was President and John F. Kennedy\n> was just a relatively obscure Senator from New England.  So how old do\n> you think I am now?\n\nAsk me whether I'm surprised that you haven't managed to waddle out of\ncollege after all this time.\n\n--\nLefty (lefty@apple.com)\nC:.M:.C:., D:.O:.D:.\n",
 'From: robink@hparc0.aus.hp.com (Robin Kenny)\nSubject: Re: Boom!  Whoosh......\nOrganization: HP Australasian Response Centre (Melbourne)\nX-Newsreader: TIN [version 1.1 PL8.5]\nLines: 26\n\nDavid Fuzzy Wells (wdwells@nyx.cs.du.edu) wrote:\n\n: I love the idea of an inflatable 1-mile long sign.... It will be a\n: really neat thing to see it explode when a bolt  (or even better, a\n: Westford Needle!) comes crashing into it at 10 clicks a sec.  \n\n: <BOOM!>  Whooooooooshhhhhh......  <sputter, sputter>\n\n: <okay, PRETEND it would make a sound!>\n                 ^^^^^^^^^^^^^^^^^^^^^\n\nJust a thought... (let\'s pretend it IS INFLATED and PRESSURIZED) wouldn\'t\nthere be a large static electricity build up around the puncture?\nIf the metalization is behind a clear sandwich (ie. insulated) then the \ndeflating balloon would generate electrical interference - "noise"\n\nBy the way, any serious high velocity impact would simply cut a "Bugs\nBunny" hole through the wall, highly unlikely to "BOOM", and the fabric\nwould almost certainly be ripstop.\n\n\nRegards,  Robin Kenny - a private and personal opinion, not in any way\n                        endorsed, authorised or known by my employers.\n ______________________________________________________________________\n   What the heck would I know about Space? I\'m stuck at the \n   bottom of this huge gravity well!\n',
 'From: looper@cco.caltech.edu (Mark D. Looper)\nSubject: Re: Command Loss Timer (Re: Galileo Update - 04/22/93)\nOrganization: California Institute of Technology, Pasadena\nLines: 23\nNNTP-Posting-Host: sandman.caltech.edu\nKeywords: Galileo, JPL\n\nprb@access.digex.com (Pat) writes:\n\n>Galileo\'s HGA  is stuck.   \n\n>The HGA was left closed,  because galileo  had a venus flyby.\n\n>If the HGA were pointed att he sun,  near venus,  it would\n>cook the foci elements.\n\n>question:  WHy couldn\'t Galileo\'s  course manuevers have been\n>designed such that the HGA  did not ever do a sun point.?\n\nThe HGA isn\'t all that reflective in the wavelengths that might "cook the\nfocal elements", nor is its figure good on those scales--the problem is\nthat the antenna _itself_ could not be exposed to Venus-level sunlight,\nlest like Icarus\' wings it melt.  (I think it was glues and such, as well\nas electronics, that they were worried about.)  Thus it had to remain\nfurled and the axis _always_ pointed near the sun, so that the small\nsunshade at the tip of the antenna mast would shadow the folded HGA.\n(A larger sunshade beneath the antenna shielded the spacecraft bus.)\n\n--Mark Looper\n"Hot Rodders--America\'s first recyclers!"\n',
 'From: arromdee@jyusenkyou.cs.jhu.edu (Ken Arromdee)\nSubject: Re: American Jewish Congress Open Letter to Clinton\nOrganization: Johns Hopkins University CS Dept.\nLines: 66\n\nIn article <22APR199300374349@vxcrna.cern.ch> casper@vxcrna.cern.ch (CASPER,DAVI./PPE) writes:\n>>>I must say I was appalled by the American Jewish Council\'s open letter.\n>>>America is not the world\'s policeman.  We cannot and should not take it upon\n>>>ourselves to solve the problems of the entire world.  America\'s young men and\n>>>women should not be sent to Yugoslavia, period.  If people feel strongly\n>>>enough, let them go as individuals to fight alongside the butchers of their\n>>>choice. \n>>We have a volunteer army.  The argument you gave only applies if we have a\n>>draft.  \n>Huh?  \n\nSorry, I misread your remark about young men and women.  (Though I am now\nunsure what that sentence does mean.)\n\n>>Furthermore, people do not become butchers by _being_ "ethnic\n>>cleansed".  Or do you automatically call them butchers because they are Muslim?\n>I am disappointed in your logic, especially coming from a stalwart of\n>sci.skeptic.\n\nYou implied that anyone who wants to send troops to Bosnia wants to do so to\nhelp the "butchers of their choice".  Since the primary targets of help are\nMuslim victims of "ethnic cleansing", you imply that such Muslim victims are\nbutchers.\n\n>1) People become butchers by butchering.  There have been atrocities on all\n>sides.\n\nThis implies both sides are equal.  True, it may sometimes be difficult or\nimpossible to determine which side is the victim, but that does not mean that\nvictims do not exist.  Would you, in WWII have said that there were atrocities\non the sides of both the Jews and the Germans?\n\n>These people have been butchering each other for centuries.  When one\n>side wins and gets what it wants, it will stop.\n\nYes, but both sides want different things.  The Muslims chiefly want to not\nbe "ethnic cleansed".  The Serbians want to "ethnic cleanse" the Muslims.  It\nis indeed true that each side will stop when it gets what it wants, but the\nthings that the two sides want are not equivalent.\n\n>2) Quite an impressive leap of reasoning to assume that I am so racist as to\n>call someone a butcher because they are Muslim.  In fact, I think on the\n>contrary, the media fixation on this war, as opposed to the dozens upon dozens\n>of civil wars which have been fought in the recent past is because these are\n>white people, in Europe.  When atrocities occur in the Third World, there is\n>not as much news coverage, and not nearly the same level of outrage. \n\nI recall, before we did anything for Somalia, (apparent) left-wingers saying\nthat the reason everyone was more willing to send troops to Bosnia than to\nSomalia was because the Somalis are third-worlders who Americans consider\nunworthy of help.  They suddenly shut up when the US decided to send troops to\nthe opposite place than that predicted by the theory.\n\nFor that matter, this theory of yours suggests that Americans should want to\nhelp the Serbs.  After all, they\'re Christian, and the Muslims are not.  If\nthe desire to intervene in Bosnia is based on racism against people that are\nless like us, why does everyone _want_ to help the side that _is_ less like us?\nEspecially if both of the sides are equal as you seem to think?\n--\n"On the first day after Christmas my truelove served to me...  Leftover Turkey!\nOn the second day after Christmas my truelove served to me...  Turkey Casserole\n    that she made from Leftover Turkey.\n[days 3-4 deleted] ...  Flaming Turkey Wings! ...\n   -- Pizza Hut commercial (and M*tlu/A*gic bait)\n\nKen Arromdee (arromdee@jyusenkyou.cs.jhu.edu)\n',
 "From: holland@CS.ColoState.EDU (douglas craig holland)\nSubject: Re: Secret algorithm [Re: Clipper Chip and crypto key-escrow]\nNntp-Posting-Host: beethoven.cs.colostate.edu\nOrganization: Colorado State University, Computer Science Department\nKeywords: encryption, wiretap, clipper, key-escrow, Mykotronx\nLines: 29\n\nIn article <strnlghtC5puCL.6Kp@netcom.com> strnlght@netcom.com (David Sternlight) writes:\n>In article <Apr18.204843.50316@yuma.ACNS.ColoState.EDU>\n>holland@CS.ColoState.EDU (douglas craig holland) writes:\n>\n>\n>>\tLet me ask you this.  Would you trust Richard Nixon with your\n>>crypto keys?  I wouldn't.\n>\n>I take it you mean President Nixon, not private citizen Nixon. Sure.\n>Nothing I'm doing would be of the slightest interest to President Nixon .\n>\n\tAre you sure you aren't being watched?  Let me remind you that \nWatergate was only the tip of the iceberg.  Nixon extensively used the NSA\nto watch people because he didn't like them.  According to _Decrypting the\nPuzzle Palace_:\n\n\tPresumably, the NSA is restricted from conducting American surveillance\n\tby both the Foreign Intelligence Surveillance Act of 1978(FISA) and a\n\tseries of presidential directives, beginning with one issued by\n\tPresident Ford following Richard Nixon's bold misuse of the NSA, in\n\twhich he explicitly directed the NSA to conduct widespread domestic\n\tsurveillance of political dissidents and drug users.\n\n\tOf course, just because there are laws saying the gov't is not \nsupposed to conduct illegal surveillance doesn't mean those laws can't be\nbroken when they are in the way.\n\t\t\t\t\t\tDoug Holland\n\n\n",
 'From: henry@zoo.toronto.edu (Henry Spencer)\nSubject: Re: Lunar Colony Race! By 2005 or 2010?\nOrganization: U of Toronto Zoology\nLines: 18\n\nIn article <1993Apr21.140804.15028@draper.com> mrf4276@egbsun12.NoSubdomain.NoDomain (Matthew R. Feulner) writes:\n>|> Need to find atleast $1billion for prize money.\n>\n>My first thought is Ross Perot.  After further consideration, I think he\'d\n>be more likely to try to win it...but come in a disappointing third.\n>Try Bill Gates.  Try Sam Walton\'s kids.\n\nWhen the Lunar Society\'s $500M estimate of the cost of a lunar colony was\nmentioned at Making Orbit, somebody asked Jerry Pournelle "have you talked\nto Bill Gates?".  The answer:  "Yes.  He says that if he were going to\nsink that much money into it, he\'d want to run it -- and he doesn\'t have\nthe time."\n\n(Somebody then asked him about Perot.  Answer:  "Having Ross Perot on your\nboard may be a bigger problem than not having the money.")\n-- \nAll work is one man\'s work.             | Henry Spencer @ U of Toronto Zoology\n                    - Kipling           |  henry@zoo.toronto.edu  utzoo!henry\n',
 "From: maX <maX@maxim.rinaco.msk.su>\nSubject: Only test message\nDistribution: world\nOrganization: Home\nReply-To: maX@maxim.rinaco.msk.su\nKeywords: test\nLines: 2\n\nIt's only test message.\n\n",
 'From: fist@iscp.bellcore.com (Richard Pierson)\nSubject: Re: Motorcycle Security\nKeywords: nothing will stop a really determined thief\nNntp-Posting-Host: foxtrot.iscp.bellcore.com\nOrganization: Bellcore\nDistribution: usa\nLines: 24\n\nIn article <2500@tekgen.bv.tek.com>, davet@interceptor.cds.tek.com (Dave\nTharp CDS) writes:\n|> I saw his bike parked in front of a bar a few weeks later without\n|> the\n|> dog, and I wandered in to find out what had happened.\n|> \n|> He said, "Somebody stole m\' damn dog!".  They left the Harley\n|> behind.\n|> \n\nAnimal Rights people have been know to do that to other\n"Bike riding dogs.cats and Racoons.  \n\n-- \n##########################################################\nThere are only two types of ships in the NAVY; SUBMARINES \n                 and TARGETS !!!\n#1/XS1100LH\tDoD #956   #2 Next raise\nRichard Pierson E06584 vnet: [908] 699-6063\nInternet: fist@iscp.bellcore.com,|| UUNET:uunet!bcr!fist  \n#include <std.disclaimer> My opinions are my own!!!\nI Don\'t shop in malls, I BUY my jeans, jackets and ammo\nin the same store.\n\n',
 'From: ron.roth@rose.com (ron roth)\nSubject: Selective Placebo\nX-Gated-By: Usenet <==> RoseMail Gateway (v1.70)\nOrganization: Rose Media Inc, Toronto, Ontario.\nLines: 23\n\nL(>  levin@bbn.com (Joel B Levin) writes:\nL(>  John Badanes wrote:\nL(>  |JB>  1) Ron...what do YOU consider to be "proper channels"...\nL(>  \nL(>  |  I\'m glad it caught your eye. That\'s the purpose of this forum to\nL(>  | educate those, eager to learn, about the facts of life. That phrase\nL(>  | is used to bridle the frenzy of all the would-be respondents, who\nL(>  | otherwise would feel being left out as the proper authorities to be\nL(>  | consulted on that topic. In short, it means absolutely nothing.\nL(>  \nL(>  An apt description of the content of just about all Ron Roth\'s \nL(>  posts to date.  At least there\'s entertainment value (though it \nL(>  is diminishing).\n\n     Well, that\'s easy for *YOU* to say.  All *YOU* have to do is sit \n     back, soak it all in, try it out on your patients, and then brag\n     to all your colleagues about that incredibly success rate you\'re\n     having all of a sudden...\n\n     --Ron--\n---\n   RoseReader 2.00  P003228: For real sponge cake, borrow all ingredients.\n   RoseMail 2.10 : Usenet: Rose Media - Hamilton (416) 575-5363\n',
 "From: henry@zoo.toronto.edu (Henry Spencer)\nSubject: Re: HELP: MC146818A Real Time Clock Standby Mode\nOrganization: U of Toronto Zoology\nLines: 20\n\nIn article <1r0b69INN5ct@flash.pax.tpa.com.au> mgregory@flash.pax.tpa.com.au (Martin John Gregory) writes:\n>I am having trouble obtaining the specified standby current drain from\n>a MC146818A Real Time Clock...\n>lowest current drain I can acheive at 3.7V Vcc is 150uA.  This is\n>three times the specified MAXIMUM...\n>1) Made sure that RESET/ is asserted for Trlh after powerup, and AS is\n>   low during this time.\n>2) Made sure that there is a cycle on AS after the negation of RD/ or\n>   WR/ during which STBY/ was asserted...\n\nAre any of the inputs to the chip coming from TTL?  Standby-drain specs\nfor CMOS chips typically apply only if inputs are pulled all the way down\nto zero or all the way up to Vcc.  TTL isn't good at doing the former and\nit won't do the latter at all without help from pullup resistors.  This\nsort of thing can easily multiply power consumption by a considerable\nfactor, because the CMOS transistors that are supposed to be OFF aren't\nall the way hard OFF.\n-- \nAll work is one man's work.             | Henry Spencer @ U of Toronto Zoology\n                    - Kipling           |  henry@zoo.toronto.edu  utzoo!henry\n",
 "From: LMARSHA@cms.cc.wayne.edu (Laurie Marshall)\nSubject: Re: WHERE ARE THE DOUBTERS NOW?  HMM?\nArticle-I.D.: cms.16BA79DBA.LMARSHA\nOrganization: Wayne State University, Detroit MI  U.S.A.\nLines: 22\nNNTP-Posting-Host: cms.cc.wayne.edu\n\nIn article <1993Apr4.051942.27095@ramsey.cs.laurentian.ca>\nmaynard@ramsey.cs.laurentian.ca (Roger Maynard) writes:\n \n>\n>For those of you who can only decide which team is best after you have\n>seen the standings:\n>\n>TOR  42 25 11  95   .609\n>CHI  42 25 11  95   .609\n>DET  44 28  9  97   .599\n>VAN  41 28  9  91   .583\n>\n>No team in the Campbell Conference has a better record than Toronto.\n \n  That's true, but according to your stats, Chicago has just as good a\nrecord as Toronto.  It's interesting that you should list Toronto ahead\nof Chicago.\n \n Laurie Marshall\n Wayne State University\n Detroit, Michigan\n Go Wings!!\n",
 'From: msb@sq.sq.com (Mark Brader)\nSubject: Re: Comet in Temporary Orbit Around Jupiter?\nOrganization: SoftQuad Inc., Toronto, Canada\nLines: 20\n\n\n> > > Also, peri[jove]s of Gehrels3 were:\n> > > \n> > > April  1973     83 jupiter radii\n> > > August 1970     ~3 jupiter radii\n\n> > Where 1 Jupiter radius = 71,000 km = 44,000 mi = 0.0005 AU. ...\n\n> Sorry, _perijoves_...I\'m not used to talking this language.\n\nThanks again.  One final question.  The name Gehrels wasn\'t known to\nme before this thread came up, but the May issue of Scientific American\nhas an article about the "Inconstant Cosmos", with a photo of Neil\nGehrels, project scientist for NASA\'s Compton Gamma Ray Observatory.\nSame person?\n-- \nMark Brader, SoftQuad Inc., Toronto\t"Information! ... We want information!"\nutzoo!sq!msb, msb@sq.com\t\t\t\t-- The Prisoner\n\nThis article is in the public domain.\n',
 'From: tonyd@ssc60.sbwk.nj.us (Tony DeBari)\nSubject: Re: FileManager: strange sizes in summary line\nOrganization: Lost In Space\nLines: 32\n\nIn <1993Apr21.143250.14692@bmers145.bnr.ca> masika@bnr.ca (Nicholas Masika) writes:\n>I have just noticed my FileManager doing something strange recently.\n>Usually, the line at the bottom of the FileManager (the status bar, I\n>guess) displays the total disk space and the total number of bytes for\n>the current selection.  If I select a whole bunch of files, I will get\n>an exact byte count.\n\n>Recently, I notice it incorrectly displays this count; it\'s truncating!\n>If I select a file that is, say, 532 bytes, it correctly displays \'532 bytes\'.\n>If I select select a file that is 23,482 bytes, it displays \'23 bytes\', \n>not 23 Kbytes, just 23 bytes!  If I select 893,352 it will report only\n>893 bytes in the selection.  If I select over a Meg worth of files, say\n>3,356,345 it reports 3 bytes!  It\'s as if it\'s got a problem with displaying\n>more than 3 characters!\n\n>My system: 486DX/33, 8M memory, Stacker 3.0, DOS 5, Win 3.1.  I\'ve run\n>the latest virus scanners (scan102, f-prot) and they didn\'t report anything.\n>Could I have unknowingly altered something that controls the formatting\n>of the status bar in the FileManger?\n\nIt sounds like something/one may have set the 1000\'s separator to "." in\nContol Panel (under International).  This makes 23,482 look like 23.482\nand File Manager is chopping off what it thinks is the decimal part of\nthe file size. 3,356,345 becomes 3.356.345, and again, File Manager is\nconfused by the decimal points where there should be commas, chopping\noff everything to the right of the first period.\n\n-- \nTony DeBari          FQDN: tonyd@ssc60.sbwk.nj.us     CI$: 73117,452\n                     UUCP: ...!uunet!ssc60!tonyd      *P*: GHRW14B\n\na.k.a. Skip Bowler, captain of USENET Fantasy Bowling League Team 9.\n',
 "From: darndt@nic.gac.edu (David Arndt)\nSubject: Johnny Hart's (B.C. comic strip) mailing address?\nOrganization: Gustavus Adolphus College\nLines: 17\n\nSubject pretty much says it all - I'm looking for Johnny Hart's (creator\nof the B.C. comic stip) mailing address.\n\nFor those of you who haven't seen them, take a look at his strips for Good\nFriday and Easter Sunday.  Remarkable witness!\n\nIf anyone can help me get in touch with him, I'd really appreciate it! \nI've contacted the paper that carries his strip and -- they'll get back to\nme with it!\n\nThanks for your help,\n\nDave Arndt\nSt. Peter's Evangelical Lutheran Church\nSt. Peter, MN 56082\n\ndarndt@nic.gac.edu\n",
 'From: landis@stsci.edu (Robert Landis,S202,,)\nSubject: Re: Soviet Space Book\nReply-To: landis@stsci.edu\nOrganization: Space Telescope Science Institute, Baltimore MD\nLines: 9\n\nWhat in blazes is going on with Wayne Matson and gang\ndown in Alabama?  I also heard an unconfirmed rumor that\nAerospace Ambassadors have disappeared.  Can anyone else\nconfirm??\n\n++Rob Landis\n   STScI, Baltimore, MD\n\n\n',
 'From: king@reasoning.com (Dick King)\nSubject: Re: Selective Placebo\nOrganization: Reasoning Systems, Inc., Palo Alto, CA\nLines: 20\nNntp-Posting-Host: drums.reasoning.com\n\nIn article <1993Apr17.125545.22457@rose.com> ron.roth@rose.com (ron roth) writes:\n>\n>   OTOH, who are we kidding, the New England Medical Journal in 1984\n>   ran the heading: "Ninety Percent of Diseases are not Treatable by\n>   Drugs or Surgery," which has been echoed by several other reports.\n>   No wonder MDs are not amused with alternative medicine, since\n>   the 20% magic of the "placebo effect" would award alternative \n>   practitioners twice the success rate of conventional medicine...\n\n1: "90% of diseases" is not the same thing as "90% of patients".\n\n   In a world with one curable disease that strikes 100 people, and nine\n   incurable diseases which strikes one person each, medical science will cure\n   91% of the patients and report that 90% of diseases have no therapy.\n\n2: A disease would be counted among the 90% untreatable if nothing better than\n   a placebo were known.  Of course MDs are ethically bound to not knowingly\n   dispense placebos...\n\n-dk\n',
 "From: Mark.Perew@p201.f208.n103.z1.fidonet.org\nSubject: Re: Comet in Temporary Orbit Around Jupiter?\nX-Sender: newtout 0.08 Feb 23 1993\nLines: 15\n\nIn a message of <Apr 19 04:55>, jgarland@kean.ucs.mun.ca writes:\n\n >In article <1993Apr19.020359.26996@sq.sq.com>, msb@sq.sq.com (Mark Brader) \n >writes:\n\nMB>                                                             So the\nMB> 1970 figure seems unlikely to actually be anything but a perijove.\n\nJG>Sorry, _perijoves_...I'm not used to talking this language.\n\nCouldn't we just say periapsis or apoapsis?\n\n \n\n--- msged 2.07\n",
 "From: viking@iastate.edu (Dan Sorenson)\nSubject: Re: Gun Talk -- Legislative Update for States\nKeywords: gun talk, ila\nOrganization: Iowa State University, Ames IA\nDistribution: usa\nLines: 15\n\nlvc@cbnews.cb.att.com (Larry Cipriani) writes:\n\n>IOWA:  All firearm related bills are dead.  Senate File 303\n>dealing with off-duty police officers carrying concealed remains\n>viable.\n\n\tThe *POWER* of the word processor and a stamp at work.\nThe fact that around here the state rep generally lives no more than\nnine miles from any constituent doesn't hurt, either.\n\n< Dan Sorenson, DoD #1066 z1dan@exnet.iastate.edu viking@iastate.edu >\n<  ISU only censors what I read, not what I say.  Don't blame them.  >\n<     USENET: Post to exotic, distant machines.  Meet exciting,      >\n<                 unusual people.  And flame them.                   >\n\n",
 'From: Rob Shirey <shirey@mitre.org>\nSubject: ISOC Symposium on Net Security\nX-Xxmessage-Id: <A7F43AAA5A058C64@shirey-mac.mitre.org>\nX-Xxdate: Fri, 16 Apr 93 15:27:54 GMT\nNntp-Posting-Host: shirey-mac.mitre.org\nOrganization: The MITRE Corporation, McLean, Virginia, USA\nX-Useragent: Nuntius v1.1.1d20\nLines: 94\n\n\n                             CALL FOR PAPERS\n                    The Internet Society Symposium on\n                 Network and Distributed System Security\n\n        3-4 February 1994, Catamaran Hotel, San Diego, California\n\nThe symposium will bring together people who are building software and\nhardware to provide network or distributed system security services.\nThe symposium is intended for those interested in practical aspects of\nnetwork and distributed system security, rather than in theory.  Symposium\nproceedings will be published by the Internet Society.  Topics for the\nsymposium include, but are not limited to, the following:\n\n*  Design and implementation of services--access control, authentication,\n   availability, confidentiality, integrity, and non-repudiation\n   --including criteria for placing services at particular protocol\nlayers.\n\n*  Design and implementation of security mechanisms and support\n   services--encipherment and key management systems, authorization\n   and audit systems, and intrusion detection systems.\n\n*  Requirements and architectures for distributed applications and\n   network functions--message handling, file transport, remote\n   file access, directories, time synchronization, interactive\n   sessions, remote data base management and access, routing, voice and\n   video multicast and conferencing, news groups, network management,\n   boot services, mobile computing, and remote I/O.\n\n*  Special issues and problems in security architecture, such as\n   -- very large systems like the international Internet, and\n   -- high-speed systems like the gigabit testbeds now being built.\n\n*  Interplay between security goals and other goals--efficiency,\n   reliability, interoperability, resource sharing, and low cost.\n\nGENERAL CHAIR:\n   Dan Nessett, Lawrence Livermore National Laboratory\n\nPROGRAM CHAIRS:\n   Russ Housley, Xerox Special Information Systems\n   Rob Shirey, The MITRE Corporation\n\nPROGRAM COMMITTEE:\n   Dave Balenson, Trusted Information Systems\n   Tom Berson, Anagram Laboratories\n   Matt Bishop, Dartmouth College\n   Ed Cain, U.S. Defense Information Systems Agency\n   Jim Ellis, CERT Coordination Center\n   Steve Kent, Bolt, Beranek and Newman\n   John Linn, Independent Consultant\n   Clifford Neuman, Information Sciences Institute\n   Michael Roe, Cambridge University\n   Rob Rosenthal, U.S. National Institute of Standards and Technology\n   Jeff Schiller, Massachusetts Institute of Technology\n   Ravi Sandhu, George Mason University\n   Peter Yee, U.S. National Aeronautics and Space Administration\n\nSUBMISSIONS:  The  committee seeks both original technical papers and\nproposals for panel discussions on technical and other topics of general\ninterest.  Technical papers should be 10-20 pages in length.  Panels\nshould include three or four speakers.  A panel proposal must name the\npanel chair, include a one-page topic introduction authored by the chair,\nand also include one-page position summaries authored by each speaker\nBoth the technical papers and the panel papers will appear in the\nproceedings.\n\nSubmissions must be made by 16 August 1993.  Submissions should be made\nvia electronic mail to\n\n                   1994symposium@smiley.mitre.org.\n\nSubmissions may be in either of two formats:  ASCII or PostScript.  If\nthe committee is unable to read a PostScript submission, it will be\nreturned and ASCII requested.  Therefore, PostScript submissions should\narrive well before 16 August.  If electronic submission is absolutely\nimpossible, submissions should be sent via postal mail to\n\n                   Robert W. Shirey, Mail Stop Z202\n                   The MITRE Corporation\n                   McLean, Virginia  22102-3481  USA\n\nAll submissions must include both an Internet electronic mail address and\na postal address.  Each submission will be acknowledged through the\nmedium by which it is received.  If acknowledgment is not received within\nseven days, please contact either Rob Shirey <Shirey@MITRE.org> or\nRuss Housley <Housley.McLean_CSD@xerox.com>, or telephone Mana Weigand at\nMITRE in Mclean, 703-883-5397. \n\nAuthors and panelists will be notified of acceptance by 15 October 1993.\nInstructions for preparing camera-ready copy for the proceedings will be\npostal mailed at that time.  The camera-ready copy must be received by\n15 November 1993.\n',
 'From: dewey@risc.sps.mot.com (Dewey Henize)\nSubject: Re: sci.skeptic.religion (Was: Why ALT.atheism?)\nOrganization: Motorola, Inc. -- Austin,TX\nLines: 33\nNNTP-Posting-Host: thug.sps.mot.com\n\nIn article <93103.071613J5J@psuvm.psu.edu> John A. Johnson <J5J@psuvm.psu.edu> writes:\n>\n>Standard groups (sci, soc, talk) must conform to stricter rules when being\n>established and must show a certain volume of postings or else they will\n>cease to exist.  These groups also reach more sites on USENET than alt\n>groups.  I already posted my opinion to mathew\'s suggestion, which was that\n>alt.atheism is on the verge of having too many garbage postings from\n>fundies, and "elevating" its status to a standard group (and consequently,\n>the volume of such postings) could make it unreadable.\n\nI tend to agree.  I came here when it first started and watched it grow\nfrom the roots on talk.religion.misc.  It seemed to take a while for enough\natheists to come forward to get past the "Let\'s trash Xians" and such.\nNow there\'s a stable core, and frankly there\'s a feeling that this is\n_our_ group.\n\nIf we go mainstream, we\'re going to be in a lot more places.  And every\nfucking fundy loonie freshman will be dumping on us to find Jeesus! and\nwarn us that we\'re all going to Hell.\n\nWant to see what we\'ll get?  Go real alt.fan.brother-jed and imagine that\nthose imbecilic tirades will be here.  All the time.  Every other post.\n\nI\'m being selfish.  I find I really learn a lot here and the S/N isn\'t too\nbad.  The Browns and the Boobys are a distraction, but they are few enough\nthat they even bring in some of the leavening needed to offset them.  But\nI greatly fear that mainstreaming would basically put us at the swamping\nlevel of the Conners of the world.\n\nRegards,\nDew\n-- \nDewey Henize Sys/Net admin RISC hardware (512) 891-8637 pager 928-7447 x 9637\n',
 'From: robertt@vcd.hp.com (Bob Taylor)\nSubject: Re: AmiPro/Deskjet 500 Printing Problem\nArticle-I.D.: vcd.C52wt5.F2\nDistribution: usa\nOrganization: Hewlett-Packard VCD\nLines: 32\nX-Newsreader: Tin 1.1 PL5\n\nTom Belmonte x4858 (tbelmont@feds55.prime.com) wrote:\n: \n: Hello,\n: \n: I recently tried to print some envelopes using AmiPro 3.0 with my\n: Deskjet 500 printer, and I seem to be having a problem.  What\n: happens is after I physically load the envelope into the printer\n: (per the user manual) and then select the "Print Envelope" icon\n: from AmiPro (all of the proper options have been selected), the\n: printer just "spits out" the envelope without any printing of\n: either a return address or the selected mailing address.  At\n: this point, the printer\'s "ONLINE" light begins to flash, and\n: the Print Manager shows the printer job as busy.  This is all\n: that happens, until I either shut the printer off or cancel the\n: printing job from the Print Manager.  I have also tried this\n: without the use of the Print Manager, with similar results \n: (AmiPro shows the printer as being busy).  So, does anybody\n: have any idea/solution regarding this problem?  I appreciate\n: the help.  Thanks.\n\nYes - ignore the manual.  Just insert the evelope - don\'t use the keypad\nto move it up.  The Windows driver sends a message to the printer that\ntells it to load the envelope - if it is already loaded, it gets ejected\nand the printer tries to load another.  The instructions in the manual\nare for dumb DOS apps. that don\'t send the "load envelople" message.\n\n\n: \n: -- Tom Belmonte\n\nBob Taylor\nHP Vancouver\n',
 'Subject: Re: If You Feed Armenians Dirt -- You Will Bite Dust!\nFrom: senel@vuse.vanderbilt.edu (Hakan)\nOrganization: Vanderbilt University\nSummary: Armenians correcting the geo-political record.\nNntp-Posting-Host: snarl02\nLines: 18\n\nIn article <1993Apr5.194120.7010@urartu.sdpa.org> dbd@urartu.sdpa.org (David Davidian) writes:\n\n>In article <1993Apr5.064028.24746@kth.se> hilmi-er@dsv.su.se (Hilmi Eren) \n>writes:\n\n>David Davidian says: Armenians have nothing to lose! They lack food, fuel, and\n>warmth. If you fascists in Turkey want to show your teeth, good for you! Turkey\n>has everything to lose! You can yell and scream like barking dogs along the \n\nDavidian, who are fascists? Armenians in Azerbaijan are killing Azeri \npeople, invading Azeri soil and they are not fascists, because they \nlack food ha? Strange explanation. There is no excuse for this situation.\n\nHerkesi fasist diye damgala sonra, kendileri fasistligin alasini yapinca,\n"ac kaldilar da, yiyecekleri yok amcasi, bu seferlik affedin" de. Yurrruuu, \nyuru de plaka numarani alalim......\n\nHakan\n',
 'From: dark1@netcom.com (Steven Seeger)\nSubject: ANother Res QUestion!\nOrganization: NETCOM On-line Communication Services (408 241-9760 guest)\nLines: 14\n\nI asked a question a week or so ago about getting more res. on my monitor. I have a Magnavox MagnaScan/17 and am wondering what video cards it supports. ALso, does anybody  have Magnavox\'s EMail ID (if there is one) or maybe a phone number? Please reply by email as I don\'t read much news.\n\nThanks,\nSteve\n-- \n\n\n-------------------------------------------------------------------------------\nSteven D Seeger\t\t\t                              dark1@netcom.com~\n~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n"String, he\'s going to blow us out of the sky!"\n"Then why don\'t you hang your flabby behind out the window and BLOW him out of\n the sky???"   -- String & Dom, Airwolf  :)\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n',
 "From: diablo.UUCP!cboesel (Charles Boesel)\nSubject: Alias phone number wanted\nOrganization: Diablo Creative\nReply-To: diablo.UUCP!cboesel (Charles Boesel)\nX-Mailer: uAccess LITE - Macintosh Release: 1.6v2\nLines: 9\n\nWhat is the phone number for Alias?\nA toll-free number is preferred, if available.\n\nThanks\n\n--\ncharles boesel @ diablo creative |  If Pro = for   and   Con = against\ncboesel@diablo.uu.holonet.net    |  Then what's the opposite of Progress?\n+1.510.980.1958(pager)           |  What else, Congress.\n",
 'From: Wayne.Orwig@AtlantaGA.NCR.COM  (Wayne Orwig)\nSubject: Re: CB750 C with flames out the exhaust!!!!---->>>\nLines: 21\nNntp-Posting-Host: worwig.atlantaga.ncr.com\nOrganization: NCR Corporation\nX-Newsreader: FTPNuz (DOS) v1.0\n\nIn Article <C5quw0.Btq@ux1.cso.uiuc.edu> "mikeh@ux1.cso.uiuc.edu (Mike Hollyman)" says:\n> Hi, I have an 82 CB750 Custom that I just replaced the cylinder head gasket\n> on.  Now when I put it back together again, it wouldn\'t idle at all.  It was\n> only running on 2-3 cylinders and it would backfire and spit flames out the\n> exhaust on the right side.  The exhaust is 4-2 MAC.  I bought new plugs\n> today and it runs very rough and still won\'t idle.  I am quite sure the fine\n> tune knobs on the carbs are messed up.  I checked the timing, it was fine, so\n> I advanced it a little and that didn\'t help.  \n> \n> I assume the carbs need to be synched.  Can I buy a kit and do this myself?\n> If so, what kit is the best for the price.\n> \n> Any other suggestions?\n> \n> Thanks in advance.\n> Mike Hollyman\n> \nIt sounds like you got the cam timing off..........\n',
 "From: wrat@unisql.UUCP (wharfie)\nSubject: Re: It's a rush... (was Re: Too fast)\nDistribution: usa\nOrganization: UniSQL, Inc., Austin, Texas, USA\nLines: 12\n\nIn article <C5r43y.F0D@mentor.cc.purdue.edu> marshatt@feserve.cc.purdue.edu (Zauberer) writes:\n>I guess I wasn't clear enough here. I said the roads WERE designed for \n>speeds of 80 or so and still be safe. The current 55-65 will add a saftey\n>margin.\n\n\tThey were designed for speeds of upwards of 80 - I forget the\nexact spec - but for military vehicles.  That's 80 in a 1958 Dodge \nPowerwagon.  Not 80 in a 1993 Ford Taurus.\n\n\n\n\n",
 'From: jdl6@po.CWRU.Edu (Justin D. Lowe)\nSubject: Re: And America\'s Team is....But Why?\nOrganization: Case Western Reserve University, Cleveland, OH (USA)\nLines: 35\nReply-To: jdl6@po.CWRU.Edu (Justin D. Lowe)\nNNTP-Posting-Host: slc8.ins.cwru.edu\n\n\nIn a previous article, steinman@me.utoronto.ca (David Steinman) says:\n\n>cka52397@uxa.cso.uiuc.edu (OrioleFan@uiuc) writes:\n>\n>>\tThe defenition of the Underdog is a team that has no talent and comes\n>>out of nowhere to contend.  The \'69 Mets and \'89 Orioles are prime examples,\n>>not the Cubs. \n>\n>Sorry, but it is *virtually* impossible to win a division with "no talent"\n>over 162 games.\n>\n>I would amend your definition to:\n>\n>underdog:  a team expected to lose, but which wins thanks to underestimated\n>           talent.\n>--\n>Dave!\n>\n\nOK, the Mets and O\'s are good examples, but what about the \'90 Reds?  Do you\nreally think that anyone expected them to sweep the A\'s?  I know people who\ndidn\'t even think they\'d win a game, let alone win the Series.  We proved \nthem wrong, though, didn\'t we?\n\nAs for this year, ignore their record now.  They\'ve had a rocky start, and\nthat has nothing to do with Colorado.  They shall rise again.  The hunt for\na Reds\' October continues. (with all due respect to WLW)  Bye.\n\n\n-- \n             MICHELSON- - - - -1993 SPRING OLYMPICS CHAMPIONS\nRoad Rally, 5-legged Race, Rope Pull, Snarf, Penny Wars, Banner, Spirit Cheer.\n                    The Michelson Menace rides again!\n(Don\'t you just love that intense nationalistic feeling in a residence hall?)\n',
 'From: jimc@tau-ceti.isc-br.com (Jim Cathey)\nSubject: Re: few video questions\nOrganization: Olivetti North America, Spokane, WA\nLines: 28\n\nIn article <7480224@hpfcso.FC.HP.COM> myers@hpfcso.FC.HP.COM (Bob Myers) writes:\n>situation sometimes called "block" sync).  You can generate such a combined\n>(or "composite") sync in two simple ways - OR the H. and V. syncs together,\n>which gives you the non-serrated "block" sync, or EXOR them, which makes\n>serrations.  (Try it!)  Actually, the EXOR doesn\'t really do kosher serrated\n>sync, since it puts the rising (and falling, for that matter) edge of the H. \n>sync pulse off by a pulse width.  But that usually makes no difference.\n\nSometimes.  It depends on your monitor and your timing.  If you don\'t\nhave enough vertical front porch and you use XOR composite sync you can\nget even/odd tearing at the top of the screen, which is very sensitive\nto the HHOLD control.  It looks like what you would expect if you\nscanned the even fields (say) onto a sheet of mylar and had pinched the\nupper left corner with your fingers and started to tear it off the tube. \nWith proper composite sync (equalizing pulses) the interlace is rock\nsolid. \n\n-- \n+----------------+\n! II      CCCCCC !  Jim Cathey\n! II  SSSSCC     !  ISC-Bunker Ramo\n! II      CC     !  TAF-C8;  Spokane, WA  99220\n! IISSSS  CC     !  UUCP: uunet!isc-br!jimc (jimc@isc-br.isc-br.com)\n! II      CCCCCC !  (509) 927-5757\n+----------------+\n\t\t\tOne Design to rule them all; one Design to find them.\n\t\t\tOne Design to bring them all and in the darkness bind\n\t\t\tthem.  In the land of Mediocrity where the PC\'s lie.\n',
 "From: kevin@kosman.uucp (Kevin O'Gorman)\nSubject: Date is stuck\nOrganization: Vital Software Services, Oxnard, CA\nLines: 15\n\nAnybody seen the date get stuck?\n\nI'm running MS-DOS 5.0 with a menu system alive all the time.  The machine\nis left running all the time.\n\nSuddenly, the date no longer rolls over.  The time is (reasonably) accurate\nallways, but we have to change the date by hand every morning.  This involves\nexiting the menu system to get to DOS.\n\nAnyone have the slightest idea why this should be?  Even a clue as to whether\nthe hardware (battery? CMOS?) or DOS is broken?\n-- \nKevin O'Gorman ( kevin@kosman.UUCP, kevin%kosman.uucp@nrc.com )\nvoice: 805-984-8042 Vital Computer Systems, 5115 Beachcomber, Oxnard, CA  93035\nNon-Disclaimer: my boss is me, and he stands behind everything I say.\n",
 "From: bgardner@pebbles.es.com (Blaine Gardner)\nSubject: Re: GGRRRrrr!! Cages double-parking motorcycles pisses me off!\nNntp-Posting-Host: 130.187.85.70\nOrganization: Evans & Sutherland Computer Corporation\nLines: 10\n\nIn article <34211@castle.ed.ac.uk> wbg@festival.ed.ac.uk (W Geake) writes:\n>\n>The Banana one isn't, IMHO.  Ultra sticky labels printed with your\n>favourite curse are good - even our local hospitals use them instead of\n>wheel clamps, putting one (about A5 size) on each window of the cage.\n\nSo what's your local hospital's favorite curse?\n-- \nBlaine Gardner @ Evans & Sutherland\nbgardner@dsd.es.com\n",
 'From: "james kewageshig" <james.kewageshig@canrem.com>\nSubject: articles on flocking?\nReply-To: "james kewageshig" <james.kewageshig@canrem.com>\nOrganization: Canada Remote Systems\nDistribution: comp\nLines: 17\n\nHI All,\nCan someone point me towards some articles on \'boids\' or\nflocking algorithms... ?\n\nAlso, articles on particle animation formulas would be nice...\n ________________________________________________________________________\n|0 ___ ___  ____  ____  ____                                            0|\\\\\n|   \\\\ \\\\//    ||    ||    ||                James Kewageshig              |\\\\|\n|   _\\\\//_   _||_  _||_  _||_      UUCP: james.kewageshig@canrem.com      |\\\\|\n|   N E T W O R K    V I I I    FIDONET:   James Kewageshig - 1:229/15   |\\\\|\n|0______________________________________________________________________0|\\\\|\n \\\\________________________________________________________________________\\\\|\n---\n þ DeLuxeý 1.25 #8086 þ Head of Co*& XV$# Hi This is a signature virus. Co\n--\nCanada Remote Systems - Toronto, Ontario\n416-629-7000/629-7044\n',
 'From: bob@kc2wz.bubble.org (Bob Billson)\nSubject: Re: subliminal message flashing on TV\nOrganization: Color Computer 3: Tandy\'s \'game\' machine\nLines: 13\n\nkennehra@logic.camp.clarkson.edu (Rich"TheMan"Kennehan) says:\n>Hi.  I was doing research on subliminal suggestion for a psychology\n>paper, and I read that one researcher flashed hidden messages on the\n>TV screen at 1/200ths of a second.  Is that possible?  I thought the\n\nTake a look over in alt.folklore.urban.  There is a thread about subliminal\nmessages on TV.  The fact that subliminal messages don\'t work aside, an image\ncan\'t be flashed on a TV screen fast enough to not be noticed.\n-- \n  Bob Billson, KC2WZ                          | internet: bob@kc2wz.bubble.org\n  $nail:  21 Bates Way,  Westfield, NJ 07090  | uucp:     ...!uunet!kc2wz!bob\n\n               "Friends don\'t let friends run DOS" -- Microware\n',
 'From: Chera Bekker <bekker@tn.utwente.nl>\nSubject: WANTED: Xterm emulator for windows 3.1\nKeywords: xterm\nReply-To: bekker@tn.utwente.nl\nOrganization: University of Twente, Enschede, The Netherlands\nLines: 14\n\nHello,\n\nI am looking for a Xterm emulator which runs under windows 3.1.\n\nPlease reply via E-mail.\n\nThanks.\n\nChera Bekker\n--\nH.G. Bekker                                E-mail: bekker@tn.utwente.nl\nFaculty of Applied Physics                 Voice: +3153893107\nUniversity of Twente                       Fax:   +3153354003\nThe Netherlands           \n',
 "From: boone@psc.edu (Jon Boone)\nSubject: Re: Why Spanky?\nOrganization: Pittsburgh Supercomputing Center, Pittsburgh PA, USA\nLines: 27\nNNTP-Posting-Host: postoffice1.psc.edu\nX-Newsreader: TIN [version 1.1 PL8]\n\nOn Mon, 12 Apr 93 00:53:14 GMT in <<1993Apr12.005314.5700@mnemosyne.cs.du.edu>> Greg Spira (gspira@nyx.cs.du.edu) wrote:\n\n:>Does anybody in the Pittsburgh area know why Mike LaValliere was released?\n:>Last year I kept saying that Slaught should get the bulk of the playing time,\n:>that he was clearly the better player at this point, but Leyland insisted on\n:>keeping a pretty strict platoon.  And now he is released?  That doesn't\n:>make any sense to me.\n\nGreg,\n\n    The story goes like this:\n\n       Spanky is too slow!  If he were quicker, he would still be here.\nBut with Slaught and Tom Prince, they didn't want to lose Prince in order\nto bring up that 11th pitcher.  Slaught is about as good as Spanky and\nPrince is coming along nicely!\n\n      Don't feel too bad for him.  He's still gonna get theat $4,000,000\nover the next two years -- he'll be able to do most of what he wants to\ndo.\n\n--\n/*****************************************************************************/\n/* Jon `Iain` Boone   Network Systems Administrator     boone@psc.edu        */\n/* iain+@cmu.edu      Pittsburgh Supercomputing Center  (412) 268-6959       */\n/* I don't speak for anyone other than myself, unless otherwise stated!!!!!! */\n/*****************************************************************************/\n",
 "From: vergolin@euler.lbs.msu.edu (David Vergolini)\nSubject: Detroit Tigers\nOrganization: Michigan State University\nLines: 7\nNNTP-Posting-Host: euler.lbs.msu.edu\nSummary: Who can stop the roar of the Tiger's bats.\nKeywords: Detroit is the top offensive team in the league\n\n  The roar at Michigan and Trumbull should be loader than ever this year.  With\nMike Illitch at the head and Ernie Harwell back at the booth, the tiger bats\nwill bang this summer.  Already they have scored 20 runs in two games and with\nFielder, Tettleton, and Deer I think they can win the division.  No pitching!\nBull!  Gully, Moore, Wells, and Krueger make up a decent staff that will keep\nthe team into many games.  Then there is Henneman to close it out.  Watch out\nBoston, Toronto, and Baltimore - the Motor City Kittys are back.\n",
 "From: pcaster@mizar.usc.edu (Dodger)\nSubject: Re: Dodger Question\nOrganization: University of Southern California, Los Angeles, CA\nLines: 31\nDistribution: usa\nNNTP-Posting-Host: mizar.usc.edu\n\nThe Dodgers have been shopping Harris to other teams in their\nquest for more left-handed pitching.  So far, no takers.\nPersonally, I think Harris is a defensive liability, and he\nhas also led the team in past years for hitting into double\nplays, or at least been among the leaders.\n \nSharperson showed last year that if given a chance to play\nevery day, he can get the job done.  If Sharpy played just\none base every day, say third, he'd also improve defensively.\n \nWallach has helped tremendously on defense, as has Reed.\nThe improved defense is quite noticeable and is having an\neffect on the pitching staff.  Both Astacio AND Martinez\nwere bailed out in recent starts by great defensive plays.\nMartinez pitched into the ninth in a game that might\nhave seen him lifted in the third in past years.\n \nAstacio lasted 7 innings the other day under similar circumstances.\nThe Dodgers are turning double plays, and keeping more balls\nin the infield than last year.  And Piazza has also been great\non defense.  He has thrown out 10 of 14 batters trying to\nsteal and has at least one pick off at first.\n \nWallach, clearly, has contributed to the over all improvement on\ndefense.  But his offense is awful and he has cost the Dodgers\nsome runs.  But I don't think he is as bad as his current average.\nI suspect he will come out of this slump much as Davis and Straw\nseem to have come out of theirs.\n \nDodger\n\n",
 "From: jgd@dixie.com (John De Armond)\nSubject: Re: Do we need a Radiologist to read an Ultrasound?\nOrganization: Dixie Communications Public Access.  The Mouth of the South.\nLines: 28\n\nE.J. Draper <draper@odin.mda.uth.tmc.edu> writes:\n\n>If it were my wife, I would insist that a radiologist be involved in the\n>process.  Radiologist are intensively trained in the process of\n>interpreting diagnostic imaging data and are aware of many things that\n>other physicians aren't aware of.  \n\nMaybe, maybe not.  A new graduate would obviously be well trained (but\nperhaps without sufficient experience). A radiologist trained 10 or\n15 years ago who has not kept his continuing education current is a \nwhole 'nuther matter.  A OB who HAS trained in modern radiology technology\nis certainly more qualified than the latter and at least equal to \nthe former.\n\n>Would you want a radiologist to\n>deliver your baby?  If you wouldn't, then why would you want a OB/GYN to\n>read your ultrasound study?\n\nIf the radiologist is also trained in OB/GYN, why not?\n\nJohn\n\n-- \nJohn De Armond, WD4OQC               |Interested in high performance mobility?  \nPerformance Engineering Magazine(TM) | Interested in high tech and computers? \nMarietta, Ga                         | Send ur snail-mail address to \njgd@dixie.com                        | perform@dixie.com for a free sample mag\nLee Harvey Oswald: Where are ya when we need ya?\n",
 "From: D.L.P.Li1@lut.ac.uk (DLP Li) \nSubject: NEW SVGA card?\nReply-To: D.L.P.Li1@lut.ac.uk (DLP Li)\nOrganization: Loughborough University, UK.\nLines: 12\n\nHi, all hardware netters,\n\n  I've seen recently on some magazines advertising a ?NEW? Trident\ngraphics card call 8900CL. The ad said it's new and *faster*. How is it\ncompare to Tseng ET4000? BTW, which is the fastest *non-accelerated* SVGA\non the market? Any info or benchmark are welcome. Thanks in advance.\n\n\t\t\t\t\t\tregards,\n\n\t\t\t\t\t\tDesmond Li\n\t\t\t\t\t\tLUT, UK.\n \n",
 'From: baalke@kelvin.jpl.nasa.gov (Ron Baalke)\nSubject: Galileo Update - 04/15/93\nOrganization: Jet Propulsion Laboratory\nLines: 113\nDistribution: world\nNNTP-Posting-Host: kelvin.jpl.nasa.gov\nKeywords: Galileo, JPL\nNews-Software: VAX/VMS VNEWS 1.41    \n\nForwarded from Neal Ausman, Galileo Mission Director\n\n                                GALILEO\n                     MISSION DIRECTOR STATUS REPORT\n                             POST-LAUNCH\n                         April 9 - 15, 1993\n\nSPACECRAFT\n\n1.  On April 9, real-time commands were sent, as planned, to reacquire\ncelestial reference after completion of the Low Gain Antenna (LGA-2)\nswing/Dual Drive Actuator (DDA) hammer activities.\n\n2.  On April 9, the EJ-1 (Earth-Jupiter #1) sequence memory load was uplinked\nto the spacecraft without incident.  This sequence covers spacecraft activity\nfrom April 12, 1993 to June 14, 1993 and includes a window for the Radio Relay\nAntenna (RRA) slew test on April 28, 1993.  The command loss timer was set to\n11 days as a part of this sequence memory load.\n\n3.  On April 12 and 15, a NO-OP command was sent to reset the command loss\ntimer to 264 hours, its planned value during this mission phase.\n\n4.  On April 12, cruise science Memory Readouts (MROs) were performed for the\nExtreme Ultraviolet Spectrometer (EUV), Dust Detector (DDS), and Magnetometer\n(MAG) instruments.  Preliminary analysis indicates the data was received\nproperly.\n\n5.  On April 12, an Ultra-Stable Oscillator (USO) test was performed to verify\nthe health status of the USO and to collect gravitational red shift experiment\ndata; long term trend analysis is continuing.\n\n6.  On April 14, a 40bps modulation index test was performed to determine the\noptimal Signal-to-Noise Ratio (SNR) when transmitting at 40bps.  Preliminary\nanalysis of the data suggests that the present pre-launch selected modulation\nindex is near the optimal level.\n\n7.  On April 15, cruise science Memory Readouts (MROs) were performed for the\nExtreme Ultraviolet Spectrometer (EUV) and Magnetometer (MAG) instrument.\nPreliminary analysis indicates the data was received properly.\n\n8.  On April 15, a periodic RPM (Retro-Propulsion Module) 10-Newton thruster\nflushing maintenance activity was performed; all 12 thrusters were flushed\nduring the activity.  Thruster performance throughout the activity was nominal.\n\n9.  The AC/DC bus imbalance measurements have not exhibited significant\nchanges (greater than 25 DN) throughout this period.  The AC measurement reads\n19 DN (4.3 volts).  The DC measurement reads 111 DN (12.9 volts).  These\nmeasurements are consistent with the model developed by the AC/DC special\nanomaly team.\n\n10. The Spacecraft status as of April 15, 1993, is as follows:\n\n       a)  System Power Margin -  60 watts\n       b)  Spin Configuration - Dual-Spin\n       c)  Spin Rate/Sensor - 3.15rpm/Star Scanner\n       d)  Spacecraft Attitude is approximately 18 degrees\n           off-sun (lagging) and 6 degrees off-earth (leading)\n       e)  Downlink telemetry rate/antenna- 40bps(coded)/LGA-1\n       f)  General Thermal Control - all temperatures within\n           acceptable range\n       g)  RPM Tank Pressures - all within acceptable range\n       h)  Orbiter Science- Instruments powered on are the PWS,\n           EUV, UVS, EPD, MAG, HIC, and DDS\n       i)  Probe/RRH - powered off, temperatures within\n           acceptable range\n       j)  CMD Loss Timer Setting - 264 hours\n           Time To Initiation - 260 hours\n\n\nGDS (Ground Data Systems):\n\n1.  Galileo participated in a second DSN (Deep Space Network) acceptance test\nfor the DSN Telemetry Phase 3 Upgrade on April 13, 1993, using CTA-21\n(Compatibility Test Area 21).  The purpose of this test was to verify\nthe flow of Galileo telemetry data through the new Telemetry Group Controller\n(TGC) and the Telemetry Channel Assembly (TCA).  The TGC/TCA is the replacement\nfor the current Telemetry Processing Assembly (TPA).  Seven different telemetry\nrates were run for this test; all ran well on both the MTS (MCCC Telemetry\nSubsystem) and the AMMOS MGDS V18.0 GIF with the exception of 10bps.  The\n10bps rate had some trouble staying in lock; it appears the TGC/TCA was\nnot metering the data correctly.  Further comparisons between the MGDS and MTS\ndata from this test are being conducted. MVT (Mission Verification Test) of\nthe TGC/TCA system is expected to begin May 16, 1993.\n\n\nTRAJECTORY\n\n     As of noon Thursday, April 15, 1993, the Galileo Spacecraft trajectory\nstatus was as follows:\n\n\tDistance from Earth         152,606,000 km (1.02 AU)\n\tDistance from Sun           277,519,800 km (1.86 AU)\n\tHeliocentric Speed          93,400 km per hour\n\tDistance from Jupiter       543,973,900 km\n\tRound Trip Light Time       17 minutes, 4 seconds\n\n\nSPECIAL TOPIC\n\n1.  As of April 15, 1993, a total of 70184 real-time commands have been\ntransmitted to Galileo since Launch.  Of these, 65076  were initiated in the\nsequence design process and 5108 initiated in the real-time command process.\nIn the past week, 7 real time commands were transmitted: 6 were initiated in\nthe sequence design process and one initiated in the real time command process.\nMajor command activities included commands to reacquire celestial reference,\nuplink the EJ-1 sequence memory load, and reset the command loss timer.\n     ___    _____     ___\n    /_ /|  /____/ \\\\  /_ /|     Ron Baalke         | baalke@kelvin.jpl.nasa.gov\n    | | | |  __ \\\\ /| | | |     Jet Propulsion Lab |\n ___| | | | |__) |/  | | |__   M/S 525-3684 Telos | Being cynical never helps \n/___| | | |  ___/    | |/__ /| Pasadena, CA 91109 | to correct the situation \n|_____|/  |_|/       |_____|/                     | and causes more aggravation\n                                                  | instead.\n',
 'From: turpin@cs.utexas.edu (Russell Turpin)\nSubject: Re: Placebo effects\nOrganization: CS Dept, University of Texas at Austin\nLines: 39\nNNTP-Posting-Host: im4u.cs.utexas.edu\nSummary: Yes, researcher bias is a great problem.\n\n-*-----\nIn article <735157066.AA00449@calcom.socal.com> Daniel.Prince@f129.n102.z1.calcom.socal.com (Daniel Prince) writes:\n> Is there an effect where the doctor believes so strongly in a \n> medicine that he/she sees improvement where the is none or sees \n> more improvement than there is?  If so, what is this effect \n> called?  Is there a reverse of the above effect where the doctor \n> doesn\'t believe in a medicine and then sees less improvement than \n> there is?  What would this effect be called?  Have these effects \n> ever been studied?  How common are these effects?  Thank you in \n> advance for all replies. \n\nThese effects are a very real concern in conducting studies of new\ntreatments.  Researchers try to limit this kind of effect by \nperforming studies that are "blind" in various ways.  Some of these\nare:\n\n  o  The subjects of the study do not know whether they receive a \n     placebo or the test treatment, i.e., whether they are in the\n     control group or the test group.\n\n  o  Those administering the treatment do not know which subjects \n     receive a placebo or the test treatment.\n\n  o  Those evaluating individual results do not know which subjects\n     receive a placebo or the test treatment.\n\nObviously, at the point at which the data is analyzed, one has to \ndifferentiate the test group from the control group.  But the analysis\nis quasi-public: the researcher describes it and presents the data on\nwhich it is based so that others can verify it.  \n\nIt is worth noting that in biological studies where the subjects are\nanimals, such as mice, there were many cases of skewed results because\nthose who performed the study did not "blind" themselves.  It is not\nconsidered so important to make mice more ignorant than they already\nare, though it is important that in all respects except the one tested,\nthe control and test groups are treated alike.\n\nRussell\n',
 'From: MLINDROOS@FINABO.ABO.FI (Marcus Lindroos INF)\nSubject: Re: expanding to Europe:Dusseldorf\nIn-Reply-To: pkortela@snakemail.hut.fi\'s message of 15 Apr 93 14:47:30 GMT\nOrganization: Abo Akademi University, Finland\nX-News-Reader: VMS NEWS 1.24\nLines: 75\n\nIn <PKORTELA.93Apr15164732@lk-hp-17.hut.fi> pkortela@snakemail.hut.fi writes:\n\n> \n> DEG has many german-born forwards in the team. In fact the majority of players\n> are german-born. 1992-93 DEG had 11150 average in 11800 spectator arena.\n\nInteresting! One of our German friends here (Robert?) told me their forwards\nwere all Canadian-Germans. Perhaps somebody can sort this out for us?\n \n> My Possible-NHL(European league)-site list:\n> Switzerland  : Berne, Zurich (Lugano and 1-2 others)\n\nOK, "this ain\'t North America" and so on, but I still doubt that _any_ city\nhaving a pop. of 500,000 and below could support an NHL team. Of course,\nSwitzerland probably should be judged as one large city because of small\ndistances between cities but still. \n\n> Germany      : Dusseldorf, Cologne, Berlin, Munich (Mannheim, Rosenheim)\n\nDusseldorf? YES, although the arena is an anachronism (an OPEN wall behind one\nof the goals - essentially an outdoor arena!). Cologne\'s arena only seats about\n7,000-8,000, Berlin is about 6,000 and no new facility will be built\nunless their Olympic bid is successful. Munich does have an arena. \n\n> Sweden       : Stockholm, Gothenburg (Malmo, Gavle)\n\nMalmo is big enough, but they also need a new arena...the current one has \n5,000 seats I think.\n\n> Finland      : Helsinki (Turku, Tampere)\n\nIf we\'re talking about the NHL, even Helsinki would struggle to make it work.\nTurku (despite an excellent arena) and Tampere are nowhere near big enough for\nmajor league hockey.\n\n> Italy        : Milan\n\n...Rome and the south are out of the question; this could as well be Africa\nto hockey fans. Romans were given the chance to host some WC\'94 games but\nshowed no interest whatsoever. All teams in the Italian league come from Milan\nand the smaller cities in the north.\n\n> France       : Paris (Chamonix, Ruoen?)\n\nParis had their own "Volans Francais"(sp) pro team a couple of years ago.\nI believe they even made it to the European Club Championship finals \ntournament one year, but eventually folded due to lower-than-hoped-for \nattendances. The remaining cities seem to be too small to support a minor \nsport like hockey.\n\n> Norway       : (Oslo)\n> Austria      : (Vienna, Villach)\n> Chech        : (Prag)\n> Slovakia     : (Bratislava)\n> Russia       : (Moscow, St. Petersburg)\n\nThe easter cities lack the money and infrastructure to support pro hockey.\n\n> Great Britain: ?\n\nPerhaps . . . Most European teams will have to be like the Tampa Bay Lightning\nanyway; playing in a small 10,000 seat arena, backed by Japanese money, run by \nenthusiasts (Phil Esposito), heavy\nmarketing, fans that have difficulty telling what "icing" means... London has\nbeen mentioned, Sheffield and Birmingham also have large arenas and a new\nmega-facility (16,000 seats!) might be built in Bristol in a couple of years.\n\n> Netherlands  : ?\n\nNo facilities to speak of; their biggest arena (in Eindhoven) seats 2,500 \nfans for hockey. \n> \n> Petteri Kortelainen\n\nMARCU$\n',
 'From: chrism@cirrus.com (Chris Metcalfe)\nSubject: Brendan McKay Clarifies the Nazi Racial Theory\nOrganization: Cirrus Logic Inc.\nLines: 59\n\n\nOnly Brendan McKay, or maybe ARF, would come to the rescue of Nazi\nracial theory.  Is it distressing Brendan?  The point is that any\neugenic solution to the Jewish Problem as Elias has proposed smacks\nof pure Nazism.  The fact that Elias\' proposal cast the entire "problem"\nas one of the abnormal presence of Israeli society in the Middle East,\nand that he buried a slam against U.S. aid to Israel in the midst of\nhis "even-handed" solution of the Jewish Question, made it obvious what \nhe had in mind: disolving the Jewish polity.  That *is* a Nazi doctrine:\nrectification of the "abnormal presence" of the Jewish people within a \nlarger body politic.  Whether your "solution" involves gas, monetary \nincentives to the poor Jews to marry out, or as Feisal Husseini has \nsaid, "disolve the Zionist entity by forcing it to engage the normal \nsurrounding Arab culture," you are engaged in a Nazi project.\n\nJust as obvious is your statement: "I will not comment on the value\nor lack of value of Elias\'s proposal."  Still striking the glancing\nblow, right Brendan?  You could easily see where he was going, but you\n"will not comment."  So, you are complicitous.\n\nWhat is your fascination with Nazi racial theory, anyway?\n\n-- Chris Metcalfe ("someone else")\n\n!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!\n\nIn article <1993Apr22.175022.15543@cs.rit.edu> bdm@cs.rit.edu (Brendan D McKay) writes:\n\n>>>A unconventional proposal for peace in the Middle-East.\n>>>---------------------------------------------------------- by\n>>>\t\t\t  Elias Davidsson\n>>>\n>>>5.      The emergence of a considerable number of \'mixed\'\n>>>marriages in Israel/Palestine, all of whom would have relatives on\n>>>\'both sides\' of the divide, would make the conflict lose its\n>>>ethnical and unsoluble core and strengthen the emergence of a\n>>>truly civil society. The existence of a strong \'mixed\' stock of\n>>>people would also help the integration of Israeli society into the\n>>\n>>    Sounds just like a racial theory that Hitler outlined in Mein Kampf.\n>\n>Someone else said something similar.  I will not comment on the\n>value or lack of value of Elias\'s "proposal".  I just want to say\n>that it is very distressing that at least two people here are\n>profoundly ignorant of Nazi racial doctrine.  They were NOT\n>like Elias\'s idea, they were more like the opposite.  \n>\n>Nazis believed in racial purity, not racial assimilation.  An \n>instructive example is the Nazi attitude to Gypsies.  According to \n>Nazi theoreticians, Gypsies were an Aryan race.  They were persecuted,\n>and in huge numbers murdered, because most European Gypies were\n>considered not pure Gypsies but "mongrels" formed from the pure Gypsy \n>race and other undesirable races.  This was the key difference between \n>the theoretical approach to Jews and Gypsies, by the way.  It is also \n>true that towards the end of WWII even the "purist" Gypsies were \n>hunted down as the theory was forgotten.\n>\n>Brendan.\n>(email:  bdm@cs.anu.edu.au)\n',
 'From: glang@slee01.srl.ford.com (Gordon Lang)\nSubject: Re: Honors Degrees: Do they mean anything?\nOrganization: Ford Motor Company Research Laboratory\nLines: 27\nNNTP-Posting-Host: slee01.srl.ford.com\nX-Newsreader: Tin 1.1 PL5\n\nJustin Kibell (jck@catt.citri.edu.au) wrote:\n: What has this got to do with comp.windows.x?\n: \n\nI agree that this is a side track, but it is funny that I skip so many\nother articles (threads) but I couldn\'t resist reading this one.\n\nMy beliefs, opinions, and expressions are strictly my own and do not\nrepresent or reflect any official or unofficial policies or attitudes\nof any other person or organization....\n \nbut.  I have heard that Ford Motor Company has (had) a recruiting bias\ntoward engineers and away from computer science graduates.  The reasoning\nis supposedly to better meet long range personnel requirements.  This is\nevidenced by the large number of CS people who are employed via contracts\nand are not brought on board except in special circumstances.  This is\na generalization which obviously doesn\'t always hold true, but there are\nstatistics.  Furthermore, most "software engineering" at Ford gets done\nby electrical engineers.  I know of 2 univerities that have merged the\ncomputer science department and the electrical engineering so that you\ncan get a computer degree which qualifies you for much more than programming.\n\nBut since my beliefs and opinions are merely figments of my distorted\nimagination I suppose I should keep it to myself.\n\n\n\n',
 'From: mmm@cup.portal.com (Mark Robert Thorson)\nSubject: Re: Barbecued foods and health risk\nOrganization: The Portal System (TM)\nDistribution: world\nLines: 33\n\n> I don\'t understand the assumption that because something is found to\n> be carcinogenic that "it would not be legal in the U.S.".  I think that\n> naturally occuring substances (excluding "controlled" substances) are\n> pretty much unregulated in terms of their use as food, food additives\n> or other "consumption".  It\'s only when the chemists concoct (sp?) an\n> ingredient that it falls under FDA regulations.  Otherwise, if they \n> really looked closely they would find a reason to ban almost everything.\n> How in the world do you suppose it\'s legal to "consume" tobacco products\n> (which probably SHOULD be banned)?\n\nNo, there is something called the "Delany Amendment" which makes carcinogenic\nfood additives illegal in any amount.  This was passed by Congress in the\n1950\'s, before stuff like mass spectrometry became available, which increased\ndetectable levels of substances by a couple orders of magnitude.\n\nThis is why things like cyclamates and Red #2 were banned.  They are very\nweakly carcinogenic in huge quantities in rats, so under the Act they are\nbanned.\n\nThis also applies to natural carcinogens.  Some of you might remember a\ntime back in the 1960\'s when root beer suddenly stopped tasting so good,\nand never tasted so good again.  That was the time when safrole was banned.\nThis is the active flavoring ingredient in sassafras leaves.\n\nIf it were possible to market a root beer good like the old days, someone\nwould do it, in order to make money.  The fact that no one does it indicates\nthat enforcement is still in effect.\n\nAn odd exception to the rule seems to be the product known as "gumbo file\'".\nThis is nothing more than coarsely ground dried sassafras leaves.  This\nis not only a natural product, but a natural product still in its natural\nform, so maybe that\'s how they evade Delany.  Or maybe a special exemption\nwas made, to appease powerful Louisiana Democrats.\n',
 'From: tiang@midway.ecn.uoknor.edu (Tiang)\nSubject: VESA standard VGA/SVGA programming???\nNntp-Posting-Host: midway.ecn.uoknor.edu\nOrganization: Engineering Computer Network, University of Oklahoma, Norman, OK, USA\nKeywords: vga\nLines: 34\n\nHi,\n\n\tI have a few question about graphics programming in VGA/SVGA :\n\n1. How VESA standard works?  Any documentation for VESA standard?\n\n2. At a higher resolution than 320x200x256 or 640x480x16 VGA mode,\n   where the video memory A0000-AFFFF is no longer sufficient to hold\n   all info, what is the trick to do fast image manipulation?  I\n   heard about memory mapping or video memory bank switching but know\n   nothing on how it is implemented.   Any advice, anyone?  \n\n3. My interest is in 640x480x256 mode.  Should this mode be called\n   SVGA mode?  What is the technique for fast image scrolling for the\n   above mode?  How to deal with different SVGA cards?\n\n\n  Your guidance to books or any other sources to the above questions\nwould be greatly appreciated.  Please send me mail.\n\n\n  Thanks in advance!\n\n\n\n************************************************************************\n*                         Tiang   T.    Foo                            *\n*\t\t      tiang@uokmax.ecn.uoknor.edu \t\t       *\n************************************************************************    \n-- \n************************************************************************\n*                         Tiang   T.    Foo                            *\n*\t\t      tiang@uokmax.ecn.uoknor.edu \t\t       *\n************************************************************************    \n',
 'From: hughes@jupiter.ral.rpi.edu (Declan Hughes)\nSubject: Manual for Eprom Blower (Logical Devices Prompro-8) Wanted\nNntp-Posting-Host: jupiter.ral.rpi.edu\nOrganization: Rensselaer Polytechnic Institute, Troy NY\nDistribution: usa\nLines: 7\n\n\n  I have an eprom blower made by Logical Devices and the\n model name is Prompro-8, but I have lost the manual. Does anyone\n have a spare manual that they would like to sell ?\n\n   Declan Hughes\n   hughes@ral.rpi.edu\n',
 'From: howland@noc2.arc.nasa.gov (Curt Howland)\nSubject: Re: Newbie\nOrganization: NASA Science Internet Project Office\nLines: 16\n\nIn article <C5swox.GwI@mailer.cc.fsu.edu>, os048@xi.cs.fsu.edu () writes:\n|>  hey there,\n|>     Yea, thats what I am....a newbie. I have never owned a motorcycle,\n\nThis makes 5! It IS SPRING!\n\n|> Matt\n|> PS I am not really sure what the purpose of this article was but...oh well\n\nNeither were we. Read for a few days, then try again.\n\n---\nCurt Howland "Ace"       DoD#0663       EFF#569\nhowland@nsipo.nasa.gov            \'82 V45 Sabre\n     Meddle not in the afairs of Wizards,\n for it makes them soggy and hard to re-light.\n',
 'From: wes1574@zeus.tamu.edu (Bill Scrivener)\nSubject: In need of help....\nOrganization: Texas A&M University, Academic Computing Services\nLines: 22\nDistribution: world\nNNTP-Posting-Host: zeus.tamu.edu\nNews-Software: VAX/VMS VNEWS 1.41    \n\nOk, I have a problem that I thought you guys/gals might know about....\n\nI\'m running a 286dx-25 with a 85mb hdd.  I also have windows 3.1, but\nhardly any dos application will run out it.  Also, when I do a "mem"\ncommand, it says that I have used up 58kb out of 640kb of conventional\nmemory, zero from upper level memory, and all 385kb of my ems memory.\nAnd to top it off, I can\'t load any device drivers into upper memory.\nDo I just need more memory?  Also, why would it use up ems memory instead\nof upper memory?\n\nPlease reply by e-mail only to :  wes1574@tamvenus.tamu.edu\n\n\n\n\n---------------------------------------------------------------------------\nBill Scrivener                    |    "It\'s not the first time that you\nTexas A&M University              |     sleep with a woman that matters,\nCollege Station, Texas            |     but the first time\nemail: wes1574@tamvenus.tamu.edu  |     you wake up with her."\n---------------------------------------------------------------------------\n\n',
 "From: soltys@radonc.unc.edu (Mitchel Soltys)\nSubject: Hard Disk Utilities?\nOriginator: soltys@melanoma.radonc.unc.edu\nNntp-Posting-Host: melanoma.radonc.unc.edu\nOrganization: Radiation Oncology, NCMH/UNC, Chapel Hill, NC\nDistribution: usa\nLines: 26\n\n\nHi to all you PC gurus!\n\nI'm new to these groups and so please forgive me if my questions are frequently\nasked, but I don't know the answer :) I've been recently having some problems\nwith my 386 computer with a Seagate 40 meg hard drive. I occasionally find\ncorrupted files, but most of the time programs work fine. Are there any utilities\nthat are easily available that can help me determine whether or not the problem\nis a result of the hard drive vs an ill-behaved program or some other hardware\nitem? Are there utilites to determine whether or not the hard drive is properly\naligned etc? As might be expected, I would greatly appreciate any help on this\nmatter. I'm considering just reformatting the disk and reinstalling everything\n(and hoping that will fix the problem), but I would like to have some assurance\nof what the problem cause is. \n\nAlso, can someone give me an opinion on DOS 6.0? Are the compression and\ndefragmentation routines good enough to consider the upgrade if I don't have\nthose routines already (as opposed to buying them separately)? \n\n\nMuch thanks in advance for any help.\n\nMitchel Soltys\nsoltys@radonc.unc.edu\n\n\n",
 'From: ron@hpfcso.FC.HP.COM (Ron Miller)\nSubject: Re: Boston Gun Buy Back\nOrganization: Hewlett-Packard, Fort Collins, CO, USA\nLines: 19\n\n> From: urbin@interlan.interlan.com (Mark Urbin)\n> \n> >RM:Just a short thought: \n> >When you ask the question of the "authorities" or sponsors of buyback\n> >programs whether they will check for stolen weapons and they answer\n> >"no, it\'s total amnesty".\n\n>     Please note that the $50 given for each firearm, in the Boston `buy \n> back\' will not be in cash, but money orders.  How much `total amnesty" can \n> you get if you leave paper trail behind?\n\nIn the latest case in Denver, they were giving away tickets to a Denver\nNuggets basketball game. \n\nHow traceable is a money order?  (I don\'t know. Haven\'t used one in 20 years)\n\nIs that even an issue if the weapons aren\'t checked for being stolen?\n\nRon\n',
 "From: larryhow@austin.ibm.com ()\nSubject: LaserJet IV upgrades to 1200dpi opinions\nOriginator: larryhow@larryhow.austin.ibm.com\nOrganization: IBM Austin\nLines: 13\n\n\n\nWhat are the current products available to upgrade the resolution?\nWhich ones support postscript?\n\nAny experiences with them, either good or bad?\n\nIs the quality difference really noticable?\n\nI'm planning on producing camera ready copy of homes.  Will the higher\nresolution be noticed for these?\n\n\n",
 'From: montuno@physics.su.OZ.AU (Lino Montuno)\nSubject: CPU Temperature vs CPU Activity ?\nNntp-Posting-Host: physics.su.oz.au\nOrganization: School of Physics, University of Sydney, Australia\nLines: 8\n\nThis may be a very naive question but is there any basis for the\nclaim that a CPU will get hotter when a computationally intensive \njob is running? My friend claims that there will be little difference\nin the temperature of an idle CPU and a CPU running a computationally\nintensive job.\n\n\nLino Montuno\n',
 'From: kkeller@mail.sas.upenn.edu (Keith Keller)\nSubject: Entry form for playoff pool\nOrganization: University of Pennsylvania, School of Arts and Sciences\nLines: 43\nNntp-Posting-Host: mail.sas.upenn.edu\n\nOkay, here\'s the entry sheet.  Keep in mind that not all spots are\ndecided, so it may change.\n\n     Series  \t\t\tYour Pick\t\tGames\n\n  Division Semis\n\nNY Islanders-Pittsburgh\nNew Jersey-Washington\n\nBuffalo-Boston\nMontreal-Quebec\n\nSt. Louis-Chicago\nToronto-Detroit\n\nWinnipeg-Vancouver\nLos Angeles-Calgary\n\n  Division Finals\n\nPatrick\nAdams\nNorris\nSmythe\n\n  Conference Finals\n\nWales\nCampbell\n\n\nStanley Cup winner\n\n\nSee previous post for scoring.  Good luck!\n\n--\n    Keith Keller\t\t\t\tLET\'S GO RANGERS!!!!!\n\t\t\t\t\t\tLET\'S GO QUAKERS!!!!!\n\tkkeller@mail.sas.upenn.edu\t\tIVY LEAGUE CHAMPS!!!!\n\n            "When I want your opinion, I\'ll give it to you." \n',
 'From: hahn@csd4.csd.uwm.edu (David James Hahn)\nSubject: Re: RE: HELP ME INJECT...\nArticle-I.D.: uwm.1r82eeINNc81\nReply-To: hahn@csd4.csd.uwm.edu\nOrganization: University of Wisconsin - Milwaukee\nLines: 39\nNNTP-Posting-Host: 129.89.7.4\nOriginator: hahn@csd4.csd.uwm.edu\n\nFrom article <1993Apr22.233001.13436@vax.oxford.ac.uk>, by krishnas@vax.oxford.ac.uk:\n> The best way of self injection is to use the right size needle\n> and choose the correct spot. For Streptomycin, usually given intra\n> muscularly, use a thin needle (23/24 guage) and select a spot on\n> the upper, outer thigh (no major nerves or blood vessels there). \n> Clean the area with antiseptic before injection, and after. Make\n> sure to inject deeply (a different kind of pain is felt when the\n> needle enters the muscle - contrasted to the \'prick\' when it \n> pierces the skin).\n> \n> PS: Try to go to a doctor. Self-treatment and self-injection should\n> be avoided as far as possible.\n>  \nThe areas that are least likely to hurt are where you have a little \nfat.  I inject on my legs and gut, and prefer the gut.  I can stick\nit in at a 90 degree angle, and barely feel it.  I\'m not fat, just\nhave a little gut.  My legs however, are muscular, and I have to pinch\nto get anything, and then I inject at about a 45 degree angle,and it\nstill hurts.  The rate of absorbtion differs for subcutaneous and  \nmuscular injections however--so if it\'s a daily thing it would be\nbest not to switch places every day to keep consistencey.  Although\nsome suggest switch legs or sides of the stomach for each shot, to prevent \nirritation.  When you clean the spot off with an alcohol prep, \nwait for it to dry somewhat, or you may get the alcohol in the\npuncture, and of course, that doesn\'t feel good.  A way to prevent\nirratation is to mark the spot that you injected.  A good way to\ndo this is use a little round bandage and put it over the \nspot.  This helps prevent you from injecting in the same spot,\nand spacing the sites out accuartely (about 1 1/2 " apart.)\n\nThis is from experience, so I hope it\'ll help you.  (I have\ndiabetes and have to take an injection every morning.)\n\n\t\t\tLater,\n\t\t\t\tDavid\n-- \nDavid Hahn\nUniversity of Wisconsin : Milwaukee \nhahn@csd4.csd.uwm.edu\n',
 'From: ebrahim@ee.umanitoba.ca (Mohamad Ebrahimi)\nSubject: PBS Frontline: Iran and the bomb\nNntp-Posting-Host: ic17.ee.umanitoba.ca\nOrganization: Elect & Comp Engineering, U of Manitoba, Winnipeg, Manitoba,Canada\nLines: 75\n\n\n       I would like to share with netters a few points I picked up from the PBS\n    Frontline program regarding Iran\'s nuclear activities, aired on Tuesday\n    April 13. For the sake of brevity, I\'ll present them in some separate\n    points.\n\n    1- As many other western programs, this program was laid on a bed of\n    misinformation throughout the program, to maximize the effect of the\n    program on the viewer. Some of the misinformations were as follows:\n\n    - It was alleged that:" Late Imam Khomeini objected to Shah\'s technological\n    advancements as anti-Islamic, but now things have changed and the proof of\n    change is that some Iranian merchants are now selling personal computers. "!\n    These are the most ridiculous lies, one can make about the objectives \n    of the Islamic Revolution in toppling the Shah and state of the technology\n    in Iran after revolution.\n\n    -Iran was equally accused of using chemical weapons against Iraqi aggressors\n    while there has never been any proof in this regard, and nobody has seen\n    Iraqi soldiers or civilians injured by Iranian chemical weapons, in\n    contrary to what the whole world has seen about Iranian soldiers and\n    civilians, injured by Iraqi chemical weapons.\n\n    - While the number of martyrs during the sacred defense against Iraqi\n    aggression has been officially announced to be about 117,000 and even most\n    radical counter-revolutionary groups claim that Iran and Iraq had a total\n    of one million dead, this program claims that Iran alone has one million\n    dead left from the war.\n\n    - The translation of Iranian officials\' talks are not 100% true. For\n    example when Iranian head of Atomic Energy says that: " It hurts me to\n    see that Iran is the subject of these unfriendly propaganda." The \n    translator says: " It hurts to see that Iran is doing unfriendly \n    research."!\n\n    2- Almost all alleged devices or material bought or planned to be bought\n    by Iranians were of countless dual usage, while the program tries to \n    undermine their non-military uses, without any reference to Iran\'s\n    big population and its inevitable need to other sources of energy in\n    near future and its current deficit in electrical power.\n\n    3- The whole program is trying to show the Sharif University of \n    Technology as a nuclear research center, while even the cameramen of the\n    program know well that in a country like Iran without a so tightly closed\n    society no one can make a nuclear bomb in a university! Taking in account\n    the scientific advancement of Sharif U. in engineering fields and its\n    potential role in improvement of Iran\'s industries and eventually the\n    lives of people, it is obvious that they are persuading other countries\n    to prevent them from further helping this university or other ones\n    in scientific and industrial efforts.\n\n    4- A key point in program\'s justifications is trying to disvalidate as\n    much as possible all efforts done by IAEA [*] in their numerous visits from\n    Iran\'s different sites. They say: "We are not sure if the places visited\n    by IAEA are the real ones or not" !, or " We can not rely on IAEA\'s\n    reports and observation, because they failed to see Iraq\'s nuclear\n    activities before" as if they didn\'t know that Iraq was trying to build\n    nuclear weapons!\n\n    5- As an extremely personal opinion, the most disgusting aspect of the\n    program was the arrogance of the member of US Senate foreign Affairs,\n    William Triplet, in his way of talking, as if he was the god talking\n    from the absolute knowledge!\n\n       I hope all Iranians be aware of the gradual buildup against their\n    country in western media, and I hope Iranian authorities continue to\n    their wise and calculated approach with regard to international affairs\n    and peaceful coexistence with friendly nations.\n\n\nMohammad\n\n  \n    [*] International Atomic Energy Agency\n  \n',
 "Organization: Central Michigan University\nFrom: John Foster <32HNBAK@CMUVM.CSV.CMICH.EDU>\nSubject: Re: Changing oil by self.\n <1993Apr15.112826.25211@colorado.edu>\nLines: 38\n\n>From: drew@kinglear.cs.colorado.edu (Drew Eckhardt)\n>In article <pod.734834505@sour.sw.oz.au> pod@sour.sw.oz.au (Paul O'Donnell) wri\n>>In <1qgi8eINNhs5@skeena.ucs.ubc.ca> yiklam@unixg.ubc.ca (Yik Chong Lam) writes\n>>\n>>>Hello,\n>>\n>>>      Does anyone know how to take out the bolt under the engine\n>>>compartment?  Should I turn clockwise or counter?  I tried any kind\n>>>of lubricants, WD-40,etc, but I still failed!\n>>>      Do you think I can use a electric drill( change to a suitable\n>>>bit ) to turn it out?  If I can succeed, can I re-tighten it not too\n>>>tight, is it safe without oil leak?\n>>\n>>You shouldn't need any power tools to undo it, an electric drill\n>>probably won't give you much extra torque anyway.  WD40 will help\n>>things that are seized due to rust but this is unlikely for a drain\n>>plug.  You should be able to undo it with a spanner.  When it\n>>loosens, it will probably become very loose and you will bash your\n>>knuckles on the underside of the car - this is the price you must\n>>pay for doing you own work.\n>\n>No, that's the price you pay for not knowing how to use a\n>wrench.  You want to pull the wrench towards you, away from\n>painful knuckle splitting hard things.  If you can't pull it\n>because things are in the way, push it with an open hand.\n\nI find this method much better myself, too, although I do really\nhate it when the bolt finally comes loose and the wrench and my\nhand both come crashing into my face.  After coming to, which is\nabout 15 minutes later, I change my clothes (because by this time\nall the oil has drained *on* me), and ice my entire face and suck\ndown about 20 Tylenol to ease the pain.  Later in the day I then\nproceed with refilling the engine oil.\n\nIt's just crazy how I try and change the oil on my cars in one\nweekend---I go through about 3 bottles of Tylenol and 2 bags of ice.\n\nJohn\n",
 "From: jerry@msi.com (Jerry Shekhel)\nSubject: Tape Backup Question\nOrganization: Molecular Simulations, Inc.\nX-Newsreader: TIN [version 1.1 PL8]\nX-Posted-From: asteroid.msi.com\nNNTP-Posting-Host: sol.ctr.columbia.edu\nLines: 18\n\nHello folks!\n\nI have an Archive XL5580 (internal QIC-80) tape drive, which is pretty\ncomparable to the Colorado Jumbo 250.  Since I have two floppy drives in\nmy system, I'm using a small card (not accelerated) made by Archive to \nattach my tape drive as a third floppy device.\n\nThe problem: Although the DOS-based QICstream software works just fine,\nboth the Norton and Central Point backup programs for Windows fail unless\nI switch the machine to non-turbo speed (I'm using a 486DX/33 EISA).  Since\nthe DOS software works, it can't be a hardware problem, can it?  Has anyone\nseen similar problems?  Any solutions?  Thanks in advance.\n--\n+-------------------+----------------------------+---------------------------+\n| JERRY J. SHEKHEL  | Molecular Simulations Inc. | Time just fades the pages |\n| Drummers do it... |     Burlington, MA USA     | in my book of memories.   |\n|    ... In rhythm! |        jerry@msi.com       |         -- Guns N' Roses  |\n+-------------------+----------------------------+---------------------------+\n",
 "From: leapman@austin.ibm.com (Scott Leapman)\nSubject: Re: Half-page hand scanners?\nOriginator: leapman@junior.austin.ibm.com\nReply-To: $LOGIN@austin.ibm.com\nOrganization: IBM Austin\nLines: 8\n\n\nI have a Lightening Scan Pro 256 hand scanner.  It came with scanning/editing\nsoftware, OCR software, and some plug-in modules for Photoshop et al.  The\nscanner was a tad on the pricey side ($480), but the scans are incredibly\naccurate, in 256 level, 300 dpi grayscale.  It also has dithered and line art\nsettings when grayscale isn't desired.  Great scanning software, easy to use.  I\nfrequently write letters to my neices, and spontaneouly include a scanned image\nin the note.  Hope this helps!\n",
 "From: whit@carson.u.washington.edu (John Whitmore)\nSubject: Re: minimal boolean circuit\nArticle-I.D.: shelley.1r2717INNdjh\nDistribution: usa\nOrganization: University of Washington, Seattle\nLines: 41\nNNTP-Posting-Host: carson.u.washington.edu\n\nIn article <1993Apr9.041505.8593@ringer.cs.utsa.edu> djimenez@ringer.cs.utsa.edu (Daniel Jimenez) writes:\n>Suppose we have a boolean function which is a minimal sum-of-products\n>(derived from a K-map or something), like this:\n\n>f(a,b,c,d) = bc'd' + acd' + abc' + ab'c\n>\n>The books on logic design I have consulted all seem to imply that this\n>is where the analysis ends  ...  But by factoring out the\n>`a' term in the function, we can get fewer gates:\n\n>f(a,b,c,d) = bc'd' + a(cd' + bc' + b'c),\n\n>which yields 9 gates. \n\n\tYes, but... the minimization of gates is important in part\nbecause of TIMING considerations.  A TTL gate has the basic structure\nof AND/OR/INVERT, and an inversion of a sum of a product is just\nexactly ONE gate delay.  The reason to find a minimal sum of products\nis that this matches a hardware optimization.\n\n\tA positive-OR gate (such as the 9-gate solution uses) has\nTWO gate delays (and there's another gate delay in the second term)\nso that the second solution, while simpler in logic symbols, can \nbe expected to be something less than optimal in the real world.\nECL is similar to TTL, in that it can support an OR/AND\ngate with the minimum delay (unlike TTL, you get both true and\ninverse outputs for 'free' when using ECL).\n\n\tPALs are basically large programmable AND/OR/INVERT\ngates (with your choice of internal connections between the\nvarious sections, and perhaps some latches), so a minimum sum\nof products ALSO is a way to shoehorn a logic design into \na few PALs.  It's not comparably easy to design with a minimization\nof logic gates, but some software packages claim to allow you to\ndo so, and will take just about any mess of gates (as a nodelist\nwith 74xxx series logic ICs) and produce a description of\na logic cell array to do the same job.  Xilinx's XACT software\ndoes this by treating each logic block as a macro, and expanding\nit all out, then simplifying.\n\n\tJohn Whitmore\n",
 'Subject: roman.bmp 13/14\nFrom: pwiseman@salmon.usd.edu (Cliff)\nReply-To: pwiseman@salmon.usd.edu (Cliff)\nDistribution: usa\nOrganization: University of South Dakota\nLines: 956\n\n\n\n------------ Part 13 of 14 ------------\nMTM(]/3V9F0->7EY>7EZ[N[LJ*GK?W]]\'1T>EI:6EI:6E1T=\'1Z4+I:5\'1Z4+\nM"V;$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS%F9@L+\nMI4=\'WWJ[`YD]TM+2<1D9L%/MBS3%9P],3$R)B8F)B8F)B8F)B8F)B8E,3$P/\nM9\\\\4TB^U3&7$]F0->*GK?1Z4+9C&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ,3$9F9F9F;$\nMQ,1F"PL+I:5\'1]_?>BHJ*BJ[NUY>`P.9F9F9F9F9F9F9F9F9F9F9F9F9`P,#\nM`P.9F9D]/3W2TG%Q<1D9&1D9<7%QTCT]F9D#`P,#`UY>7KN[*M]\'1Z6EI0L+\nM"PL+"Z6EI:6EI:6EI:4+9L3$Q,3$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AS\'$Q&8+"Z5\'WRI>`YF9F3T]/=)Q&5/MBS3%9P],3$Q,3$Q,\nM3$Q,3$Q,3$Q,3$P/9\\\\4TB^U3&7$]F0->NRIZWT<+9C&\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,<3$Q,1F9F8+"V9F9F9F9F9F"PNE1T=\'W]]Z*KM>7EY>`P.9F9D]/9F9F9F9\nMF9F9F9F9F0,#`YF9F9F9F9F9F9F9F9D]TM)Q<1D9&;"P&1D9&1EQTM+2/3V9\nMF9F9`P->N[LJ>M]\'I0L+"PL+"PL+"PL+"PL+"PMF9L0Q,8<Q,3$Q,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9F9F9@M\'WWHJNUY>7@.9/=(9\nML%.+-#3%9V</#P\\\\/#P\\\\/#TQ,3$Q,3`]GQ<4TB^VP&=(]F5Y>NRIZWT<+9C&\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AS\'$9F8+"Z6EI:6EI0L+"PL+"PL+"Z6EI:5\'WWIZ*EY>\nM`P,#`P,#F9F9F9F9F9F9F9F9F9F9F9F9F0,#`P,#`YF9/3T]/3T]/3W2TG%Q\nM&1D9&1D9&1EQ<7%Q<7%QTM(]F0,#7KN[*BIZWT>EI:4+"PL+"V8+"V9FQ,0Q\nM,<3$,3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3$Q\nMQ&8+1]_?>GHJNUX#F=(94^V+BS0TQ<5G9V=G9V=G9P\\\\/#V?%-(OM4[`9<=(]\nM`UZ[*BIZ>M^E9C&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F9@L+I4=\'1T=\'1T>EI:6E\nMI:6EI0L+"PL+"Z5\'1]]Z*KN[7EX#`YF9F9F9F9F9F9F9F9F9`P,#`P,#`YF9\nM/3T]/3T]/3W2TM+2<7%Q<7%Q<7%Q<7%Q<7%Q<7%Q<7\'2/3V9F0->N[LJ>M]\'\nM1Z6E"PL+9F;$,3$Q,<3$,3&\'AS&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'A\\\\1F"PL+I4??>EZ9/7$9&5/MBS0TQ<7%9V=G9V=G\nM9\\\\7%-(M34QD9TCV9`UZ[NRIZ>M]\'9C&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F9@L+\nM"PL+I4??W]_?W]_?W]]\'I0L+"Z6EI:6EI:6E1T??>GHJN[M>7EY>`P,#`P,#\nM7EY>`P,#`P.9F9F9F9F9F9F9F3T]/3T]TG%Q<7%Q<7%Q<7%Q<=+2<7%Q<7%Q\nM<7\'2TM(]/9F9`UZ[NRIZWT>E"PL+9L3$,8>\'AX<Q,8>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+I=\\\\JNP.9/=)Q\nM&5/MBS0TQ6=G9\\\\7%Q<4T-(OM4[`9<=*9`P->N[LJ>M]\'"V8QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\',<3$9F9F9@L+I:5\'1T??>GIZ*BJ[N[N[NRIZ>M_?W]_?W]]\'1T=\'1T??\nMWWHJ*KN[N[M>7EY>7EY>7EY>7@,#F9F9F9F9`P,#`P.9F9F9`YF9F9D]/=+2\nMTM+2TG%Q<7%Q<7%Q<7%Q<=+2TM(]/9F9`P->N[LJ>M]\'I0MF9L0QAX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX<QQ&:EWWJ[7@,]TG$94^WMB\\\\7%9V?%Q30TBXOM4[`9<=(]F9D#7KLJ>GI\'\nMI0O$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX<Q,<3$Q&9F"PL+"Z6E1T??>BHJN[M>`P,#7EY>`P->\nM7EZ[NRHJ*BHJ*BHJ>GIZ>BHJN[M>N[N[N[N[N[N[N[N[*BHJ*BJ[N[N[NUY>\nM7@,#`P,#`P,#`P,#`YF9F9D]/3W2TM+2<7%Q<7%Q<7\'2TM(]/3T]/9D#`UZ[\nMNRK?1Z5FQ,0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX<Q9J7?>BJ[`YD]<1FP4^V+BS0T-(N+[5-34[`9\nM<=+2/9D#7KLJ>GK?1PMFQ(>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$Q,3$Q,1F9@L+I4=\'W]]Z*BJ[\nM7EY>`P.9/3T]F9F9F9F9F9F9`UY>7EY>N[N[N[N[NRHJ*BJ[*BJ[*BIZ>GHJ\nM*GIZW]_?W]_?W]_?>GIZ>BHJN[N[7EY>7EY>N[M>7@,#`P,#F9D]/3T]/=+2\nMTM)QTM+2TCT]/3V9`UZ[NRIZWT>EI0MF,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'A\\\\0+I4??>KM>7@.9TG$9\nML+!34U-34["P&1EQ<=+2/9D#`UY>*GI\'I:4+9L2\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<3$9F9F\nM"PL+"Z6E1T??>BJ[NUX#F9D]TM+2TM+2<7%Q<7%QTM+2TM+2TM(]/9F9F9F9\nMF0,#`P,#7EZ[NRHJ>GIZ>M_?1T=\'1]_?1T=\'1T=\'1T=\'WWIZ>BHJ>GHJ*BIZ\nM*BJ[N[N[NUY>`P,#F9F9F9F9F9F9F9D]/3V9F0->7KN[*GK?1T>E"V;$AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMQ&8+I4??>BJ[7@.9/=)Q&1FPL!D9&7%QTCT]F9F9`P->NRK?I0MFQ,3$AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\',<3$9@L+I:5\'W]]Z>GHJN[M>7@.9/=+2TG$9&1D9&;"PL+"P\nML!D9&1FPL!EQ<7\'2TM+2TM+2/9D#`P,#7EZ[NRHJ>M]\'1Z6E"PNEI:5\'I:4+\nM9F8+I:5\'1T??W]_?W]]Z>GHJ*BHJ>GIZ*BHJN[N[7EY>7EY>7@,#7@,#`UY>\nMN[N[NRHJ>M]\'I:4+9L0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\',68+1]]Z*KM>`YD]TG%Q<=+2TM(]/3V9F9F9F0->\nMNRIZ1PMFQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F"Z5\'W]]Z*KN[N[N[NUX#F9F9\nMF9D]/=)Q<1D9L+!34U-34U-3L%-34^U34[`9&1D9<7%QTM+2/9D#7EZ[*BIZ\nM>M]\'I0MFQ#$Q,3$QQ,0Q,3\'$Q&9F9@L+"Z6E1]_?>GIZ>GIZ>M_?1T=\'1T??\nMWWIZ>GIZ>GHJ*BHJ*BIZ>GIZW]]ZW]_?1Z4+Q,0QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ`M\'WRJ[7EX#F9D]/3V9\nMF9F9`P,#`P,#`P->7BIZWT<+Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F"Z6E1T??\nMWWIZ>BHJN[N[NUX#F9F9F9F9F3T]TM)Q&1D9L+"PL+"PL+!34U-34U-3L+"P\nM&1EQ/9D#7@->NRHJ>GIZW]]\'I0O$,3&\'AX>\'AS\'$Q,0Q,3\'$Q&9F"PL+"Z5\'\nMW]]Z>M_?WT=\'I:6E"PL+"PL+I:6EI4=\'W]_?W]]\'1T>E"PL+"PL+9L3$Q#&\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS%F\nMI4=Z*KM>7@,#`P,#7EY>7EY>7EY>7EY>7KMZWT>E"\\\\0QAX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS\'$9@NE1T??WWIZ>BHJ*BHJ*BHJ*KN[NUY>`P,#`P,#F9D]TG%Q<1D9\nM&1D9L+"PL+"P&1EQTM+2TCV9F0->N[N[*BIZ>GIZ>M_?1Z4+"\\\\0QAX>\',<3$\nM9F9F9F9F9@L+"PL+9F8+"T=\'W]_?1Z6E"PMF9L0Q,3$Q,<3$Q,3$Q,1F9F9F\nM9L3$,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'Q&:EWWHJ*KN[N[N[N[N[N[N[N[N[N[N[NRIZWT>E"V;$\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX<Q9@NEI4=\'1T??W]_?>GIZ*BHJ*GIZ*BHJ*BJ[\nMN[N[NUY>`YD]/3W2TM+2TM+2<7%Q<7\'2TM+2/3V9F0->7EY>NRHJ>M]\'1T=\'\nMW]_?1T=\'1T>EI:4+"PL+"PL+"PL+"PL+9F9F9F8+"Z6EI:6EI:6E"PMFQ,0Q\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS$Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX?$9J5\'WWHJ*BHJ*BHJ*BHJ*BHJ\nMN[N[NRIZ>M^E9L0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',68+I4??>GHJ>GIZ\nM*BJ[N[N[N[N[N[LJ*BHJ*KN[7EX#`YF9/3T]/=+2TM)Q<7%Q<7%Q<=(]F9F9\nM`UY>N[LJ*BIZW]]\'1Z6E1T??W]_?W]_?W]_?W]_?WWIZWT=\'I:4+"V9FQ,1F\nM9F9F9F9FQ,1F9F9F9L3$,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9F9F9F;$Q#$QQ,0Q,8>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS%F"Z7?\nM>GIZ>GIZ*BHJ*BHJ*KN[*BIZWT>E"V8QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX<QQ&8+"Z5\'1]_?>GHJN[N[7EY>7EY>7EY>7EY>7EY>7@.9F3T]TM)Q\nM<7%Q<7%Q<7%Q<=(]/9F9`UY>N[LJ*BIZ>GK?W]]\'1T=\'1]_?>GIZ>GIZ*BHJ\nM*BIZWT=\'I:6E"PL+9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9@L+I:6EI:4+\nM"V9F9F9F9L3$Q#$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\',68+1]_?>GIZ>GIZ>GIZ>BHJ*GK?WT>E"V;$,8>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F9@NEI4=\'WWHJN[M>`P,#`P,#\nMF9F9F9F9F9F9/=+2<7%Q&1D9&1D9&1EQ<=(]F0->7KN[*BIZ>GK?WT=\'I:6E\nMI:6EI4=\'W]]Z>GIZ>BHJ*BIZ>M]\'I0MF9F;$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS\'$9@L+I4=\'W]_?1T>EI:6E"PL+"PL+"V9F9L3$Q#$Q,3$QAX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS%F"T=\'W]_?W]_?W]_?WWIZ>M_?1T>E\nM"V;$,3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$Q&8+\nM"Z5\'1]]Z*KM>`P.9F9D]/3T]TM+2TM+2TG%Q<7%Q&1D9&1D9L+"P&1EQTCT]\nMF0->NWK?W]]\'1Z6E"PL+"V9F9F9F"PNE1T=\'1T??WT=\'I:6EI0MFQ#&\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+I4=\'1]]Z>GIZW]_?WT=\'1T=\'1T=\'\nM1Z6EI0L+"PMF9F9FQ#$Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX?$9@NE1T=\'1T=\'\nM1T=\'1]_?WT=\'1T>EI6;$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,<3$Q,3$Q,3$Q,0Q,8>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\',<1F"Z5\'W]]Z*KM>7@.9/3W2TM)Q<7%Q<7$9&1D9&1D9\nML+`9&1FPL+`9&7%QTCT]/9D#NRIZWT=\'I0MF9L3$,3$Q,3$Q,3\'$Q,3$Q&9F\nM9F9F9L3$,3$Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3\'$9F8+"Z5\'1]_?\nM>GIZ>GIZ>GIZ>GIZ>GIZW]_?WT=\'1T=\'1Z5\'1Z6E"PL+9F;$Q#$QAX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\',<1F"Z6EI:6EI:5\'1T=\'1T=\'I:6EI0MFQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3\'$Q,1F\nM"PNEI4=\'1T=\'1T>E"V;$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX?$9@NE1]]ZNUX#`YF9/3W2\nMTM+2TG%Q<7%Q<7$9&;"PL+"PL+`9&1EQ<=+2/9F9`[LJ*GK?WT>E"V9FQ#&\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,3$Q,<1F9@NEI:6E1T??W]]Z>GHJ*BHJ*BHJ*BHJ*BHJ*BIZ>GIZW]_?W]_?\nM1T=\'1T>EI0L+9L3$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AS%F9@L+I:6EI:6EI4=\'1T>EI:6EI0MFQ,0QAX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAS\'$Q,0Q,<3$9@NE1T=\'W]]Z>GIZ>GIZWT>EI0L+"PMFQ,0QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q\nMQ&:E1WHJNP,#F9F9/=)Q<7%Q<7%Q<7%Q<7%Q<7%Q<7%Q<7%Q<=+2/3V9`UZ[\nM*BK?1Z6E"V;$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\',<3$9F9F"PNEI4=\'1T=\'W]_?W]]Z>BHJN[N[N[N[\nMN[M>7KN[N[N[*BHJ*BHJ*BIZ>GK?W]]\'1T>E"PMFQ#&\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+I:6EI:6E1T=\'1T>E\nMI:6EI:4+9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AS$Q,3\'$Q,1F"Z5\'W]_?>GHJ*KN[N[N[NRHJ*GK?W]]\'\nMI0MF9L0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AS\'$9@NE1]]Z*KM>7@,]/=+2<7$9&1D9<7%Q<7\'2TM+2\nMTM+2TM(]/3V9F0->NRIZWT>E"PMFQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX<QQ,1F9F9FQ,3$,3&\'AX>\'AX>\'AX>\'AX>\',<3$9F8+"Z6E1T=\'W]_?\nMW]_?W]_?>GHJ*KN[NUY>7EY>7EX#7EY>7EY>N[N[N[N[N[LJ*BIZ>GIZ>M]\'\nMI0MFQ(>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F\nM"Z6EI:6EI:6EI4=\'I:4+"PL+9L3$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,3$9@NE1]]Z*KN[N[N[NUY>\nM`P,#`P,#`UY>NRIZ>M]\'I0MF9L3$Q,3$Q,3$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ,1F"Z6E1]]Z*KN[7EX#`YF9\nM/3W2TG%QTM+2TCT]TM+2TCT]F9D#`P->NRHJ>GI\'I0MF9L0QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'Q&8+"PL+"PMF9F9F9L0QAX>\',3$Q,<3$\nMQ,3$9@L+"Z6E1T??W]]Z>GIZW]_?>GIZ>BHJN[M>7EY>`P,#`P,#`P,#`P->\nM7EY>7EY>7EZ[N[N[NRHJ>M]\'I6;$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AS\'$9@L+I:6EI:6EI:6EI:6E"V9FQ,3$,3$QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9F8+I4=\'\nMWRJ[7@.9F9F9F9F9F9F9F9F9F9F9F0->NRIZ>M_?1T>EI0L+"PL+"V9FQ#$Q\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,3$9F8+\nM"Z6E1T??>BHJ*KM>7@.9/3T]/3T]/3T]F9F9F3T]/9D#7EZ[*GK?WT=\'1Z4+\nM9L0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$Q`NEI:6E\nMI:6EI:4+9F;$Q,3$9F9F9F9F9@L+I:5\'1]_?WWIZ>GIZ>GIZ>GIZ>GHJ*KN[\nMNUY>7@,#`P.9F9F9F9D#`P,#`P,#`P,#7EY>7EY>N[LJ>M]\'I0O$,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&9F9@L+"PNEI:6EI:4+"V9F9L3$\nM,3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS\'$9@NEI4??>KM>`YD]/3W2TM+2TM+2TM+2/3T]/3T]F0->N[LJ>GK?\nMWT=\'1T=\'I:6E"V9FQ,0Q,<3$Q,3$Q,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX<QQ,1F9@L+I:5\'WWIZ*BJ[NUY>`YF9F9F9/3T]F0,#7EY>\nM7KN[*GK?W]_?WT=\'"V;$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AS\'$9@L+I4??W]_?W]_?W]]\'I:4+"PL+"PL+"PNEI:5\'1]_?>BHJ\nMN[LJ*BHJ>GIZ>GIZ>BJ[N[M>7@,#`P.9F9F9F9F9F9F9F0,#`P,#`P,#`P,#\nM`P,#7KN[*M]\'I0MF,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,<1F9@L+"PL+\nM"PNEI:4+"V9F9F;$,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\',<3$9@NE1T=Z*EZ9/=+2<7%Q&1D9&1D9&1D9<7$9\nM<7\'2TM(]/9D#`UY>NRHJ*BHJ>GK?WT=\'I:6EI:6EI4=\'1Z6E"V;$,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\',3$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ&8+"Z5\'W]]Z*BJ[N[M>\nM7@,#F9F9F9D#`P,#7EZ[*GK?1Z6EI:6EI:6E"\\\\0QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9@NE1]_?>BHJ*BHJ*BHJ*GK?WT=\'\nM1T=\'1Z5\'1T??W]]Z>BHJN[N[N[N[*BHJ>GIZ>BHJ*KN[7EX#`P.9F9F9F9F9\nM/3V9F9F9F9F9F0,#`P.9F9F9F0,#7EZ[*GK?1PMFQ#&\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS\'$9F8+"PL+"PL+I:4+"V;$Q,3$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<3$9@NE1]]ZNUX#/=(9L+!3\nM[>WM[>WM4U-34["PL!D9&1EQ<=+2/9F9`P,#`P,#7KN[N[N[*BHJ>BHJ*BHJ\nM*GK?WT>E9L0Q,3&\'AX>\'AX>\'AX>\'AX>\'AS\'$9F9F9F;$,3&\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q,3$Q\nM,<1F"PNE1T??W]]Z>BHJN[N[7EY>7EZ[N[LJ*BHJ*GK?I0L+9F9F9F9FQ#&\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3\'$9F8+I4??\nM>GHJN[N[N[N[N[LJ*GIZ>GIZ>M_?W]]Z>GIZ*BHJN[N[NUY>N[N[*BHJ*BHJ\nM*BJ[NUY>`P,#F9F9F9D]/3T]/3V9F9F9F9F9F9D#`YF9F9F9F0,#7KN[*GK?\nM1Z4+Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+"PL+"Z6EI:6E"PMFQ,3$Q,0Q,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F9@NE\nM1WHJ7@.9/=(9L%/M[8N+-#0T-#2+BXOM[5-34U.PL+`9<7\'2TCT]/9F9F0,#\nM`UY>7EY>7EX#7EY>7KN[*GK?1Z6E"PMF9L0Q,8>\'AX>\'AS$QQ&9F"PNE1T>E\nMI0L+9F;$Q,3$Q,0Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AS$Q,3\'$9F9F"PL+"Z6E1T??WWIZ>BIZ*BHJ*GIZ>GIZ>M_?\nM1Z4+9F9F9F9FQ#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX<Q,<3$Q&9F"Z5\'WWIZ*KM>7EY>7KN[N[N[NRHJ*BHJ>GIZ*BHJ*BJ[\nMN[M>7KN[7EY>N[N[N[N[N[N[NUY>7@,#`YF9F9F9/3T]/3T]/3T]/3T]/9F9\nMF0,#`YF9F9F9`P->7KLJ>GI\'I0MFQ#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<0+"Z6EI:6EI:6EI0MF\nM9F;$Q,3$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\',<1F9@NEWWJ[7@,]TG$94^V+BS0TQ<5G9\\\\7%-#0TBXN+B^WM[5-3\nM4[`9&7%QTM+2/3T]F9D#`P,#`YF9F9D#`P,#7KN[*GIZW]]\'1T>EI:6EI:4+\nM"PL+"PNEI4=\'W]_?W]]\'1T>EI:4+"PMF9L3$Q,3$Q,0Q,3$QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AS&\'AX<Q,3$Q,3&\'AX<Q,3$Q,<3$Q,1F9@L+9F9F9@NEI4=\'\nMW]]Z>GIZ>GIZW]]\'1T=\'I0MF9F9F9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,<1F9F8+"Z5\'WWHJN[N[N[N[N[N[\nMN[N[N[LJ*KN[NRHJ*KN[NUY>7EX#`UY>7EY>7KN[NUY>7EX#`P,#`YF9F9D]\nM/3T]/3T]/3T]/3T]/3T]/9F9F9F9F9F9F9D#`UZ[NRIZWT=\'"V;$Q#&\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS%F\nM"PNEI:6EI4=\'I:4+"V9F9F;$Q,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F"PNEWWJ[7@.9TG$94U/M[8LTQ6=G9P]G\nMQ<7%-#0TBXN+[>WM4U.PL+`9&7%Q<7\'2TM(]/9F9F3T]F9F9`P,#`P->7KN[\nM*BHJ*BIZ>BHJ*GIZ>GK?W]_?W]_?>GIZ>GIZ>GIZW]]\'WT=\'I:4+I0L+"PL+\nM"V9FQ,3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,3$Q,3&\'AX<Q,3\'$Q,0QAX>\'AX>\'AX<Q\nMQ,3$9F9FQ,1F9@L+"Z6EI:5\'1T=\'1T=\'1T>EI0L+9F;$Q,3$Q&9F9L0QAX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$Q,1F\nM"PL+I4??>GHJ*BHJ*KN[N[N[N[N[N[LJN[N[N[N[N[M>7EX#`P.9F0,#`P->\nM7EY>7@,#`P,#`P,#F9F9/3T]/3T]/3T]/3T]/3T]/3T]/3V9F9F9F9F9F0,#\nM7EZ[*GK?1Z4+9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX<Q9@NEI:6EI4=\'1T>EI0L+"V9FQ,3$Q#$Q,8>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F"PNE1]\\\\JNP.9/=)Q\nM&;!34^V+BS3%Q6=G9V?%Q30TBXN+B^WM4["PL+"P&1D9&7\'2TM(]F9D#`P,#\nMF0,#`P->7EY>7EY>7EY>7KN[N[N[7EY>7EZ[N[N[N[LJ*BHJ>BHJ*BHJ*BIZ\nMW]_?WT=\'1T=\'1Z6EI0L+9F;$Q#$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3$Q,3&\'AX>\'AS$Q\nMQ,3$Q#$QQ#$Q,3$QQ,1F"PL+"PL+I0L+"PL+"PL+"V9F9@L+"Z5\'1T=\'I:6E\nM"PMF9F9F"PL+"PL+"PMFQ#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX<Q,<1F9F8+"Z5\'1]]Z>GHJ*BHJ*BJ[N[N[N[N[N[N[N[N[\nMN[M>7EY>`P,#F9F9F9D#`P->7EX#`P,#`P,#`YF9F9D]/3T]TM+2/3T]/3T]\nM/3T]/3T]/3T]F9F9F9F9F0,#7EXJ>M]\'I0MFQ,0QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',68+I:6EI4=\'W]]\'1Z6E"PMF9L3$\nMQ,3$Q,0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX?$9F8+\nM"Z5\'WWHJNUX#F3W2<1FP4U/M[8LT-,7%9V=GQ<7%-(N+[>U34U.PL+`9&1D9\nM&7%QTM(]F9D#`P,#`YF9`P,#`UY>7@,#`P,#`P,#`P->`P,#`P,#`P,#7EY>\nMN[N[*BHJ*BHJNRHJ>GK?W]_?1T=\'I:6E"PMF9L3$Q#$Q,8>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,3$Q,8>\'AX>\'\nMAX>\'AX<Q,8>\'AX>\'AS$Q,3$Q,<3$9F;$Q,1F9@L+"PL+"PNE1T=\'1T=\'1Z6E\nMI:4+9F8+"Z5\'1T=\'1T>EI:6EI:5\'1T=\'1]_?WT=\'I0O$AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,<3$9F8+"Z6E1]_?WWIZ>BHJ\nM*BHJN[N[N[N[N[N[N[N[N[M>7EY>7@,#`YF9F3V9F9D#`P,#`P,#F9F9F9F9\nMF9F9F3T]/3W2TCT]/3T]/3T]/3T]/3V9F9F9F9F9F9D#`P->7KLJ>D>E"V;$\nMQ#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'A\\\\1F"Z6EI:5\'\nM1T=\'1Z6EI0L+9F9F9F9FQ,3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AS\'$Q&9F"Z6E1]]Z*KM>`YG2<1D9L%-3[>V+BS0TQ<7%Q<7%-#2+\nM[>U34U.PL+`9&1EQ<7\'2TM+2TCT]/3T]F9F9F9F9F9F9`P,#`YF9/3T]F9F9\nM/3T]F3T]/9F9F9D#`UY>7EY>7EY>7EY>N[LJ*BIZW]]\'1T>EI0MF9L0Q,3$Q\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\',3$Q,3$Q,8>\'AX>\'AX>\'AX>\'AX<Q,3$Q,3$Q,<1F9F8+"Z6EI:4+"PMF\nM9F8+"Z6E1T=\'1]_?1T=\'1Z6EI0L+"PL+I:6E1T=\'1T=\'1Z6E1T??>GIZ>GK?\nM1Z4+"V;$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$\nM9@L+"PL+I4??W]]Z>GIZ>BHJ*BJ[N[N[N[N[N[N[NUY>7EY>7@,#`YF9F9F9\nM/3V9F9F9F0,#`YF9F9F9/3V9F9F9F3T]/3T]/3T]/3T]/3T]/3T]F9F9F9D#\nM`P,#`P,#`UZ[NRIZWZ4+9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AS\'$9@NEI:5\'1T=\'I:6E"PL+"V9F9F9F9L3$,3&\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F"PL+"PNE1T??>BJ[NUZ9/=)Q&;!34^WM\nMBXN+-#0T-#0T-(OM[5-3L+"PL+`9L+`9&1D9&7%QTM+2TM+2TM(]/3T]/3T]\nM/3T]F3T]/=+2TM+2TM+2TM+2<=+2/3T]F9D#`P,#`P,#`P,#`P->7KN[NRIZ\nMW]]\'1Z4+"V;$Q#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3$Q,8>\'AX<Q,3$Q,<3$Q&9F9F9F\nM"PL+"PL+I:5\'1T>EI:6E"PL+"Z6EI4=\'1]_?1T=\'1]_?W]]\'1T??W]]Z>GHJ\nM*BHJ*GIZ>BHJ>GIZ>M]\'I:4+"V9FQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,3&\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX<Q,<1F"Z6EI:5\'1]_?W]_?WWIZ>GHJ*KN[N[N[N[N[\nM7EX#`P,#`P,#`P.9F9F9F9D]/9F9F9D#`P,#`YF9F3T]F9F9/9F9F9F9F9F9\nMF9D]/3T]/3T]/9F9F0,#`P,#`P,#`UY>7KLJ>GK?1Z4+9L0QAX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9@NEI:6EI:6EI:4+"V9F9F9F9F;$Q,3$,3&\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F"PNEI:5\'1]_?WWHJ\nMN[M>`SW2<1FP4U/M[8N+BS0T-#2+BXOM[5-3L+"PL+"PL+"PL+"P&1D9&7%Q\nMTM+2TM+2TM+2TM+2TCT]/=+2TM+2<7%QTM+2TG%Q<7%QTM(]F9F9F0,#`P.9\nMF9F9F0,#7EY>7EY>NRHJ>M]\'I0MF9L0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q,3$Q\nM,3\'$Q,1F9F9F9F9F9F9F"PL+"Z6EI:6E1T=\'1T=\'1T=\'1T>EI4=\'W]]Z>BHJ\nM*KN[*BHJ*BHJ*KN[7KN[*BHJN[M>N[N[NRHJ>GK?1Z4+"V9F9F;$,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAS$QQ,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<3$9@NEI:6E1T??W]_?\nMW]_?>GIZ>GHJ*KLJN[N[N[M>`P.9F9D#F9F9F9F9`P.9F9F9F9F9F9D#`P.9\nMF9F9/3V9F9F9F9F9F9F9F9F9F9F9F9F9/3V9F9D#`P->7EY>7EZ[N[N[*BIZ\nMWT>E"PMFQ(>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9@NEI:6EI:4+"PL+"V;$\nMQ,3$Q,3$,<0Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,<1F\nM9@L+"Z6E1T??W]]Z*KM>`SW2<1D9L%/MBXN+BXLT-(N+B^WM[>U34U-34U-3\nM4U.PL+"PL+`9&1EQ<7%Q<7%QTM+2TM+2TM+2TM+2TM+2TM+2/3W2TM+2TM+2\nMTM(]F9F9F9F9`YF9F9F9F9F9F9D#`P,#`P->NRHJ>M]\'I0MFQ#&\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AS$QQ,3$Q,3$9F8+"V9FQ,3$Q&9F"PL+"Z6EI4=\'1]_?W]_?\nMW]_?W]]Z>GIZ>GHJN[M>7EX#`P,#`UY>7EX#`P->7KN[N[M>7EZ[N[N[*GK?\nM1T>E"PMF9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,3\'$9F8+"Z6E1T=\'1]]Z>GK?W]]Z>BHJ*BHJN[N[NUY>7@,#F9F9F9F9F3T]\nM/9F9`YF9F9F9F9F9F9F9F9F9F3T]/3V9F9F9F9F9F9F9F0,#F9F9F9F9F9D#\nM`P->7KN[N[N[NRHJ*BHJ>M]\'I0MF9L3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$9@L+\nM"PL+I:4+"PL+"V9FQ#$Q,3$Q,3$Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\',3\'$Q&9F9@NE1T??WWIZ*KM>`YD]TG$9L%/MBXN+BS2+BXN+\nMB^WM[5-3[5-34U-34U-34U-3L+"PL+`9&1D9&1EQ<=+2TM+2TM+2TM+2TM+2\nMTM(]/3T]/3T]/3T]/3T]/3V9F9F9F9F9`P,#F9F9F9F9F9F9F9F9F0->N[LJ\nMWT>E"V;$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ,1F9F8+9F9F9F9F9@L+"PL+"Z6E\nMI4=\'W]_?W]_?W]]Z>GHJ*BHJ*BJ[N[N[7EY>`P,#`YD#`P,#`UY>7EY>7EY>\nM7KN[*BJ[N[N[N[N[NRHJ>GK?WZ4+"V;$,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F"PNEI:5\'1T=\'1]_?>GIZ>GIZ*BHJ*BHJ\nMN[N[7EY>`P.9F9F9F3T]/3T]/9F9F9F9F9F9F9F9F9F9F9F9/3T]/3T]/9F9\nM`P,#`P,#`P,#`P,#`P,#7EY>7EZ[*BHJ*BHJ*GIZ>GK?1Z4+"V;$Q#&\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX<Q9F8+"PL+"PL+"V9F9F9FQ,0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q,3\'$9@L+"Z5\'WWIZ*BJ[NUX#/=(9\nML%/M[8N+-#0T-#0TBXN+BXN+[>WM[>U34U-34U.PL+"PL%-3L+"PL+`9&1EQ\nM<7\'2TM+2TM+2<7%Q<7\'2TM+2TM(]F9F9F9D]/3T]F9D]F9F9F9F9F9F9F9F9\nMF9F9F9F9/3V9F0->NRIZWT<+9F;$,3$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$QQ&8+I4=\'1]_?\nMW]_?W]]\'1T=\'1T??W]_?W]]Z>BHJ*BJ[N[N[7EY>`P,#`P,#F9F9F9D]F3T]\nMTM(]/3V9F0,#`P,#7@,#`P,#`UY>7EY>7EY>7KN[*BIZWZ6E"V;$Q,0QAX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ&9F9@NEI:6E\nMI4=\'1T??>GIZ*BHJ*BHJ*KN[N[N[7@,#`YF9/3T]/3T]/3T]/3V9F9D]/9F9\nMF9F9F9F9F9F9/3T]/3V9F9D#`UY>7EY>7EY>7EY>7EZ[N[N[*BIZ>GIZ>M_?\nMW]_?WT=\'I0MFQ,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+"PL+"PMF9F9F9F;$Q,0Q,8>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3$QQ&8+I:5\'\nM1T??>BHJNP.9/=)Q&5/M[8N+BS0T-#0T-#0T-#0T-(N+BXN+[>WM[>WM[>WM\nM4U-34U-34U-3L+"P&7%Q<=+2TM+2TG%Q<7%Q<=+2TM+2TCV9F3T]/3T]/9F9\nMF9F9F9F9F9F9`P.9F9F9F9F9/3T]/3V9`UZ[*GK?1Z4+9F;$Q,3$,3$QAX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QAX>\'AX>\'AX>\'AX>\',3\'$\nMQ,3$Q&9F"Z6E1T??W]]Z>BJ[N[N[N[N[N[N[N[N[*BHJN[M>7EX#`P.9F9D]\nM/3T]TM)Q<7$9&7%Q<1D9&1D9&1D9<7%Q<7\'2TM+2TG%Q<=(]F0->7EY>7KN[\nM*BIZWT>E"V;$Q,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AS\'$Q&9F"PL+"Z6EI4=\'1T??>GIZ>BHJ*BHJN[N[NUY>7@,#F9D]\nM/=+2/3T]/3T]/3T]/3T]/3V9F9F9F9F9F9D]/3T]/9F9F0,#7EY>7KN[N[N[\nMN[N[*BHJ*GIZW]]\'1T=\'1T=\'1T=\'1Z6E"V;$Q#$QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+"PL+"V9F9L3$\nMQ,3$Q,3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX<Q,<1F"Z6E1]]Z>BHJNUX#F3W2<1FP4U/M[8N+-#0T-#0T-#0T-#0T\nM-#0T-#0TBXN+BXOM[8N+BXOM[>WM[5-3L+`9&1EQ<7%Q<7%Q<7%Q<=+2TM+2\nM/3T]/9F9F3T]/9F9F9F9F9F9F3T]/3T]/9F9F9F9F3T]/3T]/9D#7KLJ>M_?\nM1Z4+"V9F9F;$Q,0Q,3$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q,<3$Q,3$Q,3$Q,3$Q,3$\nMQ,3$Q&9FQ,3$Q&;$Q,3$9F8+"Z5\'1T??WWIZ*KN[7@,#`YF9/3T]/3V9F9F9\nM`P,#`P,#F9F9/3T]TM+2<7%Q&1FPL%-34U-34^WM[>WM[>WM[>V+B^U34U.P\nML+"PL+`9&7%QTM(]/9D#7KN[*BIZWT<+9F9FQ,3$Q#$QQ,0Q,3$QAX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS\'$Q,1F9F8+I:6E1T=\'1]_?>GIZ\nM*BHJ*BHJ*KN[NUY>`P.9/3T]TM+2TM(]/3T]/3T]/3T]/3V9F9F9F9F9F9D]\nM/3T]/9F9`P->7EY>NRHJ>GIZ>GK?>GK?WT>EI0NE"PL+"PNEI:6EI0L+9L0Q\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,<1F9F8+9F;$Q,3$Q,0QQ,3$,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&8+I4=Z*KN[7EX#`YD]TG$9L+!34U/M\nM[8N+-#0T-#3%Q<7%Q<7%9V?%Q<4T-#0T-#0T-#0T-#2+B^WM[5-3L+"P&1D9\nM&1D9&1D9<7%Q<7%Q<7\'2TM(]/3W2TCT]/3T]/3T]/3T]/3T]/3T]/9F9F9F9\nM/3T]/9F9`UZ[NRHJ>M_?1Z6EI0L+9F9F9F9F9L3$,3$Q,8>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,<3$Q&9F9F9F\nM9@L+"PL+"PL+I0L+"PL+"PL+I:6EI0L+"V8+"PL+I4??WWIZ*KN[7EY>`YF9\nMF3T]TM)Q<7%Q<7%Q<7%QTM+2/3W2TM+2<7%Q&1D9&;"P4^WMBXN+BXN+BS0T\nM-,7%Q<7%Q<7%Q<7%Q<4TBXOM[5-34U-3L+`9&1EQ<=*9`UZ[*GK?1Z6EI0L+\nM9F8+"PL+9F;$Q,0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$Q\nMQ,1F9@NEI4=\'1]_?W]_?>GIZ>GIZ*BHJ*BJ[N[M>`YF9/3T]TM+2TM(]/3T]\nM/3T]/3T]/3V9F9F9F9F9/3T]/=(]/9D#`P->7KLJ>GK?1T>EI:6E1T>EI0L+\nM9F9FQ,1F9F8+"PL+"V9FQ#&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\',<1F9F9F9F;$Q,3$,3$QQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\',3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<1F"Z5\'WRHJN[M>\nM`P.9/=)Q&1FPL+!34U/MBXN+-#3%Q<7%9V=G9V=G9V?%9V=GQ<7%Q6=GQ<4T\nMBXOM[5-34U-34U-3L+"PL+"P&1D9&1EQ<7%Q<7\'2TM+2TM+2TM+2TM+2TM(]\nM/3T]/3T]/3V9F9F9F9F9F9F9`P,#7KN[*BIZ>GK?1T=\'1T=\'I:4+"PL+9F9F\nMQ,0Q,3$Q,3$Q,3$Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,3$QQ,1F9F9F"PL+"PNEI:6EI4=\'1T=\'I:6EI:6EI4=\'1T=\'1Z6EI:5\'W]]Z\nM*BJ[7EY>`P.9F9D]/3W2TG%Q<1D9L+"PL+"PL+"PL+`9&1D9&1FPL+"PL%-3\nM4^V+-,7%Q<7%9V=G9V=G#P]G9V=G9V=G9V</#V?%Q<7%-#2+BXN+B^WM4U.P\nM&1EQTM(]F0->NRK?WT=\'I:4+"PL+9F9FQ#$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ,1F"Z6EI:5\'1]_?W]_?W]_?W]]Z>GHJ*BHJ\nM*KM>`YF9/=+2TM+2TCT]/3T]/3T]/3V9F9F9F9F9F9D]F3T]/3T]F9D#`UY>\nMNRIZWT>E"PMF9F9F"PMFQ,3$,3$Q,3$QQ,1F9F9F9L0QAX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',<3$Q&9F9F9FQ,3$Q#$Q,3$QAX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nM,<1F"Z6E1]]Z*BJ[7@.9/=+2<1D9&;"PL%-34^V+BS0TQ<7%Q<5G9V=G9V=G\nM9V=G9V=G9V=G9V?%Q32+B^WM[>WM[8OM[5-3L+"PL+`9&1D9<7%Q<7%Q<7%Q\nM<7%Q<7%Q<7%Q<7\'2TM+2TM+2TCT]/3T]/9F9F9F9F0,#`P->7KN[*BHJ>GIZ\nMW]_?WT=\'1T>EI0L+"V9FQ,3$Q,3$Q,3$Q,3$,3&\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX<Q,<3$9F9F"PNEI:6EI:6EI4=\'1T=\'1T=\'1T=\'1T??\nMW]_?WWIZW]_?W]_?>BJ[7@,#F9F9/3T]/3W2<7$9&1D9L+"P4U-34U-34U-3\nM4^WM4U-34U-3[>WMBXN+-#3%9V</#P\\\\/3$Q,3$Q,3$Q,3$Q,3$Q,3`\\\\/#P\\\\/\nM#P\\\\/9V?%Q<7%-#0TBXOM4[`9&7\'2/9D#7KLJ>GK?1T>E"PMFQ,0Q,3&\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<QQ&9F"PL+I:5\'\nM1T=\'1T=\'1T??W]]Z>GIZ*BHJNUX#`YD]/=+2TM+2/3T]/3T]/3V9F9D#`YF9\nMF9F9F9D]/3T]/3T]F9D#7KLJ>M]\'I0L+9L3$Q,3$Q#$QAX>\'AX>\'AX<Q,3\'$\nMQ,0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AS$QQ,3$Q,1F\nM9L3$Q,0Q,3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$Q,3$Q,8>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AS\'$9@NE1T??>BHJN[M>`YD]TG$9&;"PL%-34^WMBXN+\nM-#0T-#0TQ<7%Q<5G9V?%9V</#P\\\\/9V=GQ<4T-#0T-#2+BXN+B^WM[5-34U-3\nML+`9&1D9&1D9&1D9&1D9<7%Q<7%Q<7%Q<7%Q<7%Q<7\'2TM+2/3T]/3T]/9F9\nMF9D#`UY>N[N[*BHJ>GIZW]]\'1]_?WT=\'I:4+"PL+"PL+"PL+9F9F9F;$Q#$Q\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3$QQ,1F9F8+"PL+"Z6EI:6E\nMI4=\'1T=\'1T=\'1T??W]_?WWIZ>GIZ>GIZ>GHJ*KM>`YF9/=+2<7$9&1D9L+"P\nM4U-3[>WM[>WM[>WM[>V+BXLT-#0T-#0T-#0TQ<5G9V</3$Q,3$Q,3$Q,3$Q,\nMB8F)3$Q,3$Q,3$Q,3$Q,3$Q,3$P/#V=G9\\\\7%-#2+B^U3L!EQTCV97KMZ>M_?\nM1T>EI0MFQ,0Q,8>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\',3\'$9F9F"Z6EI:6EI4=\'1]_?W]_?>GIZ*BJ[7@,#`YD]TM+2\nMTM(]/3T]/3T]/9F9`P,#`P,#`YF9F9F9/3T]/3V9`UZ[NRIZWT>E9F;$,3$Q\nM,8>\'AX>\'AX>\'AX>\'AS&\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX<QQ,0Q,3\'$Q,3$,3$Q,<0QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX<Q,3\'$\nMQ#$Q,3$QAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'\nMAX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\'AX>\',3%F9@NE1]]Z>BJ[N[M>7@.9/3W2\n-------- End of part 13 of 14 --------\n',
 "Organization: Penn State University\nFrom: <SEC108@psuvm.psu.edu>\nSubject: Why the bible?\nLines: 38\n\n      One thing I think is interesting about alt.athiesm is the fact that\nwithout bible-thumpers and their ilk this would be a much duller newsgroup.\nIt almost needs the deluded masses to write silly things for athiests to\ntear apart. Oh well, that little tidbit aside here is what I really wanted\nwrite about.\n\n      How can anyone believe in such a sorry document as the bible? If you\nwant to be religious aren't there more plausable books out there? Seriously,\nthe bible was written by multiple authors who repeatedly contradict each\nother. One minute it tells you to kill your kid if he talks back and the next\nit says not to kill at all. I think that if xtians really want to follow a\ndeity they should pick one that can be consistent, unlike the last one they\ninvented.\n\n      For people who say Jesus was the son of god, didn't god say not to\nEVER put ANYONE else before him? Looks like you did just that. Didn't god\nsay not to make any symbols or idols? What are crosses then? Don't you think\nthat if you do in fact believe in the bible that you are rather far off track?\n\nWas Jesus illiterate? Why didn't he write anything? Anyone know?\n\n      I honestly hope that people who believe in the bible understand that\nit is just one of the religious texts out there and that it is one of the\npoorer quality ones to boot. The only reason xtianity escaped the middle east\nis because a certain roman who's wine was poisoned with lead made all of rome\nxtian after a bad dream.\n\n      If this posting keeps one person, just ONE person, from standing on a\nstreetcorner and telling people they are going to hell I will be happy.\n\n\n\n\n\n*** Only hatred and snap judgements can guide your robots through life. ***\n***                                    Dr. Clayton Forester             ***\n***                                       Mad Scientist                 ***\n\n",
 'From: cobb@alexia.lis.uiuc.edu (Mike Cobb)\nSubject: Re: After 2000 years, can we say that Christian Morality is\nOrganization: University of Illinois at Urbana\nLines: 23\n\nIn <sfnNTrC00WBO43LRUK@andrew.cmu.edu> "David R. Sacco" <dsav+@andrew.cmu.edu> \nwrites:\n\n>After tons of mail, could we move this discussion to alt.religion?\n\nYes.\n\nMAC\n>=============================================================\n>--There are many here among us who feel that life is but a joke. (Bob Dylan)\n>--"If you were happy every day of your life you wouldn\'t be a human\n>being, you\'d be a game show host." (taken from the movie "Heathers.")\n>--Lecture (LEK chur) - process by which the notes of the professor\n>become the notes of the student without passing through the minds of\n>either.\n--\n****************************************************************\n                                                    Michael A. Cobb\n "...and I won\'t raise taxes on the middle     University of Illinois\n    class to pay for my programs."                 Champaign-Urbana\n          -Bill Clinton 3rd Debate             cobb@alexia.lis.uiuc.edu\n                                              \nWith new taxes and spending cuts we\'ll still have 310 billion dollar deficits.\n',
 'From: ab@nova.cc.purdue.edu (Allen B)\nSubject: Re: Fractals? what good are they?\nOrganization: Purdue University\nLines: 51\n\nIn article <7155@pdxgate.UUCP> idr@rigel.cs.pdx.edu (Ian D Romanick) writes:\n> One thing:  a small change in initial conditions can cause a huge\n> change in final conditions.  There are certain things about the way\n> the plate tektoniks and volcanic activity effect a land scape that\n> is, while not entirely random, unpredictable.  This is also true with\n> fractals, so one could also conclude that you could model this\n> fractally. \n\nYeah, and it\'s also true most long complicated sequences of events,\ncalculations, or big computer programs in general.  I don\'t argue\nthat you can get similar and maybe useful results from fractals, I\njust question whether you >should<.\n\nThe fractal fiends seem to be saying that any part of a system that we\ncan\'t model should be replaced with a random number generator.  That\nhas been useful, for instance, in making data more palatable to human\nperception or for torture testing the rest of the system, but I don\'t\nthink it has much to do with fractals, and I certainly would rather\nthat the model be improved in a more explicable manner.\n\nI guess I just haven\'t seen all these earth-shaking fractal models\nthat explain and correlate to the universe as it actually exists.  I\nreally hope I do, but I\'m not holding my self-similar breath.\n\n> There is one other thing that fractals are good for:  fractal\n> image compression.\n\nUh huh.  I\'ll believe it when I see it.  I\'ve been chasing fractal\ncompression for a few years, and I still don\'t believe in it.  If it\'s so\ngreat, how come we don\'t see it competing with JPEG?  \'Cause it can\'t,\nI\'ll wager.\n\nActually, I have wagered, I quit trying to make fractal compression\nwork- and I was trying- because I don\'t think it\'s a reasonable\nalternative to other techniques.  It is neat, though. :-)\n\nI\'ll reiterate my disbelief that everything is fractal.  That\'s why I\ndon\'t think fractal compression as it is widely explained is\npractical.  I know Barnsley and Sloan have some tricks up their\nsleeves that make their demos work, but I don\'t see anyone using it in a\nreal product.  It\'s been six years since Iterated Systems was formed,\nright?\n\n\t"There are always going to be questions until there\'s a product\n\tout there," Sloan replies.  The company plans to ship its first\n\tencoding devices in the summer, he says.  In March, Iterated\n\tSystems will have the other half of the system: the decoders.\n\n\t\t- Scientific American, March 1990, page 77\n\nAllen B (Don\'t even get me started :-) )\n',
 'From: kfrank@magnus.acs.ohio-state.edu (Kevin D Frank)\nSubject: NHL Team Items...\nNntp-Posting-Host: top.magnus.acs.ohio-state.edu\nOrganization: The Ohio State University\nLines: 17\n\nI live in the desolate MidWest (as far as hockey is concerned) and our "sports"\nstores around here carry VERY LITTLE hockey stuff, except for San Jose, Tampa\nBay, L.A., Pittsburgh, and if you\'re lucky Chicago.\n\nI would like to know if anyone knows of any m,ail order, phone order stores that\nI might be able to get in contact with.  I am dying for some real hockey stuff\n(hats, shirts, key chains, etc.) for some other teams (Edmonton, Montreal, etc.)\nso if you have any information, PLEASE e-mail me DIRECTLY.  Most appreciated!\n\nGood luck to your teams in the Stanley Cup playoffs!\n\nGO EDMONTON (likely...NOT!!)  Maybe next year...\n-- \n\t"If you assult someone you get 5 years--In hockey, 5 minutes.\n\t\t\tIs this a great sport or what?!"\n\nKevin D. Frank\t\t\t\t\tkfrank@magnus.acs.ohio-state.edu\n',
 'From: HADCRJAM@admin.uh.edu (MILLER, JIMMY A.)\nSubject: Re: ATF BURNS DIVIDIAN RANCH! NO SURVIVORS!!!\nOrganization: University of Houston Administrative Computing\nLines: 44\nDistribution: world\nNNTP-Posting-Host: uhad2.admin.uh.edu\nX-News-Reader: VMS NEWS 1.24\nIn-Reply-To: mikey@ccwf.cc.utexas.edu\'s message of 21 Apr 1993 02:42:37 GMT\n\nIn <1r2cat$5a9@geraldo.cc.utexas.edu> mikey@ccwf.cc.utexas.edu writes:\n\n> cdt@sw.stratus.com (C. D. Tavares) writes:\n> :mfrhein@wpi.WPI.EDU (Michael Frederick Rhein) writes:\n> :\n> :> As someone else has pointed out, why would the stove be in use on a warm day\n> :> in Texas. \n> :\n> :Do YOU eat all your food cold?\n> \n> Thank you for pointing out the obvious to people who so clearly missed it.\n> I can\'t stand it when people\'s first reaction is to defend the aggressor.\n\n  Minor quibble:  The assualt (and it was one) began near dawn.  The fire did\nnot break out for several hours.  I find it highly unlikely that the BD would\nbe cooking lunch while armored vehicles punch holes in their house and are\npumping in tear gas.  The lantern story makes more sense, except the fire \nseemed to spread too quickly, even given the nature of the buildings and the\nvery high winds.  And it was daylight, but I guess in the innner recesses it\ncould be dark--shutters probably closed as well.\n\n  Which puts us back to the FBI did it, or the BD did it, or some other screw-\nup occured, which is quite possible.\n\n  The problem with the FBI as a monolithic entity doing it is that it requires\n*everybody* involved to keep their mouths shut.  While they tended to behave \nlike total idiots, that does not make them homocidal maniacs, either.  And if\nit was one nutcase agent, then it serves no purpose to blame the whole agency.\n\n  I can believe that a real nut-case like a Koresh would start such a fire,\nbut I\'m far from convinced he actually did so.\n\n  Then again, I rarely go off making blanket condemnations and pronouncments\nwithin 2 hours of a very confusing incident over 175 miles away...\n\nsemper fi,\n\nJammer Jim Miller \nTexas A&M University \'89 and \'91\n________________________________________________________________________________\n I don\'t speak for UH, which is too bad, because they could use the help.     \n"Become one with the Student Billing System. *BE* the Student Billing System."\n "Power finds its way to those who take a stand.  Stand up, Ordinary Man."    \n      ---Rik Emmet, Gil Moore, Mike Levine: Triumph \t\t              \n',
 'Organization: Penn State University\nFrom: Robbie Po <RAP115@psuvm.psu.edu>\nSubject: Re: @#$%! I was right in the first place!!!\nLines: 53\n\nIn article <vzhivov.735059801@cunews>, vzhivov@superior.carleton.ca (Vladimir\nZhivov) says:\n>\n>In <93107.091503RAP115@psuvm.psu.edu> Robbie Po <RAP115@psuvm.psu.edu> writes:\n>\n>>2-Red Wings vs. 3-Maple Leafs               Maple Leafs in 6\n>\n>>  Comment : It\'s kind of tough to rely on Yzerman as the team\'s main weapon.\n>>            He\'s a great palyer, but Dino knows all about choking, which\n>>            puts the burden on Steve even more.  Potvin\'s had a hell of a\n>>            season and goaltending is what you need in the playoffs.\n>\n>For a great prognosticator:), you seem to remember very little playoff\n>history. Dino always shows up in the playoffs, which is why he is a\n>great "sleeper" pick in pools. Don\'t forget about Fedorov, one of the\n>top players in the NHL, IMHO, and Coffey who has the most Stanley Cup\n>rings of any active players (correct me if I\'m wrong). Wings in a\n>cakewalk.\n\nOh yeah, how come Dino could never take the Caps out of the Patrick\nDivision?  He choked up 3 games to 1 last year and got swept away in\nthe second round two years ago.  He rarely, if ever, makes it out of the\ndivision.\n\n>>1-Canucks vs. 4-Jets                        Canucks in 5\n>\n>>  Comment : It\'s more like Vancouver vs. Selanne.  King and Domi (for\n>>            enforcing) help Winnipeg out a little, maybe a game.  Canucks\n>>            have their number.\n>\n>Except that the Canuck are playing like shit. Winnipeg can win this\n>one, though I think Vancouver will manage to slip by.\n\nSo are the Islanders, but they can still pull it out.  Vancouver has Winnipeg\'s\n number, so it really doesn\'t matter.\n\n>>2-Flames vs. 3-Kings                        Flames in 7\n>\n>>  Comment : 7 games looks good as the Kings always seem to battle it out.\n>>            Flames are back in running and won\'t know memories of last year\'s\n>>            season.  Gretzky is on a tear, but there are too many ?????\n>>            surrounding the Kings.\n\n>Kings "always seem to battle it out"? When? Where?\n\n Kings always seem to go at least 6 or 7, they never play a four or five\ngame serious.  There\'s a difference between battling it out and pulling it\nout, as I take Calgary to pull it out in 7.\n-------------------------------------------------------------------------\n** Robbie Po **          PGH PENGUINS!!!    "We do what comes naturally!\nPatrick Division Semi\'s  \'91 STANLEY CUP    You see now, wait for the\nPENGUINS 6, Devils 3     \'92 CHAMPIONS      possibility, don\'t you see a\nPenguins lead, 1-0       12 STRAIGHT WINS!  strong resemblance..."-DG \'89\n',
 'From: thom@morgan.ucs.mun.ca (Thomas Clancy)\nSubject: Re: Thrush ((was: Good Grief! (was Re: Candida Albicans: what is it?)))\nOrganization: Memorial University of Newfoundland\nLines: 55\n\ndyer@spdcc.com (Steve Dyer) writes:\n\n>In article <21APR199308571323@ucsvax.sdsu.edu> mccurdy@ucsvax.sdsu.edu (McCurdy M.) writes:\n>>Dyer is beyond rude. \n\nI\'ll drink to that.\n\n>Yeah, yeah, yeah.  I didn\'t threaten to rip your lips off, did I?\n>Snort.\n\n>>There have been and always will be people who are blinded by their own \n>>knowledge and unopen to anything that isn\'t already established. Given what \n>>the medical community doesn\'t know, I\'m surprised that he has this outlook.\n\n>Duh.\n\nNice to see Steve still has his high and almighty intellectual prowess \nin tact.\n\n>>For the record, I have had several outbreaks of thrush during the several \n>>past few years, with no indication of immunosuppression or nutritional \n>>deficiencies. I had not taken any antobiotics. \n\n>Listen: thrush is a recognized clinical syndrome with definite\n>characteristics.  If you have thrush, you have thrush, because you can\n>see the lesions and do a culture and when you treat it, it generally\n>responds well, if you\'re not otherwise immunocompromised.  Noring\'s\n>anal-retentive idee fixe on having a fungal infection in his sinuses\n>is not even in the same category here, nor are these walking neurasthenics\n>who are convinced they have "candida" from reading a quack book.\n\nYawn...\n\n>>My dentist (who sees a fair amount of thrush) recommended acidophilous:\n>>After I began taking acidophilous on a daily basis, the outbreaks ceased.\n>>When I quit taking the acidophilous, the outbreaks periodically resumed. \n>>I resumed taking the acidophilous with no further outbreaks since then.\n\n>So?\n\nExactly my question to you, Steve. What\'s your point? This person had\none, you didn\'t\n\n>-- \n>Steve Dyer\n\nNice to see that some things never change, Steve, if you aren\'t being\nignorant in one group [*.alternative] you\'re into another. One positive\nthing came out of it, you are no longer bothering the folks in \n*.alternative, it\'s just a shame that these people have to suffer so\nthat others may breath freely. \n \nSorry for wasting bandwidth folks. Don\'t forget to bow down once\nevery second day, and to offer your first born to the almight \nomniscient, omnipotent, Mr. Steve.\n',
 ...]

Podejście softmax z embeddingami na przykładzie NER

# !pip install torchtext
# !pip install datasets
dataset = load_dataset("conll2003")
Reusing dataset conll2003 (/home/kuba/.cache/huggingface/datasets/conll2003/conll2003/1.0.0/40e7cb6bcc374f7c349c83acd1e9352a4f09474eb691f64f364ee62eb65d0ca6)
def build_vocab(dataset):
    counter = Counter()
    for document in dataset:
        counter.update(document)
    return Vocab(counter, specials=['<unk>', '<pad>', '<bos>', '<eos>'])
vocab = build_vocab(dataset['train']['tokens'])
dataset['train']['tokens']
[['EU', 'rejects', 'German', 'call', 'to', 'boycott', 'British', 'lamb', '.'],
 ['Peter', 'Blackburn'],
 ['BRUSSELS', '1996-08-22'],
 ['The',
  'European',
  'Commission',
  'said',
  'on',
  'Thursday',
  'it',
  'disagreed',
  'with',
  'German',
  'advice',
  'to',
  'consumers',
  'to',
  'shun',
  'British',
  'lamb',
  'until',
  'scientists',
  'determine',
  'whether',
  'mad',
  'cow',
  'disease',
  'can',
  'be',
  'transmitted',
  'to',
  'sheep',
  '.'],
 ['Germany',
  "'s",
  'representative',
  'to',
  'the',
  'European',
  'Union',
  "'s",
  'veterinary',
  'committee',
  'Werner',
  'Zwingmann',
  'said',
  'on',
  'Wednesday',
  'consumers',
  'should',
  'buy',
  'sheepmeat',
  'from',
  'countries',
  'other',
  'than',
  'Britain',
  'until',
  'the',
  'scientific',
  'advice',
  'was',
  'clearer',
  '.'],
 ['"',
  'We',
  'do',
  "n't",
  'support',
  'any',
  'such',
  'recommendation',
  'because',
  'we',
  'do',
  "n't",
  'see',
  'any',
  'grounds',
  'for',
  'it',
  ',',
  '"',
  'the',
  'Commission',
  "'s",
  'chief',
  'spokesman',
  'Nikolaus',
  'van',
  'der',
  'Pas',
  'told',
  'a',
  'news',
  'briefing',
  '.'],
 ['He',
  'said',
  'further',
  'scientific',
  'study',
  'was',
  'required',
  'and',
  'if',
  'it',
  'was',
  'found',
  'that',
  'action',
  'was',
  'needed',
  'it',
  'should',
  'be',
  'taken',
  'by',
  'the',
  'European',
  'Union',
  '.'],
 ['He',
  'said',
  'a',
  'proposal',
  'last',
  'month',
  'by',
  'EU',
  'Farm',
  'Commissioner',
  'Franz',
  'Fischler',
  'to',
  'ban',
  'sheep',
  'brains',
  ',',
  'spleens',
  'and',
  'spinal',
  'cords',
  'from',
  'the',
  'human',
  'and',
  'animal',
  'food',
  'chains',
  'was',
  'a',
  'highly',
  'specific',
  'and',
  'precautionary',
  'move',
  'to',
  'protect',
  'human',
  'health',
  '.'],
 ['Fischler',
  'proposed',
  'EU-wide',
  'measures',
  'after',
  'reports',
  'from',
  'Britain',
  'and',
  'France',
  'that',
  'under',
  'laboratory',
  'conditions',
  'sheep',
  'could',
  'contract',
  'Bovine',
  'Spongiform',
  'Encephalopathy',
  '(',
  'BSE',
  ')',
  '--',
  'mad',
  'cow',
  'disease',
  '.'],
 ['But',
  'Fischler',
  'agreed',
  'to',
  'review',
  'his',
  'proposal',
  'after',
  'the',
  'EU',
  "'s",
  'standing',
  'veterinary',
  'committee',
  ',',
  'mational',
  'animal',
  'health',
  'officials',
  ',',
  'questioned',
  'if',
  'such',
  'action',
  'was',
  'justified',
  'as',
  'there',
  'was',
  'only',
  'a',
  'slight',
  'risk',
  'to',
  'human',
  'health',
  '.'],
 ['Spanish',
  'Farm',
  'Minister',
  'Loyola',
  'de',
  'Palacio',
  'had',
  'earlier',
  'accused',
  'Fischler',
  'at',
  'an',
  'EU',
  'farm',
  'ministers',
  "'",
  'meeting',
  'of',
  'causing',
  'unjustified',
  'alarm',
  'through',
  '"',
  'dangerous',
  'generalisation',
  '.',
  '"'],
 ['.'],
 ['Only',
  'France',
  'and',
  'Britain',
  'backed',
  'Fischler',
  "'s",
  'proposal',
  '.'],
 ['The',
  'EU',
  "'s",
  'scientific',
  'veterinary',
  'and',
  'multidisciplinary',
  'committees',
  'are',
  'due',
  'to',
  're-examine',
  'the',
  'issue',
  'early',
  'next',
  'month',
  'and',
  'make',
  'recommendations',
  'to',
  'the',
  'senior',
  'veterinary',
  'officials',
  '.'],
 ['Sheep',
  'have',
  'long',
  'been',
  'known',
  'to',
  'contract',
  'scrapie',
  ',',
  'a',
  'brain-wasting',
  'disease',
  'similar',
  'to',
  'BSE',
  'which',
  'is',
  'believed',
  'to',
  'have',
  'been',
  'transferred',
  'to',
  'cattle',
  'through',
  'feed',
  'containing',
  'animal',
  'waste',
  '.'],
 ['British',
  'farmers',
  'denied',
  'on',
  'Thursday',
  'there',
  'was',
  'any',
  'danger',
  'to',
  'human',
  'health',
  'from',
  'their',
  'sheep',
  ',',
  'but',
  'expressed',
  'concern',
  'that',
  'German',
  'government',
  'advice',
  'to',
  'consumers',
  'to',
  'avoid',
  'British',
  'lamb',
  'might',
  'influence',
  'consumers',
  'across',
  'Europe',
  '.'],
 ['"',
  'What',
  'we',
  'have',
  'to',
  'be',
  'extremely',
  'careful',
  'of',
  'is',
  'how',
  'other',
  'countries',
  'are',
  'going',
  'to',
  'take',
  'Germany',
  "'s",
  'lead',
  ',',
  '"',
  'Welsh',
  'National',
  'Farmers',
  "'",
  'Union',
  '(',
  'NFU',
  ')',
  'chairman',
  'John',
  'Lloyd',
  'Jones',
  'said',
  'on',
  'BBC',
  'radio',
  '.'],
 ['Bonn',
  'has',
  'led',
  'efforts',
  'to',
  'protect',
  'public',
  'health',
  'after',
  'consumer',
  'confidence',
  'collapsed',
  'in',
  'March',
  'after',
  'a',
  'British',
  'report',
  'suggested',
  'humans',
  'could',
  'contract',
  'an',
  'illness',
  'similar',
  'to',
  'mad',
  'cow',
  'disease',
  'by',
  'eating',
  'contaminated',
  'beef',
  '.'],
 ['Germany',
  'imported',
  '47,600',
  'sheep',
  'from',
  'Britain',
  'last',
  'year',
  ',',
  'nearly',
  'half',
  'of',
  'total',
  'imports',
  '.'],
 ['It',
  'brought',
  'in',
  '4,275',
  'tonnes',
  'of',
  'British',
  'mutton',
  ',',
  'some',
  '10',
  'percent',
  'of',
  'overall',
  'imports',
  '.'],
 ['Rare',
  'Hendrix',
  'song',
  'draft',
  'sells',
  'for',
  'almost',
  '$',
  '17,000',
  '.'],
 ['LONDON', '1996-08-22'],
 ['A',
  'rare',
  'early',
  'handwritten',
  'draft',
  'of',
  'a',
  'song',
  'by',
  'U.S.',
  'guitar',
  'legend',
  'Jimi',
  'Hendrix',
  'was',
  'sold',
  'for',
  'almost',
  '$',
  '17,000',
  'on',
  'Thursday',
  'at',
  'an',
  'auction',
  'of',
  'some',
  'of',
  'the',
  'late',
  'musician',
  "'s",
  'favourite',
  'possessions',
  '.'],
 ['A',
  'Florida',
  'restaurant',
  'paid',
  '10,925',
  'pounds',
  '(',
  '$',
  '16,935',
  ')',
  'for',
  'the',
  'draft',
  'of',
  '"',
  'Ai',
  "n't",
  'no',
  'telling',
  '"',
  ',',
  'which',
  'Hendrix',
  'penned',
  'on',
  'a',
  'piece',
  'of',
  'London',
  'hotel',
  'stationery',
  'in',
  'late',
  '1966',
  '.'],
 ['At',
  'the',
  'end',
  'of',
  'a',
  'January',
  '1967',
  'concert',
  'in',
  'the',
  'English',
  'city',
  'of',
  'Nottingham',
  'he',
  'threw',
  'the',
  'sheet',
  'of',
  'paper',
  'into',
  'the',
  'audience',
  ',',
  'where',
  'it',
  'was',
  'retrieved',
  'by',
  'a',
  'fan',
  '.'],
 ['Buyers',
  'also',
  'snapped',
  'up',
  '16',
  'other',
  'items',
  'that',
  'were',
  'put',
  'up',
  'for',
  'auction',
  'by',
  'Hendrix',
  "'s",
  'former',
  'girlfriend',
  'Kathy',
  'Etchingham',
  ',',
  'who',
  'lived',
  'with',
  'him',
  'from',
  '1966',
  'to',
  '1969',
  '.'],
 ['They',
  'included',
  'a',
  'black',
  'lacquer',
  'and',
  'mother',
  'of',
  'pearl',
  'inlaid',
  'box',
  'used',
  'by',
  'Hendrix',
  'to',
  'store',
  'his',
  'drugs',
  ',',
  'which',
  'an',
  'anonymous',
  'Australian',
  'purchaser',
  'bought',
  'for',
  '5,060',
  'pounds',
  '(',
  '$',
  '7,845',
  ')',
  '.'],
 ['The',
  'guitarist',
  'died',
  'of',
  'a',
  'drugs',
  'overdose',
  'in',
  '1970',
  'aged',
  '27',
  '.'],
 ['China', 'says', 'Taiwan', 'spoils', 'atmosphere', 'for', 'talks', '.'],
 ['BEIJING', '1996-08-22'],
 ['China',
  'on',
  'Thursday',
  'accused',
  'Taipei',
  'of',
  'spoiling',
  'the',
  'atmosphere',
  'for',
  'a',
  'resumption',
  'of',
  'talks',
  'across',
  'the',
  'Taiwan',
  'Strait',
  'with',
  'a',
  'visit',
  'to',
  'Ukraine',
  'by',
  'Taiwanese',
  'Vice',
  'President',
  'Lien',
  'Chan',
  'this',
  'week',
  'that',
  'infuriated',
  'Beijing',
  '.'],
 ['Speaking',
  'only',
  'hours',
  'after',
  'Chinese',
  'state',
  'media',
  'said',
  'the',
  'time',
  'was',
  'right',
  'to',
  'engage',
  'in',
  'political',
  'talks',
  'with',
  'Taiwan',
  ',',
  'Foreign',
  'Ministry',
  'spokesman',
  'Shen',
  'Guofang',
  'told',
  'Reuters',
  ':',
  '"',
  'The',
  'necessary',
  'atmosphere',
  'for',
  'the',
  'opening',
  'of',
  'the',
  'talks',
  'has',
  'been',
  'disrupted',
  'by',
  'the',
  'Taiwan',
  'authorities',
  '.',
  '"'],
 ['State',
  'media',
  'quoted',
  'China',
  "'s",
  'top',
  'negotiator',
  'with',
  'Taipei',
  ',',
  'Tang',
  'Shubei',
  ',',
  'as',
  'telling',
  'a',
  'visiting',
  'group',
  'from',
  'Taiwan',
  'on',
  'Wednesday',
  'that',
  'it',
  'was',
  'time',
  'for',
  'the',
  'rivals',
  'to',
  'hold',
  'political',
  'talks',
  '.'],
 ['"',
  'Now',
  'is',
  'the',
  'time',
  'for',
  'the',
  'two',
  'sides',
  'to',
  'engage',
  'in',
  'political',
  'talks',
  '...'],
 ['that',
  'is',
  'to',
  'end',
  'the',
  'state',
  'of',
  'hostility',
  ',',
  '"',
  'Thursday',
  "'s",
  'overseas',
  'edition',
  'of',
  'the',
  'People',
  "'s",
  'Daily',
  'quoted',
  'Tang',
  'as',
  'saying',
  '.'],
 ['The',
  'foreign',
  'ministry',
  "'s",
  'Shen',
  'told',
  'Reuters',
  'Television',
  'in',
  'an',
  'interview',
  'he',
  'had',
  'read',
  'reports',
  'of',
  'Tang',
  "'s",
  'comments',
  'but',
  'gave',
  'no',
  'details',
  'of',
  'why',
  'the',
  'negotiator',
  'had',
  'considered',
  'the',
  'time',
  'right',
  'for',
  'talks',
  'with',
  'Taiwan',
  ',',
  'which',
  'Beijing',
  'considers',
  'a',
  'renegade',
  'province',
  '.'],
 ['China',
  ',',
  'which',
  'has',
  'long',
  'opposed',
  'all',
  'Taipei',
  'efforts',
  'to',
  'gain',
  'greater',
  'international',
  'recognition',
  ',',
  'was',
  'infuriated',
  'by',
  'a',
  'visit',
  'to',
  'Ukraine',
  'this',
  'week',
  'by',
  'Taiwanese',
  'Vice',
  'President',
  'Lien',
  '.'],
 ['China', 'says', 'time', 'right', 'for', 'Taiwan', 'talks', '.'],
 ['BEIJING', '1996-08-22'],
 ['China',
  'has',
  'said',
  'it',
  'was',
  'time',
  'for',
  'political',
  'talks',
  'with',
  'Taiwan',
  'and',
  'that',
  'the',
  'rival',
  'island',
  'should',
  'take',
  'practical',
  'steps',
  'towards',
  'that',
  'goal',
  '.'],
 ['Consultations',
  'should',
  'be',
  'held',
  'to',
  'set',
  'the',
  'time',
  'and',
  'format',
  'of',
  'the',
  'talks',
  ',',
  'the',
  'official',
  'Xinhua',
  'news',
  'agency',
  'quoted',
  'Tang',
  'Shubei',
  ',',
  'executive',
  'vice',
  'chairman',
  'of',
  'the',
  'Association',
  'for',
  'Relations',
  'Across',
  'the',
  'Taiwan',
  'Straits',
  ',',
  'as',
  'saying',
  'late',
  'on',
  'Wednesday',
  '.'],
 ['German',
  'July',
  'car',
  'registrations',
  'up',
  '14.2',
  'pct',
  'yr',
  '/',
  'yr',
  '.'],
 ['FRANKFURT', '1996-08-22'],
 ['German',
  'first-time',
  'registrations',
  'of',
  'motor',
  'vehicles',
  'jumped',
  '14.2',
  'percent',
  'in',
  'July',
  'this',
  'year',
  'from',
  'the',
  'year-earlier',
  'period',
  ',',
  'the',
  'Federal',
  'office',
  'for',
  'motor',
  'vehicles',
  'said',
  'on',
  'Thursday',
  '.'],
 ['The',
  'office',
  'said',
  '356,725',
  'new',
  'cars',
  'were',
  'registered',
  'in',
  'July',
  '1996',
  '--',
  '304,850',
  'passenger',
  'cars',
  'and',
  '15,613',
  'trucks',
  '.'],
 ['The',
  'figures',
  'represent',
  'a',
  '13.6',
  'percent',
  'increase',
  'for',
  'passenger',
  'cars',
  'and',
  'a',
  '2.2',
  'percent',
  'decline',
  'for',
  'trucks',
  'from',
  'July',
  '1995',
  '.'],
 ['Motor-bike',
  'registration',
  'rose',
  '32.7',
  'percent',
  'in',
  'the',
  'period',
  '.'],
 ['The',
  'growth',
  'was',
  'partly',
  'due',
  'to',
  'an',
  'increased',
  'number',
  'of',
  'Germans',
  'buying',
  'German',
  'cars',
  'abroad',
  ',',
  'while',
  'manufacturers',
  'said',
  'that',
  'domestic',
  'demand',
  'was',
  'weak',
  ',',
  'the',
  'federal',
  'office',
  'said',
  '.'],
 ['Almost',
  'all',
  'German',
  'car',
  'manufacturers',
  'posted',
  'gains',
  'in',
  'registration',
  'numbers',
  'in',
  'the',
  'period',
  '.'],
 ['Volkswagen',
  'AG',
  'won',
  '77,719',
  'registrations',
  ',',
  'slightly',
  'more',
  'than',
  'a',
  'quarter',
  'of',
  'the',
  'total',
  '.'],
 ['Opel',
  'AG',
  'together',
  'with',
  'General',
  'Motors',
  'came',
  'in',
  'second',
  'place',
  'with',
  '49,269',
  'registrations',
  ',',
  '16.4',
  'percent',
  'of',
  'the',
  'overall',
  'figure',
  '.'],
 ['Third',
  'was',
  'Ford',
  'with',
  '35,563',
  'registrations',
  ',',
  'or',
  '11.7',
  'percent',
  '.'],
 ['Only',
  'Seat',
  'and',
  'Porsche',
  'had',
  'fewer',
  'registrations',
  'in',
  'July',
  '1996',
  'compared',
  'to',
  'last',
  'year',
  "'s",
  'July',
  '.'],
 ['Seat',
  'posted',
  '3,420',
  'registrations',
  'compared',
  'with',
  '5522',
  'registrations',
  'in',
  'July',
  'a',
  'year',
  'earlier',
  '.'],
 ['Porsche', "'s", 'registrations', 'fell', 'to', '554', 'from', '643', '.'],
 ['GREEK',
  'SOCIALISTS',
  'GIVE',
  'GREEN',
  'LIGHT',
  'TO',
  'PM',
  'FOR',
  'ELECTIONS',
  '.'],
 ['ATHENS', '1996-08-22'],
 ['The',
  'Greek',
  'socialist',
  'party',
  "'s",
  'executive',
  'bureau',
  'gave',
  'the',
  'green',
  'light',
  'to',
  'Prime',
  'Minister',
  'Costas',
  'Simitis',
  'to',
  'call',
  'snap',
  'elections',
  ',',
  'its',
  'general',
  'secretary',
  'Costas',
  'Skandalidis',
  'told',
  'reporters',
  '.'],
 ['Prime',
  'Minister',
  'Costas',
  'Simitis',
  'is',
  'going',
  'to',
  'make',
  'an',
  'official',
  'announcement',
  'after',
  'a',
  'cabinet',
  'meeting',
  'later',
  'on',
  'Thursday',
  ',',
  'said',
  'Skandalidis',
  '.'],
 ['--',
  'Dimitris',
  'Kontogiannis',
  ',',
  'Athens',
  'Newsroom',
  '+301',
  '3311812-4'],
 ['BayerVB', 'sets', 'C$', '100', 'million', 'six-year', 'bond', '.'],
 ['LONDON', '1996-08-22'],
 ['The',
  'following',
  'bond',
  'was',
  'announced',
  'by',
  'lead',
  'manager',
  'Toronto',
  'Dominion',
  '.'],
 ['BORROWER', 'BAYERISCHE', 'VEREINSBANK'],
 ['AMT', 'C$', '100', 'MLN', 'COUPON', '6.625', 'MATURITY', '24.SEP.02'],
 ['TYPE', 'STRAIGHT', 'ISS', 'PRICE', '100.92', 'PAY', 'DATE', '24.SEP.96'],
 ['FULL', 'FEES', '1.875', 'REOFFER', '99.32', 'SPREAD', '+20', 'BP'],
 ['MOODY', 'AA1', 'LISTING', 'LUX', 'PAY', 'FREQ', '='],
 ['S&P',
  '=',
  'DENOMS',
  '(',
  'K',
  ')',
  '1-10-100',
  'SALE',
  'LIMITS',
  'US',
  '/',
  'UK',
  '/',
  'CA'],
 ['NEG', 'PLG', 'NO', 'CRS', 'DEFLT', 'NO', 'FORCE', 'MAJ', '='],
 ['GOV', 'LAW', 'GERMAN', 'HOME', 'CTRY', '=', 'TAX', 'PROVS', 'STANDARD'],
 ['MGT', '/', 'UND', '0.275', 'SELL', 'CONC', '1.60', 'PRAECIP', '='],
 ['UNDERLYING', 'GOVT', 'BOND', '7.0', 'PCT', 'SEPT', '2001'],
 ['NOTES', 'BAYERISCHE', 'VEREINSBANK', 'IS', 'JOINT', 'LEAD', 'MANAGER'],
 ['--', 'London', 'Newsroom', '+44', '171', '542', '7658'],
 ['Venantius', 'sets', '$', '300', 'million', 'January', '1999', 'FRN', '.'],
 ['LONDON', '1996-08-22'],
 ['The',
  'following',
  'floating-rate',
  'issue',
  'was',
  'announced',
  'by',
  'lead',
  'manager',
  'Lehman',
  'Brothers',
  'International',
  '.'],
 ['BORROWER',
  'VENANTIUS',
  'AB',
  '(',
  'SWEDISH',
  'NATIONAL',
  'MORTGAGE',
  'AGENCY',
  ')'],
 ['AMT',
  '$',
  '300',
  'MLN',
  'SPREAD',
  '-',
  '12.5',
  'BP',
  'MATURITY',
  '21.JAN.99'],
 ['TYPE', 'FRN', 'BASE', '3M', 'LIBOR', 'PAY', 'DATE', 'S23.SEP.96'],
 ['LAST',
  'MOODY',
  'AA3',
  'ISS',
  'PRICE',
  '99.956',
  'FULL',
  'FEES',
  '10',
  'BP'],
 ['LAST', 'S&P', 'AA+', 'REOFFER', '='],
 ['NOTES', 'S', 'SHORT', 'FIRST', 'COUPON'],
 ['LISTING',
  'LONDON',
  'DENOMS',
  '(',
  'K',
  ')',
  '1-10-100',
  'SALE',
  'LIMITS',
  'US',
  '/',
  'UK',
  '/',
  'JP',
  '/',
  'FR'],
 ['NEG', 'PLG', 'YES', 'CRS', 'DEFLT', 'NO', 'FORCE', 'MAJ', 'IPMA', '2'],
 ['GOV',
  'LAW',
  'ENGLISH',
  'HOME',
  'CTRY',
  'SWEDEN',
  'TAX',
  'PROVS',
  'STANDARD'],
 ['MGT', '/', 'UND', '5', 'BP', 'SELL', 'CONC', '5', 'BP', 'PRAECIP', '='],
 ['NOTES', 'ISSUED', 'OFF', 'EMTN', 'PROGRAMME'],
 ['--', 'London', 'Newsroom', '+44', '171', '542', '8863'],
 ['Port',
  'conditions',
  'update',
  '-',
  'Syria',
  '-',
  'Lloyds',
  'Shipping',
  '.'],
 ['Port',
  'conditions',
  'from',
  'Lloyds',
  'Shipping',
  'Intelligence',
  'Service',
  '--'],
 ['LATTAKIA',
  ',',
  'Aug',
  '10',
  '-',
  'waiting',
  'time',
  'at',
  'Lattakia',
  'and',
  'Tartous',
  'presently',
  '24',
  'hours',
  '.'],
 ['Israel', 'plays', 'down', 'fears', 'of', 'war', 'with', 'Syria', '.'],
 ['Colleen', 'Siegel'],
 ['JERUSALEM', '1996-08-22'],
 ['Israel',
  "'s",
  'outgoing',
  'peace',
  'negotiator',
  'with',
  'Syria',
  'said',
  'on',
  'Thursday',
  'current',
  'tensions',
  'between',
  'the',
  'two',
  'countries',
  'appeared',
  'to',
  'be',
  'a',
  'storm',
  'in',
  'a',
  'teacup',
  '.'],
 ['Itamar',
  'Rabinovich',
  ',',
  'who',
  'as',
  'Israel',
  "'s",
  'ambassador',
  'to',
  'Washington',
  'conducted',
  'unfruitful',
  'negotiations',
  'with',
  'Syria',
  ',',
  'told',
  'Israel',
  'Radio',
  'it',
  'looked',
  'like',
  'Damascus',
  'wanted',
  'to',
  'talk',
  'rather',
  'than',
  'fight',
  '.'],
 ['"',
  'It',
  'appears',
  'to',
  'me',
  'the',
  'Syrian',
  'priority',
  'is',
  'still',
  'to',
  'negotiate',
  '.'],
 ['The',
  'Syrians',
  'are',
  'confused',
  ',',
  'they',
  'are',
  'definitely',
  'tense',
  ',',
  'but',
  'the',
  'general',
  'assessment',
  'here',
  'in',
  'Washington',
  'is',
  'that',
  'this',
  'is',
  'essentially',
  'a',
  'storm',
  'in',
  'a',
  'teacup',
  ',',
  '"',
  'he',
  'said',
  '.'],
 ['Rabinovich', 'is', 'winding', 'up', 'his', 'term', 'as', 'ambassador', '.'],
 ['He',
  'will',
  'be',
  'replaced',
  'by',
  'Eliahu',
  'Ben-Elissar',
  ',',
  'a',
  'former',
  'Israeli',
  'envoy',
  'to',
  'Egypt',
  'and',
  'right-wing',
  'Likud',
  'party',
  'politician',
  '.'],
 ['Israel',
  'on',
  'Wednesday',
  'sent',
  'Syria',
  'a',
  'message',
  ',',
  'via',
  'Washington',
  ',',
  'saying',
  'it',
  'was',
  'committed',
  'to',
  'peace',
  'and',
  'wanted',
  'to',
  'open',
  'negotiations',
  'without',
  'preconditions',
  '.'],
 ['But',
  'it',
  'slammed',
  'Damascus',
  'for',
  'creating',
  'what',
  'it',
  'called',
  'a',
  'dangerous',
  'atmosphere',
  '.'],
 ['Syria',
  'accused',
  'Israel',
  'on',
  'Wednesday',
  'of',
  'launching',
  'a',
  'hysterical',
  'campaign',
  'against',
  'it',
  'after',
  'Israeli',
  'television',
  'reported',
  'that',
  'Damascus',
  'had',
  'recently',
  'test',
  'fired',
  'a',
  'missile',
  '.'],
 ['It',
  'said',
  'its',
  'arms',
  'purchases',
  'were',
  'for',
  'defensive',
  'purposes',
  '.'],
 ['"',
  'The',
  'message',
  'that',
  'we',
  'sent',
  'to',
  '(',
  'Syrian',
  'President',
  'Hafez',
  'al-',
  ')',
  'Assad',
  'is',
  'that',
  'Israel',
  'is',
  'ready',
  'at',
  'any',
  'time',
  'without',
  'preconditions',
  'to',
  'enter',
  'peace',
  'negotiations',
  ',',
  '"',
  'Israeli',
  'Foreign',
  'Minister',
  'David',
  'Levy',
  'told',
  'Israel',
  'Radio',
  'in',
  'an',
  'interview',
  '.'],
 ['Tension',
  'has',
  'mounted',
  'since',
  'Israeli',
  'Prime',
  'Minister',
  'Benjamin',
  'Netanyahu',
  'took',
  'office',
  'in',
  'June',
  'vowing',
  'to',
  'retain',
  'the',
  'Golan',
  'Heights',
  'Israel',
  'captured',
  'from',
  'Syria',
  'in',
  'the',
  '1967',
  'Middle',
  'East',
  'war',
  '.'],
 ['Israeli-Syrian',
  'peace',
  'talks',
  'have',
  'been',
  'deadlocked',
  'over',
  'the',
  'Golan',
  'since',
  '1991',
  'despite',
  'the',
  'previous',
  'government',
  "'s",
  'willingness',
  'to',
  'make',
  'Golan',
  'concessions',
  '.'],
 ['Peace',
  'talks',
  'between',
  'the',
  'two',
  'sides',
  'were',
  'last',
  'held',
  'in',
  'February',
  '.'],
 ['"',
  'The',
  'voices',
  'coming',
  'out',
  'of',
  'Damascus',
  'are',
  'bad',
  ',',
  'not',
  'good',
  '.'],
 ['The', 'media', '...'],
 ['are',
  'full',
  'of',
  'expressions',
  'and',
  'declarations',
  'that',
  'must',
  'be',
  'worrying',
  '...'],
 ['this',
  'artificial',
  'atmosphere',
  'is',
  'very',
  'dangerous',
  'because',
  'those',
  'who',
  'spread',
  'it',
  'could',
  'become',
  'its',
  'prisoners',
  ',',
  '"',
  'Levy',
  'said',
  '.'],
 ['"',
  'We',
  'expect',
  'from',
  'Syria',
  ',',
  'if',
  'its',
  'face',
  'is',
  'to',
  'peace',
  ',',
  'that',
  'it',
  'will',
  'answer',
  'Israel',
  "'s",
  'message',
  'to',
  'enter',
  'peace',
  'negotiations',
  'because',
  'that',
  'is',
  'our',
  'goal',
  ',',
  '"',
  'he',
  'said',
  '.',
  '"'],
 ['We', 'do', 'not', 'want', 'a', 'war', ',', 'God', 'forbid', '.'],
 ['No', 'one', 'benefits', 'from', 'wars', '.', '"'],
 ['Israel',
  "'s",
  'Channel',
  'Two',
  'television',
  'said',
  'Damascus',
  'had',
  'sent',
  'a',
  '"',
  'calming',
  'signal',
  '"',
  'to',
  'Israel',
  '.'],
 ['It', 'gave', 'no', 'source', 'for', 'the', 'report', '.'],
 ['Netanyahu',
  'and',
  'Levy',
  "'s",
  'spokesmen',
  'said',
  'they',
  'could',
  'not',
  'confirm',
  'it',
  '.'],
 ['The',
  'television',
  'also',
  'said',
  'that',
  'Netanyahu',
  'had',
  'sent',
  'messages',
  'to',
  'reassure',
  'Syria',
  'via',
  'Cairo',
  ',',
  'the',
  'United',
  'States',
  'and',
  'Moscow',
  '.'],
 ['Polish', 'diplomat', 'denies', 'nurses', 'stranded', 'in', 'Libya', '.'],
 ['TUNIS', '1996-08-22'],
 ['A',
  'Polish',
  'diplomat',
  'on',
  'Thursday',
  'denied',
  'a',
  'Polish',
  'tabloid',
  'report',
  'this',
  'week',
  'that',
  'Libya',
  'was',
  'refusing',
  'exit',
  'visas',
  'to',
  '100',
  'Polish',
  'nurses',
  'trying',
  'to',
  'return',
  'home',
  'after',
  'working',
  'in',
  'the',
  'North',
  'African',
  'country',
  '.'],
 ['"', 'This', 'is', 'not', 'true', '.'],
 ['Up',
  'to',
  'today',
  ',',
  'we',
  'have',
  'no',
  'knowledge',
  'of',
  'any',
  'nurse',
  'stranded',
  'or',
  'kept',
  'in',
  'Libya',
  'without',
  'her',
  'will',
  ',',
  'and',
  'we',
  'have',
  'not',
  'received',
  'any',
  'complaint',
  ',',
  '"',
  'the',
  'Polish',
  'embassy',
  "'s",
  'charge',
  "d'affaires",
  'in',
  'Tripoli',
  ',',
  'Tadeusz',
  'Awdankiewicz',
  ',',
  'told',
  'Reuters',
  'by',
  'telephone',
  '.'],
 ['Poland',
  "'s",
  'labour',
  'ministry',
  'said',
  'this',
  'week',
  'it',
  'would',
  'send',
  'a',
  'team',
  'to',
  'Libya',
  'to',
  'investigate',
  ',',
  'but',
  'Awdankiewicz',
  'said',
  'the',
  'probe',
  'was',
  'prompted',
  'by',
  'some',
  'nurses',
  'complaining',
  'about',
  'their',
  'work',
  'conditions',
  'such',
  'as',
  'non-payment',
  'of',
  'their',
  'salaries',
  '.'],
 ['He',
  'said',
  'that',
  'there',
  'are',
  'an',
  'estimated',
  '800',
  'Polish',
  'nurses',
  'working',
  'in',
  'Libya',
  '.'],
 ['Two', 'Iranian', 'opposition', 'leaders', 'meet', 'in', 'Baghdad', '.'],
 ['Hassan', 'Hafidh'],
 ['BAGHDAD', '1996-08-22'],
 ['An',
  'Iranian',
  'exile',
  'group',
  'based',
  'in',
  'Iraq',
  'vowed',
  'on',
  'Thursday',
  'to',
  'extend',
  'support',
  'to',
  'Iran',
  "'s",
  'Kurdish',
  'rebels',
  'after',
  'they',
  'were',
  'attacked',
  'by',
  'Iranian',
  'troops',
  'deep',
  'inside',
  'Iraq',
  'last',
  'month',
  '.'],
 ['A',
  'Mujahideen',
  'Khalq',
  'statement',
  'said',
  'its',
  'leader',
  'Massoud',
  'Rajavi',
  'met',
  'in',
  'Baghdad',
  'the',
  'Secretary-General',
  'of',
  'the',
  'Kurdistan',
  'Democratic',
  'Party',
  'of',
  'Iran',
  '(',
  'KDPI',
  ')',
  'Hassan',
  'Rastegar',
  'on',
  'Wednesday',
  'and',
  'voiced',
  'his',
  'support',
  'to',
  'Iran',
  "'s",
  'rebel',
  'Kurds',
  '.'],
 ['"',
  'Rajavi',
  'emphasised',
  'that',
  'the',
  'Iranian',
  'Resistance',
  'would',
  'continue',
  'to',
  'stand',
  'side',
  'by',
  'side',
  'with',
  'their',
  'Kurdish',
  'compatriots',
  'and',
  'the',
  'resistance',
  'movement',
  'in',
  'Iranian',
  'Kurdistan',
  ',',
  '"',
  'it',
  'said',
  '.'],
 ['A',
  'spokesman',
  'for',
  'the',
  'group',
  'said',
  'the',
  'meeting',
  '"',
  'signals',
  'a',
  'new',
  'level',
  'of',
  'cooperation',
  'between',
  'Mujahideen',
  'Khalq',
  'and',
  'the',
  'Iranian',
  'Kurdish',
  'oppositions',
  '"',
  '.'],
 ['Iran',
  'heavily',
  'bombarded',
  'targets',
  'in',
  'northern',
  'Iraq',
  'in',
  'July',
  'in',
  'pursuit',
  'of',
  'KDPI',
  'guerrillas',
  'based',
  'in',
  'Iraqi',
  'Kurdish',
  'areas',
  'outside',
  'the',
  'control',
  'of',
  'the',
  'government',
  'in',
  'Baghdad',
  '.'],
 ['Iraqi',
  'Kurdish',
  'areas',
  'bordering',
  'Iran',
  'are',
  'under',
  'the',
  'control',
  'of',
  'guerrillas',
  'of',
  'the',
  'Iraqi',
  'Kurdish',
  'Patriotic',
  'Union',
  'of',
  'Kurdistan',
  '(',
  'PUK',
  ')',
  'group',
  '.'],
 ['PUK',
  'and',
  'Iraq',
  "'s",
  'Kurdistan',
  'Democratic',
  'Party',
  '(',
  'KDP',
  ')',
  'the',
  'two',
  'main',
  'Iraqi',
  'Kurdish',
  'factions',
  ',',
  'have',
  'had',
  'northern',
  'Iraq',
  'under',
  'their',
  'control',
  'since',
  'Iraqi',
  'forces',
  'were',
  'ousted',
  'from',
  'Kuwait',
  'in',
  'the',
  '1991',
  'Gulf',
  'War',
  '.'],
 ['Clashes',
  'between',
  'the',
  'two',
  'parties',
  'broke',
  'out',
  'at',
  'the',
  'weekend',
  'in',
  'the',
  'most',
  'serious',
  'fighting',
  'since',
  'a',
  'U.S.-sponsored',
  'ceasefire',
  'last',
  'year',
  '.'],
 ['Mujahideen',
  'Khalq',
  'said',
  'Iranian',
  'troops',
  'had',
  'also',
  'been',
  'shelling',
  'KDP',
  'positions',
  'in',
  'Qasri',
  'region',
  'in',
  'Suleimaniya',
  'province',
  'near',
  'the',
  'Iranian',
  'border',
  'over',
  'the',
  'last',
  'two',
  'days',
  '.'],
 ['It',
  'said',
  'about',
  '100',
  'Iraqi',
  'Kurds',
  'were',
  'killed',
  'or',
  'wounded',
  'in',
  'the',
  'attack',
  '.'],
 ['Both',
  'Iran',
  'and',
  'Turkey',
  'mount',
  'air',
  'and',
  'land',
  'strikes',
  'at',
  'targets',
  'in',
  'northern',
  'Iraq',
  'in',
  'pursuit',
  'of',
  'their',
  'own',
  'Kurdish',
  'rebels',
  '.'],
 ['A',
  'U.S.-led',
  'air',
  'force',
  'in',
  'southern',
  'Turkey',
  'protects',
  'Iraqi',
  'Kurds',
  'from',
  'possible',
  'attacks',
  'by',
  'Baghdad',
  'troops',
  '.'],
 ['Saudi', 'riyal', 'rates', 'steady', 'in', 'quiet', 'summer', 'trade', '.'],
 ['MANAMA', '1996-08-22'],
 ['The',
  'spot',
  'Saudi',
  'riyal',
  'against',
  'the',
  'dollar',
  'and',
  'riyal',
  'interbank',
  'deposit',
  'rates',
  'were',
  'mainly',
  'steady',
  'this',
  'week',
  'in',
  'quiet',
  'summer',
  'trade',
  ',',
  'dealers',
  'in',
  'the',
  'kingdom',
  'said',
  '.'],
 ['"', 'There', 'were', 'no', 'changes', 'in', 'Saudi', 'riyal', 'rates', '.'],
 ['The',
  'market',
  'was',
  'very',
  'quiet',
  'because',
  'of',
  'summer',
  'holidays',
  ',',
  '"',
  'one',
  'dealer',
  'said',
  '.'],
 ['The',
  'spot',
  'riyal',
  'was',
  'put',
  'at',
  '3.7504',
  '/',
  '06',
  'to',
  'the',
  'dollar',
  '.'],
 ['One-month',
  'interbank',
  'deposits',
  'were',
  'at',
  '5-1/2',
  ',',
  '3/8',
  'percent',
  ',',
  'three',
  'months',
  'were',
  '5-5/8',
  ',',
  '1/2',
  'percent',
  'and',
  'six',
  'months',
  'were',
  '5-3/4',
  ',',
  '5/8',
  'percent',
  '.'],
 ['One-year', 'funds', 'were', 'at', 'six', ',', '5-7/8', 'percent', '.'],
 ['Israel', 'approves', 'Arafat', "'s", 'flight', 'to', 'West', 'Bank', '.'],
 ['JERUSALEM', '1996-08-22'],
 ['Israel',
  'gave',
  'Palestinian',
  'President',
  'Yasser',
  'Arafat',
  'permission',
  'on',
  'Thursday',
  'to',
  'fly',
  'over',
  'its',
  'territory',
  'to',
  'the',
  'West',
  'Bank',
  ',',
  'ending',
  'a',
  'brief',
  'Israeli-PLO',
  'crisis',
  ',',
  'an',
  'Arafat',
  'adviser',
  'said',
  '.'],
 ['"', 'The', 'problem', 'is', 'over', '.'],
 ['The',
  'president',
  "'s",
  'aircraft',
  'has',
  'received',
  'permission',
  'to',
  'pass',
  'through',
  'Israeli',
  'airspace',
  'but',
  'the',
  'president',
  'is',
  'not',
  'expected',
  'to',
  'travel',
  'to',
  'the',
  'West',
  'Bank',
  'before',
  'Monday',
  ',',
  '"',
  'Nabil',
  'Abu',
  'Rdainah',
  'told',
  'Reuters',
  '.'],
 ['Arafat',
  'had',
  'been',
  'scheduled',
  'to',
  'meet',
  'former',
  'Israeli',
  'prime',
  'minister',
  'Shimon',
  'Peres',
  'in',
  'the',
  'West',
  'Bank',
  'town',
  'of',
  'Ramallah',
  'on',
  'Thursday',
  'but',
  'the',
  'venue',
  'was',
  'changed',
  'to',
  'Gaza',
  'after',
  'Israel',
  'denied',
  'flight',
  'clearance',
  'to',
  'the',
  'Palestinian',
  'leader',
  "'s",
  'helicopters',
  '.'],
 ['Palestinian',
  'officials',
  'accused',
  'right-wing',
  'Prime',
  'Minister',
  'Benjamin',
  'Netanyahu',
  'of',
  'trying',
  'to',
  'stop',
  'the',
  'Ramallah',
  'meeting',
  'by',
  'keeping',
  'Arafat',
  'grounded',
  '.'],
 ['Arafat',
  'subsequently',
  'cancelled',
  'a',
  'meeting',
  'between',
  'Israeli',
  'and',
  'PLO',
  'officials',
  ',',
  'on',
  'civilian',
  'affairs',
  ',',
  'at',
  'the',
  'Allenby',
  'Bridge',
  'crossing',
  'between',
  'Jordan',
  'and',
  'the',
  'West',
  'Bank',
  '.'],
 ['Abu',
  'Rdainah',
  'said',
  'Arafat',
  'had',
  'decided',
  'against',
  'flying',
  'to',
  'the',
  'West',
  'Bank',
  'on',
  'Thursday',
  ',',
  'after',
  'Israel',
  'lifted',
  'the',
  'ban',
  ',',
  'because',
  'he',
  'had',
  'a',
  'busy',
  'schedule',
  'in',
  'Gaza',
  'and',
  'would',
  'not',
  'be',
  'free',
  'until',
  'Monday',
  '.'],
 ['Arafat',
  'to',
  'meet',
  'Peres',
  'in',
  'Gaza',
  'after',
  'flight',
  'ban',
  '.'],
 ['JERUSALEM', '1996-08-22'],
 ['Yasser',
  'Arafat',
  'will',
  'meet',
  'Shimon',
  'Peres',
  'in',
  'Gaza',
  'on',
  'Thursday',
  'after',
  'Palestinians',
  'said',
  'the',
  'right-wing',
  'Israeli',
  'government',
  'had',
  'barred',
  'the',
  'Palestinian',
  'leader',
  'from',
  'flying',
  'to',
  'the',
  'West',
  'Bank',
  'for',
  'talks',
  'with',
  'the',
  'former',
  'prime',
  'minister',
  '.'],
 ['"',
  'The',
  'meeting',
  'between',
  'Peres',
  'and',
  'Arafat',
  'will',
  'take',
  'place',
  'at',
  'Erez',
  'checkpoint',
  'in',
  'Gaza',
  'and',
  'not',
  'in',
  'Ramallah',
  'as',
  'planned',
  ',',
  '"',
  'Peres',
  "'",
  'office',
  'said',
  '.'],
 ['Palestinian',
  'officials',
  'said',
  'the',
  'Israeli',
  'government',
  'had',
  'barred',
  'Arafat',
  'from',
  'overflying',
  'Israel',
  'in',
  'a',
  'Palestinian',
  'helicopter',
  'to',
  'the',
  'West',
  'Bank',
  'in',
  'an',
  'attempt',
  'to',
  'bar',
  'the',
  'meeting',
  'with',
  'Peres',
  '.'],
 ['Israeli',
  'Prime',
  'Minister',
  'Benjamin',
  'Netanyahu',
  'has',
  'accused',
  'opposition',
  'leader',
  'Peres',
  ',',
  'who',
  'he',
  'defeated',
  'in',
  'May',
  'elections',
  ',',
  'of',
  'trying',
  'to',
  'undermine',
  'his',
  'Likud',
  'government',
  "'s",
  'authority',
  'to',
  'conduct',
  'peace',
  'talks',
  '.'],
 ['Afghan',
  'UAE',
  'embassy',
  'says',
  'Taleban',
  'guards',
  'going',
  'home',
  '.'],
 ['Hilary', 'Gush'],
 ['DUBAI', '1996-08-22'],
 ['Three',
  'Afghan',
  'guards',
  'brought',
  'to',
  'the',
  'United',
  'Arab',
  'Emirates',
  'last',
  'week',
  'by',
  'Russian',
  'hostages',
  'who',
  'escaped',
  'from',
  'the',
  'Taleban',
  'militia',
  'will',
  'return',
  'to',
  'Afghanistan',
  'in',
  'a',
  'few',
  'days',
  ',',
  'the',
  'Afghan',
  'embassy',
  'in',
  'Abu',
  'Dhabi',
  'said',
  'on',
  'Thursday',
  '.'],
 ['"',
  'Our',
  'ambassador',
  'is',
  'in',
  'touch',
  'with',
  'the',
  'UAE',
  'foreign',
  'ministry',
  '.'],
 ['Their',
  'return',
  'to',
  'Afghanistan',
  'will',
  'take',
  'place',
  'in',
  'two',
  'or',
  'three',
  'days',
  ',',
  '"',
  'an',
  'embassy',
  'official',
  'said',
  '.'],
 ['"',
  'The',
  'embassy',
  'is',
  'issuing',
  'them',
  'travel',
  'documents',
  'for',
  'their',
  'return',
  'to',
  'their',
  'homeland',
  '.'],
 ['There',
  'is',
  'no',
  'objection',
  'to',
  'their',
  'travel',
  ',',
  '"',
  'he',
  'added',
  '.'],
 ['The',
  'three',
  'Islamic',
  'Taleban',
  'guards',
  'were',
  'overpowered',
  'by',
  'seven',
  'Russian',
  'aircrew',
  'who',
  'escaped',
  'to',
  'UAE',
  'state',
  'Sharjah',
  'last',
  'Friday',
  'on',
  'board',
  'their',
  'own',
  'aircraft',
  'after',
  'a',
  'year',
  'in',
  'the',
  'captivity',
  'of',
  'Taleban',
  'militia',
  'in',
  'Kandahar',
  'in',
  'southern',
  'Afghanistan',
  '.'],
 ['The',
  'UAE',
  'said',
  'on',
  'Monday',
  'it',
  'would',
  'hand',
  'over',
  'the',
  'three',
  'to',
  'the',
  'International',
  'Red',
  'Crescent',
  ',',
  'possibly',
  'last',
  'Tuesday',
  '.'],
 ['It', 'has', 'since', 'been', 'silent', 'on', 'the', 'issue', '.'],
 ['When',
  'asked',
  'whether',
  'the',
  'three',
  'guards',
  'would',
  'travel',
  'back',
  'to',
  'Kandahar',
  'or',
  'the',
  'Afghan',
  'capital',
  'Kabul',
  ',',
  'the',
  'embassy',
  'official',
  'said',
  ':',
  '"',
  'That',
  'has',
  'not',
  'been',
  'decided',
  ',',
  'but',
  'possibly',
  'Kandahar',
  '.',
  '"'],
 ['Kandahar',
  'is',
  'the',
  'headquarters',
  'of',
  'the',
  'opposition',
  'Taleban',
  'militia',
  '.'],
 ['Kabul',
  'is',
  'controlled',
  'by',
  'President',
  'Burhanuddin',
  'Rabbani',
  "'s",
  'government',
  ',',
  'which',
  'Taleban',
  'is',
  'fighting',
  'to',
  'overthrow',
  '.'],
 ['The',
  'embassy',
  'official',
  'said',
  'the',
  'three',
  'men',
  ',',
  'believed',
  'to',
  'be',
  'in',
  'their',
  '20s',
  ',',
  'were',
  'currently',
  'in',
  'Abu',
  'Dhabi',
  '.'],
 ['He', 'did', 'not', 'elaborate', '.'],
 ['The',
  'Russians',
  ',',
  'working',
  'for',
  'the',
  'Aerostan',
  'firm',
  'in',
  'the',
  'Russian',
  'republic',
  'of',
  'Tatarstan',
  ',',
  'were',
  'taken',
  'hostage',
  'after',
  'a',
  'Taleban',
  'MiG-19',
  'fighter',
  'forced',
  'their',
  'cargo',
  'plane',
  'to',
  'land',
  'in',
  'August',
  '1995',
  '.'],
 ['Taleban',
  'said',
  'its',
  'shipment',
  'of',
  'ammunition',
  'from',
  'Albania',
  'was',
  'evidence',
  'of',
  'Russian',
  'military',
  'support',
  'for',
  'Rabbani',
  "'s",
  'government',
  '.'],
 ['Moscow',
  'said',
  'the',
  'crew',
  "'s",
  'nationality',
  'was',
  'coincidental',
  '.'],
 ['Numerous',
  'diplomatic',
  'attempts',
  'to',
  'free',
  'the',
  'seven',
  'failed',
  '.'],
 ['The',
  'Russians',
  ',',
  'who',
  'said',
  'they',
  'overpowered',
  'the',
  'guards',
  '--',
  'two',
  'armed',
  'with',
  'Kalashnikov',
  'automatic',
  'rifles',
  '--',
  'while',
  'doing',
  'regular',
  'maintenance',
  'work',
  'on',
  'their',
  'Ilyushin',
  '76',
  'cargo',
  'plane',
  'last',
  'Friday',
  ',',
  'left',
  'the',
  'UAE',
  'capital',
  'Abu',
  'Dhabi',
  'for',
  'home',
  'on',
  'Sunday',
  '.'],
 ['Iraq', "'s", 'Saddam', 'meets', 'Russia', "'s", 'Zhirinovsky', '.'],
 ['BAGHDAD', '1996-08-22'],
 ['Iraqi',
  'President',
  'Saddam',
  'Hussein',
  'has',
  'told',
  'visiting',
  'Russian',
  'ultra-nationalist',
  'Vladimir',
  'Zhirinovsky',
  'that',
  'Baghdad',
  'wanted',
  'to',
  'maintain',
  '"',
  'friendship',
  'and',
  'cooperation',
  '"',
  'with',
  'Moscow',
  ',',
  'official',
  'Iraqi',
  'newspapers',
  'said',
  'on',
  'Thursday',
  '.'],
 ['"',
  'President',
  'Saddam',
  'Hussein',
  'stressed',
  'during',
  'the',
  'meeting',
  'Iraq',
  "'s",
  'keenness',
  'to',
  'maintain',
  'friendship',
  'and',
  'cooperation',
  'with',
  'Russia',
  ',',
  '"',
  'the',
  'papers',
  'said',
  '.'],
 ['They',
  'said',
  'Zhirinovsky',
  'told',
  'Saddam',
  'before',
  'he',
  'left',
  'Baghdad',
  'on',
  'Wednesday',
  'that',
  'his',
  'Liberal',
  'Democratic',
  'party',
  'and',
  'the',
  'Russian',
  'Duma',
  '(',
  'parliament',
  ')',
  '"',
  'are',
  'calling',
  'for',
  'an',
  'immediate',
  'lifting',
  'of',
  'the',
  'embargo',
  '"',
  'imposed',
  'on',
  'Iraq',
  'after',
  'its',
  '1990',
  'invasion',
  'of',
  'Kuwait',
  '.'],
 ['Zhirinovsky',
  'said',
  'on',
  'Tuesday',
  'he',
  'would',
  'press',
  'the',
  'Russian',
  'government',
  'to',
  'help',
  'end',
  'U.N.',
  'trade',
  'sanctions',
  'on',
  'Iraq',
  'and',
  'blamed',
  'Moscow',
  'for',
  'delaying',
  'establishment',
  'of',
  'good',
  'ties',
  'with',
  'Baghdad',
  '.'],
 ['"',
  'Our',
  'stand',
  'is',
  'firm',
  ',',
  'namely',
  'we',
  'are',
  'calling',
  'on',
  '(',
  'the',
  'Russian',
  ')',
  'government',
  'to',
  'end',
  'the',
  'economic',
  'embargo',
  'on',
  'Iraq',
  'and',
  'resume',
  'trade',
  'ties',
  'between',
  'Russia',
  'and',
  'Iraq',
  ',',
  '"',
  'he',
  'told',
  'reporters',
  '.'],
 ['Zhirinovsky', 'visited', 'Iraq', 'twice', 'in', '1995', '.'],
 ['Last',
  'October',
  'he',
  'was',
  'invited',
  'to',
  'attend',
  'the',
  'referendum',
  'held',
  'on',
  'Iraq',
  "'s",
  'presidency',
  ',',
  'which',
  'extended',
  'Saddam',
  "'s",
  'term',
  'for',
  'seven',
  'more',
  'years',
  '.'],
 ['PRESS', 'DIGEST', '-', 'Iraq', '-', 'Aug', '22', '.'],
 ['BAGHDAD', '1996-08-22'],
 ['These',
  'are',
  'some',
  'of',
  'the',
  'leading',
  'stories',
  'in',
  'the',
  'official',
  'Iraqi',
  'press',
  'on',
  'Thursday',
  '.'],
 ['Reuters',
  'has',
  'not',
  'verified',
  'these',
  'stories',
  'and',
  'does',
  'not',
  'vouch',
  'for',
  'their',
  'accuracy',
  '.'],
 ['THAWRA'],
 ['-',
  'Iraq',
  "'s",
  'President',
  'Saddam',
  'Hussein',
  'meets',
  'with',
  'chairman',
  'of',
  'the',
  'Russian',
  'liberal',
  'democratic',
  'party',
  'Vladimir',
  'Zhirinovsky',
  '.'],
 ['-',
  'Turkish',
  'foreign',
  'minister',
  'says',
  'Turkey',
  'will',
  'take',
  'part',
  'in',
  'the',
  'Baghdad',
  'trade',
  'fair',
  'that',
  'will',
  'be',
  'held',
  'in',
  'November',
  '.'],
 ['IRAQ'],
 ['-',
  'A',
  'shipload',
  'of',
  '12',
  'tonnes',
  'of',
  'rice',
  'arrives',
  'in',
  'Umm',
  'Qasr',
  'port',
  'in',
  'the',
  'Gulf',
  '.'],
 ['PRESS', 'DIGEST', '-', 'Lebanon', '-', 'Aug', '22', '.'],
 ['BEIRUT', '1996-08-22'],
 ['These',
  'are',
  'the',
  'leading',
  'stories',
  'in',
  'the',
  'Beirut',
  'press',
  'on',
  'Thursday',
  '.'],
 ['Reuters',
  'has',
  'not',
  'verified',
  'these',
  'stories',
  'and',
  'does',
  'not',
  'vouch',
  'for',
  'their',
  'accuracy',
  '.'],
 ['AN-NAHAR'],
 ['-',
  'Confrontation',
  'is',
  'escalating',
  'between',
  'Hizbollah',
  'and',
  'the',
  'government',
  '.'],
 ['-',
  'Prime',
  'Minister',
  'Hariri',
  ':',
  'Israeli',
  'threats',
  'do',
  'no',
  'serve',
  'peace',
  '.'],
 ['AS-SAFIR'],
 ['-',
  'Parliament',
  'Speaker',
  'Berri',
  ':',
  'Israel',
  'is',
  'preparing',
  'for',
  'war',
  'against',
  'Syria',
  'and',
  'Lebanon',
  '.'],
 ['-', 'Parliamentary', 'battle', 'in', 'Beirut', '..'],
 ['The', 'three', 'main', 'lists', 'have', 'been', 'prepared', '.'],
 ['AL-ANWAR'],
 ['-',
  'Continued',
  'criticism',
  'of',
  'law',
  'violation',
  'incidents',
  '--',
  'which',
  'occurred',
  'in',
  'the',
  'Mount',
  'Lebanon',
  'elections',
  'last',
  'Sunday',
  '.'],
 ['AD-DIYAR'],
 ['-',
  'Financial',
  'negotiations',
  'between',
  'Lebanon',
  'and',
  'Pakistan',
  '.'],
 ['-',
  'Hariri',
  'to',
  'step',
  'into',
  'the',
  'election',
  'battle',
  'with',
  'an',
  'incomplete',
  'list',
  '.'],
 ["NIDA'A", 'AL-WATAN'],
 ['-',
  'Maronite',
  'Patriarch',
  'Sfeir',
  'expressed',
  'sorrow',
  'over',
  'the',
  'violations',
  'in',
  'Sunday',
  "'",
  'elections',
  '.'],
 ['CME', 'live', 'and', 'feeder', 'cattle', 'calls', 'range', 'mixed', '.'],
 ['CHICAGO', '1996-08-22'],
 ['Early',
  'calls',
  'on',
  'CME',
  'live',
  'and',
  'feeder',
  'cattle',
  'futures',
  'ranged',
  'from',
  '0.200',
  'cent',
  'higher',
  'to',
  '0.100',
  'lower',
  ',',
  'livestock',
  'analysts',
  'said',
  '.'],
 ['The',
  'continued',
  'strong',
  'tone',
  'to',
  'cash',
  'cattle',
  'and',
  'beef',
  'markets',
  'should',
  'prompt',
  'further',
  'support',
  '.'],
 ['Outlook',
  'for',
  'a',
  'bullish',
  'cattle-on-feed',
  'report',
  'is',
  'also',
  'expected',
  'to',
  'lend',
  'support',
  'and',
  'prompt',
  'some',
  'bull',
  'spreading',
  ',',
  'analysts',
  'said',
  '.'],
 ['However',
  ',',
  'trade',
  'will',
  'likely',
  'be',
  'light',
  'and',
  'prices',
  'could',
  'drift',
  'on',
  'evening',
  'up',
  'ahead',
  'of',
  'the',
  'report',
  '.'],
 ['Cash',
  'markets',
  'are',
  'also',
  'expected',
  'to',
  'be',
  'quiet',
  'after',
  'the',
  'record',
  'amount',
  'of',
  'feedlot',
  'cattle',
  'traded',
  'this',
  'week',
  ',',
  'they',
  'said',
  '.'],
 ['Kindercare', 'says', 'debt', 'buy', 'to', 'hit', 'Q1', 'results', '.'],
 ['MONTGOMERY', ',', 'Ala', '.'],
 ['1996-08-22'],
 ['KinderCare',
  'Learning',
  'Centers',
  'Inc',
  'said',
  'on',
  'Thursday',
  'that',
  'a',
  'debt',
  'buyback',
  'would',
  'mean',
  'an',
  'extraordinary',
  'loss',
  'of',
  '$',
  '1.2',
  'million',
  'in',
  'its',
  'fiscal',
  '1997',
  'first',
  'quarter',
  '.'],
 ['The',
  'company',
  'said',
  'that',
  'during',
  'the',
  'quarter',
  ',',
  'which',
  'began',
  'June',
  '1',
  ',',
  'it',
  'bought',
  '$',
  '30',
  'million',
  'par',
  'value',
  'of',
  'its',
  'outstanding',
  '10-3/8',
  'percent',
  'senior',
  'notes',
  'due',
  '2001',
  '.'],
 ['The', 'notes', 'were', 'bought', 'for', '$', '31.5', 'million', '.'],
 ['Philip',
  'Maslowe',
  ',',
  'chief',
  'financial',
  'officer',
  'of',
  'the',
  'preschool',
  'and',
  'child',
  'care',
  'company',
  ',',
  'said',
  'the',
  'buyback',
  '"',
  'offered',
  'an',
  'opportunity',
  'to',
  'reduce',
  'the',
  'company',
  "'s",
  'weighted',
  'average',
  'interest',
  'costs',
  'and',
  'improve',
  'future',
  'cash',
  'flows',
  'and',
  'earnings',
  '.',
  '"'],
 ['RESEARCH', 'ALERT', '-', 'Lehman', 'starts', 'SNET', '.'],
 ['--',
  'Lehman',
  'analyst',
  'Blake',
  'Bath',
  'started',
  'Southern',
  'New',
  'England',
  'Telecommunciations',
  'Corp',
  'with',
  'an',
  'outperform',
  'rating',
  ',',
  'his',
  'office',
  'said',
  '.'],
 ['--',
  'The',
  'analyst',
  'set',
  'a',
  '12-month',
  'price',
  'target',
  'of',
  '$',
  '45',
  'and',
  'a',
  'fiscal',
  '1996',
  'year',
  'earnings',
  'estimate',
  'of',
  '$',
  '3.09',
  'per',
  'share',
  ',',
  'his',
  'office',
  'said',
  '.'],
 ['--',
  'The',
  'analyst',
  'also',
  'set',
  'an',
  'earnings',
  'estimate',
  'for',
  'the',
  '1997',
  'year',
  ',',
  'but',
  'the',
  'figure',
  'was',
  'not',
  'immediately',
  'available',
  '.'],
 ['--',
  'Southern',
  'New',
  'England',
  'closed',
  'at',
  '38-1/2',
  'Wednesday',
  '.'],
 ['--', 'E.', 'Auchard', ',', 'Wall', 'Street', 'bureau', ',', '212-859-1736'],
 ['Gateway', 'Data', 'Sciences', 'Q2', 'net', 'rises', '.'],
 ['PHOENIX', '1996-08-22'],
 ['Summary', 'of', 'Consolidated', 'Financial', 'Data'],
 ['(', 'In', 'Thousands', ',', 'except', 'per', 'share', 'data', ')'],
 ['Six', 'Months', 'Ended', 'Quarter', 'Ended'],
 ['Jul', '31', ',', 'Jul', '31', ',', 'Jul', '31', ',', 'Jul', '31', ','],
 ['1996', '1995', '1996', '1995'],
 ['Income', 'Statement', 'Data', ':'],
 ['Total',
  'Revenue',
  '$',
  '10,756',
  '$',
  '13,102',
  '$',
  '7,961',
  '$',
  '5,507'],
 ['Software', 'Revenue', '2,383', '1,558', '1,086', '1,074'],
 ['Services', 'Revenue', '1,154', '692', '624', '465'],
 ['Operating', 'Income', '906', '962', '599', '515'],
 ['Net', 'Income', '821', '512', '565', '301'],
 ['Earnings', 'Per', 'Share', '0.31', '0.34', '0.19', '0.20'],
 ['Jul', '31', ',', '1996', 'Jan', '31', ',', '1996'],
 ['Balance', 'Sheet', 'Data', ':'],
 ['Working', 'Capital', '$', '5,755', '(', '$', '881', ')'],
 ['Cash', 'and', 'Cash', 'Equivalents', '2,386', '93'],
 ['Total', 'Assets', '14,196', '7,138'],
 ['Shareholders', "'", 'Equity', '5,951', '(', '1,461', ')'],
 ['Greek',
  'socialists',
  'give',
  'PM',
  'green',
  'light',
  'for',
  'election',
  '.'],
 ['ATHENS', '1996-08-22'],
 ['The',
  'Greek',
  'socialist',
  'party',
  "'s",
  'executive',
  'bureau',
  'gave',
  'Prime',
  'Minister',
  'Costas',
  'Simitis',
  'its',
  'backing',
  'if',
  'he',
  'chooses',
  'to',
  'call',
  'snap',
  'elections',
  ',',
  'its',
  'general',
  'secretary',
  'Costas',
  'Skandalidis',
  'told',
  'reporters',
  'on',
  'Thursday',
  '.'],
 ['Prime',
  'Minister',
  'Costas',
  'Simitis',
  'will',
  'make',
  'an',
  'official',
  'announcement',
  'after',
  'a',
  'cabinet',
  'meeting',
  'later',
  'on',
  'Thursday',
  ',',
  'said',
  'Skandalidis',
  '.'],
 ['--',
  'Dimitris',
  'Kontogiannis',
  ',',
  'Athens',
  'Newsroom',
  '+301',
  '3311812-4'],
 ['PRESS', 'DIGEST', '-', 'France', '-', 'Le', 'Monde', 'Aug', '22', '.'],
 ['PARIS', '1996-08-22'],
 ['These',
  'are',
  'leading',
  'stories',
  'in',
  'Thursday',
  "'s",
  'afternoon',
  'daily',
  'Le',
  'Monde',
  ',',
  'dated',
  'Aug',
  '23',
  '.'],
 ['FRONT', 'PAGE'],
 ['--',
  'Africans',
  'seeking',
  'to',
  'renew',
  'or',
  'obtain',
  'work',
  'and',
  'residence',
  'rights',
  'say',
  'Prime',
  'Minister',
  'Alain',
  'Juppe',
  "'s",
  'proposals',
  'are',
  'insufficient',
  'as',
  'hunger',
  'strike',
  'enters',
  '49th',
  'day',
  'in',
  'Paris',
  'church',
  'and',
  'Wednesday',
  'rally',
  'attracts',
  '8,000',
  'sympathisers',
  '.'],
 ['--',
  'FLNC',
  'Corsican',
  'nationalist',
  'movement',
  'announces',
  'end',
  'of',
  'truce',
  'after',
  'last',
  'night',
  "'s",
  'attacks',
  '.'],
 ['BUSINESS', 'PAGES'],
 ['--',
  'Shutdown',
  'of',
  'Bally',
  "'s",
  'French',
  'factories',
  'points',
  'up',
  'shoe',
  'industry',
  'crisis',
  ',',
  'with',
  'French',
  'manufacturers',
  'undercut',
  'by',
  'low-wage',
  'country',
  'competition',
  'and',
  'failure',
  'to',
  'keep',
  'abreast',
  'of',
  'trends',
  '.'],
 ['--',
  'Secretary',
  'general',
  'of',
  'the',
  'Sud-PTT',
  'trade',
  'union',
  'at',
  'France',
  'Telecom',
  'all',
  'the',
  'elements',
  'are',
  'in',
  'place',
  'for',
  'social',
  'unrest',
  'in',
  'the',
  'next',
  'few',
  'weeks',
  '.'],
 ['--', 'Paris', 'Newsroom', '+33', '1', '42', '21', '53', '81'],
 ['Well',
  'repairs',
  'to',
  'lift',
  'Heidrun',
  'oil',
  'output',
  '-',
  'Statoil',
  '.'],
 ['OSLO', '1996-08-22'],
 ['Three',
  'plugged',
  'water',
  'injection',
  'wells',
  'on',
  'the',
  'Heidrun',
  'oilfield',
  'off',
  'mid-Norway',
  'will',
  'be',
  'reopened',
  'over',
  'the',
  'next',
  'month',
  ',',
  'operator',
  'Den',
  'Norske',
  'Stats',
  'Oljeselskap',
  'AS',
  '(',
  'Statoil',
  ')',
  'said',
  'on',
  'Thursday',
  '.'],
 ['The',
  'plugged',
  'wells',
  'have',
  'accounted',
  'for',
  'a',
  'dip',
  'of',
  '30,000',
  'barrels',
  'per',
  'day',
  '(',
  'bpd',
  ')',
  'in',
  'Heidrun',
  'output',
  'to',
  'roughly',
  '220,000',
  'bpd',
  ',',
  'according',
  'to',
  'the',
  'company',
  "'s",
  'Status',
  'Weekly',
  'newsletter',
  '.'],
 ['The',
  'wells',
  'will',
  'be',
  'reperforated',
  'and',
  'gravel',
  'will',
  'be',
  'pumped',
  'into',
  'the',
  'reservoir',
  'through',
  'one',
  'of',
  'the',
  'wells',
  'to',
  'avoid',
  'plugging',
  'problems',
  'in',
  'the',
  'future',
  ',',
  'it',
  'said',
  '.'],
 ['--', 'Oslo', 'newsroom', '+47', '22', '42', '50', '41'],
 ['Finnish',
  'April',
  'trade',
  'surplus',
  '3.8',
  'billion',
  'markka',
  '-',
  'NCB',
  '.'],
 ['HELSINKI', '1996-08-22'],
 ['Finland',
  "'s",
  'trade',
  'surplus',
  'rose',
  'to',
  '3.83',
  'billion',
  'markka',
  'in',
  'April',
  'from',
  '3.43',
  'billion',
  'in',
  'March',
  ',',
  'the',
  'National',
  'Customs',
  'Board',
  '(',
  'NCB',
  ')',
  'said',
  'in',
  'a',
  'statement',
  'on',
  'Thursday',
  '.'],
 ['The',
  'value',
  'of',
  'exports',
  'fell',
  'one',
  'percent',
  'year-on-year',
  'in',
  'April',
  'and',
  'the',
  'value',
  'of',
  'imports',
  'fell',
  'two',
  'percent',
  ',',
  'NCB',
  'said',
  '.'],
 ['Trade', 'balance', '(', 'million', 'markka', ')', ':'],
 ['April',
  "'",
  '96',
  'March',
  "'",
  '96',
  'Jan-April',
  "'",
  '96',
  'Jan-April',
  "'",
  '95'],
 ['Imports', '10,663', '10,725', '43,430', '40,989'],
 ['Exports', '14,494', '14,153', '56,126', '56,261'],
 ['Balance', '+3,831', '+3,428', '+12,696', '+15,272'],
 ['The',
  'January-April',
  '1995',
  'import',
  'figure',
  'was',
  'revised',
  'from',
  '39,584',
  'million',
  'markka',
  'and',
  'the',
  'export',
  'figure',
  'from',
  '55,627',
  'million',
  'markka',
  '.'],
 ['The',
  'Bank',
  'of',
  'Finland',
  'earlier',
  'estimated',
  'the',
  'April',
  'trade',
  'surplus',
  'at',
  '3.2',
  'billion',
  'markka',
  'with',
  'exports',
  'projected',
  'at',
  '14.5',
  'billion',
  'and',
  'imports',
  'at',
  '11.3',
  'billion',
  '.'],
 ['The',
  'NCB',
  "'s",
  'official',
  'monthly',
  'trade',
  'statistics',
  'are',
  'lagging',
  'behind',
  'due',
  'to',
  'changes',
  'in',
  'customs',
  'procedures',
  'when',
  'Finland',
  'joined',
  'the',
  'European',
  'Union',
  'at',
  'the',
  'start',
  'of',
  '1995',
  '.'],
 ['--', 'Helsinki', 'Newsroom', '+358', '-', '0', '-', '680', '50', '245'],
 ['Dutch', 'state', 'raises', 'tap', 'sale', 'price', 'to', '99.95', '.'],
 ['AMSTERDAM', '1996-08-22'],
 ['The',
  'Finance',
  'Ministry',
  'raised',
  'the',
  'price',
  'for',
  'tap',
  'sales',
  'of',
  'the',
  'Dutch',
  'government',
  "'s",
  'new',
  '5.75',
  'percent',
  'bond',
  'due',
  'September',
  '2002',
  'to',
  '99.95',
  'from',
  '99.90',
  '.'],
 ['Tap',
  'sales',
  'began',
  'on',
  'Monday',
  'and',
  'are',
  'being',
  'held',
  'daily',
  'from',
  '07.00',
  'GMT',
  'to',
  '15.00',
  'GMT',
  'until',
  'further',
  'notice',
  '.'],
 ['The',
  'ministry',
  'had',
  'raised',
  '2.3',
  'billion',
  'guilders',
  'from',
  'sales',
  'of',
  'the',
  'new',
  'bond',
  'by',
  'the',
  'close',
  'of',
  'trade',
  'on',
  'Wednesday',
  '.'],
 ['--', 'Amsterdam', 'newsroom', '+31', '20', '504', '5000'],
 ['German',
  'farm',
  'ministry',
  'tells',
  'consumers',
  'to',
  'avoid',
  'British',
  'mutton',
  '.'],
 ['BONN', '1996-08-22'],
 ['Germany',
  "'s",
  'Agriculture',
  'Ministry',
  'suggested',
  'on',
  'Wednesday',
  'that',
  'consumers',
  'avoid',
  'eating',
  'meat',
  'from',
  'British',
  'sheep',
  'until',
  'scientists',
  'determine',
  'whether',
  'mad',
  'cow',
  'disease',
  'can',
  'be',
  'transmitted',
  'to',
  'the',
  'animals',
  '.'],
 ['"',
  'Until',
  'this',
  'is',
  'cleared',
  'up',
  'by',
  'the',
  'European',
  'Union',
  "'s",
  'scientific',
  'panels',
  '--',
  'and',
  'we',
  'have',
  'asked',
  'this',
  'to',
  'be',
  'done',
  'as',
  'quickly',
  'as',
  'possible',
  '--',
  '(',
  'consumers',
  ')',
  'should',
  'if',
  'at',
  'all',
  'possible',
  'give',
  'preference',
  'to',
  'sheepmeat',
  'from',
  'other',
  'countries',
  ',',
  '"',
  'ministry',
  'official',
  'Werner',
  'Zwingmann',
  'told',
  'ZDF',
  'television',
  '.'],
 ['"',
  'I',
  'do',
  'not',
  'want',
  'to',
  'say',
  'that',
  'there',
  'is',
  'a',
  'concrete',
  'danger',
  'for',
  'consumers',
  ',',
  '"',
  'he',
  'added',
  '.',
  '"'],
 ['There',
  'are',
  'too',
  'many',
  'holes',
  'in',
  'what',
  'we',
  'know',
  ',',
  'and',
  'these',
  'must',
  'be',
  'filled',
  'very',
  'quickly',
  '.',
  '"'],
 ['Bonn',
  'has',
  'led',
  'efforts',
  'to',
  'ensure',
  'consumer',
  'protection',
  'tops',
  'the',
  'list',
  'of',
  'priorities',
  'in',
  'dealing',
  'with',
  'the',
  'mad',
  'cow',
  'crisis',
  ',',
  'which',
  'erupted',
  'in',
  'March',
  'when',
  'Britain',
  'acknowledged',
  'humans',
  'could',
  'contract',
  'a',
  'similar',
  'illness',
  'by',
  'eating',
  'contaminated',
  'beef',
  '.'],
 ['The',
  'European',
  'Commission',
  'agreed',
  'this',
  'month',
  'to',
  'rethink',
  'a',
  'proposal',
  'to',
  'ban',
  'the',
  'use',
  'of',
  'suspect',
  'sheep',
  'tissue',
  'after',
  'some',
  'EU',
  'veterinary',
  'experts',
  'questioned',
  'whether',
  'it',
  'was',
  'justified',
  '.'],
 ['EU',
  'Farm',
  'Commissioner',
  'Franz',
  'Fischler',
  'had',
  'proposed',
  'banning',
  'sheep',
  'brains',
  ',',
  'spleens',
  'and',
  'spinal',
  'cords',
  'from',
  'the',
  'human',
  'and',
  'animal',
  'food',
  'chains',
  'after',
  'reports',
  'from',
  'Britain',
  'and',
  'France',
  'that',
  'under',
  'laboratory',
  'conditions',
  'sheep',
  'could',
  'contract',
  'Bovine',
  'Spongiform',
  'Encephalopathy',
  '(',
  'BSE',
  ')',
  '--',
  'mad',
  'cow',
  'disease',
  '.'],
 ['But',
  'some',
  'members',
  'of',
  'the',
  'EU',
  "'s",
  'standing',
  'veterinary',
  'committee',
  'questioned',
  'whether',
  'the',
  'action',
  'was',
  'necessary',
  'given',
  'the',
  'slight',
  'risk',
  'to',
  'human',
  'health',
  '.'],
 ['The',
  'question',
  'is',
  'being',
  'studied',
  'separately',
  'by',
  'two',
  'EU',
  'scientific',
  'committees',
  '.'],
 ['Sheep',
  'have',
  'long',
  'been',
  'known',
  'to',
  'contract',
  'scrapie',
  ',',
  'a',
  'similar',
  'brain-wasting',
  'disease',
  'to',
  'BSE',
  'which',
  'is',
  'believed',
  'to',
  'have',
  'been',
  'transferred',
  'to',
  'cattle',
  'through',
  'feed',
  'containing',
  'animal',
  'waste',
  '.'],
 ['British',
  'officials',
  'say',
  'sheep',
  'meat',
  'is',
  'perfectly',
  'safe',
  'to',
  'eat',
  '.'],
 ['ZDF',
  'said',
  'Germany',
  'imported',
  '47,600',
  'sheep',
  'from',
  'Britain',
  'last',
  'year',
  ',',
  'nearly',
  'half',
  'of',
  'total',
  'imports',
  '.'],
 ['It',
  'brought',
  'in',
  '4,275',
  'tonnes',
  'of',
  'British',
  'mutton',
  ',',
  'some',
  '10',
  'percent',
  'of',
  'overall',
  'imports',
  '.'],
 ['After',
  'the',
  'British',
  'government',
  'admitted',
  'a',
  'possible',
  'link',
  'between',
  'mad',
  'cow',
  'disease',
  'and',
  'its',
  'fatal',
  'human',
  'equivalent',
  ',',
  'the',
  'EU',
  'imposed',
  'a',
  'worldwide',
  'ban',
  'on',
  'British',
  'beef',
  'exports',
  '.'],
 ['EU',
  'leaders',
  'agreed',
  'at',
  'a',
  'summit',
  'in',
  'June',
  'to',
  'a',
  'progressive',
  'lifting',
  'of',
  'the',
  'ban',
  'as',
  'Britain',
  'takes',
  'parallel',
  'measures',
  'to',
  'eradicate',
  'the',
  'disease',
  '.'],
 ['GOLF', '-', 'SCORES', 'AT', 'WORLD', 'SERIES', 'OF', 'GOLF', '.'],
 ['AKRON', ',', 'Ohio', '1996-08-22'],
 ['Scores', 'from', 'the', '$', '2.1'],
 ['million',
  'NEC',
  'World',
  'Series',
  'of',
  'Golf',
  'after',
  'the',
  'first',
  'round'],
 ['Thursday',
  'at',
  'the',
  '7,149',
  'yard',
  ',',
  'par',
  '70',
  'Firestone',
  'C.C',
  'course'],
 ['(', 'players', 'U.S.', 'unless', 'stated', ')', ':'],
 ['66',
  'Paul',
  'Goydos',
  ',',
  'Billy',
  'Mayfair',
  ',',
  'Hidemichi',
  'Tanaka',
  '(',
  'Japan',
  ')'],
 ['68', 'Steve', 'Stricker'],
 ['69', 'Justin', 'Leonard', ',', 'Mark', 'Brooks'],
 ['70',
  'Tim',
  'Herron',
  ',',
  'Duffy',
  'Waldorf',
  ',',
  'Davis',
  'Love',
  ',',
  'Anders',
  'Forsbrand'],
 ['(',
  'Sweden',
  ')',
  ',',
  'Nick',
  'Faldo',
  '(',
  'Britain',
  ')',
  ',',
  'John',
  'Cook',
  ',',
  'Steve',
  'Jones',
  ',',
  'Phil'],
 ['Mickelson', ',', 'Greg', 'Norman', '(', 'Australia', ')'],
 ['71', 'Ernie', 'Els', '(', 'South', 'Africa', ')', ',', 'Scott', 'Hoch'],
 ['72',
  'Clarence',
  'Rose',
  ',',
  'Loren',
  'Roberts',
  ',',
  'Fred',
  'Funk',
  ',',
  'Sven',
  'Struver'],
 ['(',
  'Germany',
  ')',
  ',',
  'Alexander',
  'Cejka',
  '(',
  'Germany',
  ')',
  ',',
  'Hal',
  'Sutton',
  ',',
  'Tom',
  'Lehman'],
 ['73',
  'D.A.',
  'Weibring',
  ',',
  'Brad',
  'Bryant',
  ',',
  'Craig',
  'Parry',
  '(',
  'Australia',
  ')',
  ','],
 ['Stewart',
  'Ginn',
  '(',
  'Australia',
  ')',
  ',',
  'Corey',
  'Pavin',
  ',',
  'Craig',
  'Stadler',
  ',',
  'Mark'],
 ["O'Meara", ',', 'Fred', 'Couples'],
 ['74', 'Paul', 'Stankowski', ',', 'Costantino', 'Rocca', '(', 'Italy', ')'],
 ['75',
  'Jim',
  'Furyk',
  ',',
  'Satoshi',
  'Higashi',
  '(',
  'Japan',
  ')',
  ',',
  'Willie',
  'Wood',
  ',',
  'Shigeki'],
 ['Maruyama', '(', 'Japan', ')'],
 ['76', 'Scott', 'McCarron'],
 ['77',
  'Wayne',
  'Westner',
  '(',
  'South',
  'Africa',
  ')',
  ',',
  'Steve',
  'Schneiter'],
 ['79', 'Tom', 'Watson'],
 ['81', 'Seiki', 'Okuda', '(', 'Japan', ')'],
 ['SOCCER', '-', 'GLORIA', 'BISTRITA', 'BEAT', '2-1', 'F.C.', 'VALLETTA', '.'],
 ['BISTRITA', '1996-08-22'],
 ['Gloria',
  'Bistrita',
  '(',
  'Romania',
  ')',
  'beat',
  '2-1',
  '(',
  'halftime',
  '1-1',
  ')',
  'F.C.',
  'Valletta',
  '(',
  'Malta',
  ')',
  'in',
  'their',
  'Cup',
  'winners',
  'Cup',
  'match',
  ',',
  'second',
  'leg',
  'of',
  'the',
  'preliminary',
  'round',
  ',',
  'on',
  'Thursday',
  '.'],
 ['Scorers', ':'],
 ['Gloria',
  'Bistrita',
  '-',
  'Ilie',
  'Lazar',
  '(',
  '32nd',
  ')',
  ',',
  'Eugen',
  'Voica',
  '(',
  '84th',
  ')'],
 ['F.C.', 'La', 'Valletta', '-', 'Gilbert', 'Agius', '(', '24th', ')'],
 ['Attendance', ':', '8,000'],
 ['Gloria',
  'Bistrita',
  'won',
  '4-2',
  'on',
  'aggregate',
  'and',
  'qualified',
  'for',
  'the',
  'first',
  'round',
  'of',
  'the',
  'Cup',
  'winners',
  'Cup',
  '.'],
 ['REUTER'],
 ['HORSE',
  'RACING',
  '-',
  'PIVOTAL',
  'ENDS',
  '25-YEAR',
  'WAIT',
  'FOR',
  'TRAINER',
  'PRESCOTT',
  '.'],
 ['YORK', ',', 'England', '1996-08-22'],
 ['Sir',
  'Mark',
  'Prescott',
  'landed',
  'his',
  'first',
  'group',
  'one',
  'victory',
  'in',
  '25',
  'years',
  'as',
  'a',
  'trainer',
  'when',
  'his',
  'top',
  'sprinter',
  'Pivotal',
  ',',
  'a',
  '100-30',
  'chance',
  ',',
  'won',
  'the',
  'Nunthorpe',
  'Stakes',
  'on',
  'Thursday',
  '.'],
 ['The',
  'three-year-old',
  ',',
  'partnered',
  'by',
  'veteran',
  'George',
  'Duffield',
  ',',
  'snatched',
  'a',
  'short',
  'head',
  'verdict',
  'in',
  'the',
  'last',
  'stride',
  'to',
  'deny',
  'Eveningperformance',
  '(',
  '16-1',
  ')',
  ',',
  'trained',
  'by',
  'Henry',
  'Candy',
  'and',
  'ridden',
  'by',
  'Chris',
  'Rutter',
  '.'],
 ['Hever',
  'Golf',
  'Rose',
  '(',
  '11-4',
  ')',
  ',',
  'last',
  'year',
  "'s",
  'Prix',
  'de',
  'l',
  "'",
  'Abbaye',
  'winner',
  'at',
  'Longchamp',
  ',',
  'finished',
  'third',
  ',',
  'a',
  'further',
  'one',
  'and',
  'a',
  'quarter',
  'lengths',
  'away',
  'with',
  'the',
  '7-4',
  'favourite',
  'Mind',
  'Games',
  'in',
  'fourth',
  '.'],
 ['Pivotal',
  ',',
  'a',
  'Royal',
  'Ascot',
  'winner',
  'in',
  'June',
  ',',
  'may',
  'now',
  'be',
  'aimed',
  'at',
  'this',
  'season',
  "'s",
  'Abbaye',
  ',',
  'Europe',
  "'s",
  'top',
  'sprint',
  'race',
  '.'],
 ['Prescott',
  ',',
  'reluctant',
  'to',
  'go',
  'into',
  'the',
  'winner',
  "'s",
  'enclosure',
  'until',
  'the',
  'result',
  'of',
  'the',
  'photo-finish',
  'was',
  'announced',
  ',',
  'said',
  ':',
  '"',
  'Twenty-five',
  'years',
  'and',
  'I',
  'have',
  'never',
  'been',
  'there',
  'so',
  'I',
  'thought',
  'I',
  'had',
  'better',
  'wait',
  'a',
  'bit',
  'longer',
  '.',
  '"'],
 ['He',
  'added',
  ':',
  '"',
  'It',
  "'s",
  'very',
  'sad',
  'to',
  'beat',
  'Henry',
  'Candy',
  'because',
  'I',
  'am',
  'godfather',
  'to',
  'his',
  'daughter',
  '.',
  '"'],
 ['Like',
  'Prescott',
  ',',
  'Jack',
  'Berry',
  ',',
  'trainer',
  'of',
  'Mind',
  'Games',
  ',',
  'had',
  'gone',
  'into',
  'Thursday',
  "'s",
  'race',
  'in',
  'search',
  'of',
  'a',
  'first',
  'group',
  'one',
  'success',
  'after',
  'many',
  'years',
  'around',
  'the',
  'top',
  'of',
  'his',
  'profession',
  '.'],
 ['Berry',
  'said',
  ':',
  '"',
  'I`m',
  'disappointed',
  'but',
  'I',
  'do',
  "n't",
  'feel',
  'suicidal',
  '.'],
 ['He',
  '(',
  'Mind',
  'Games',
  ')',
  'was',
  'going',
  'as',
  'well',
  'as',
  'any',
  'of',
  'them',
  'one',
  'and',
  'a',
  'half',
  'furlongs',
  '(',
  '300',
  'metres',
  ')',
  'out',
  'but',
  'he',
  'just',
  'did',
  "n't",
  'quicken',
  '.',
  '"'],
 ['HORSE', 'RACING', '-', 'NUNTHORPE', 'STAKES', 'RESULTS', '.'],
 ['YORK', ',', 'England', '1996-08-22'],
 ['Result',
  'of',
  'the',
  'Nunthorpe',
  'Stakes',
  ',',
  'a',
  'group',
  'one',
  'race',
  'for',
  'two-year-olds',
  'and',
  'upwards',
  ',',
  'run',
  'over',
  'five',
  'furlongs',
  '(',
  '1',
  'km',
  ')',
  'on',
  'Thursday',
  ':'],
 ['1.', 'Pivotal', '100-30', '(', 'ridden', 'by', 'George', 'Duffield', ')'],
 ['2.', 'Eveningperformance', '16-1', '(', 'Chris', 'Rutter', ')'],
 ['3.', 'Hever', 'Golf', 'Rose', '11-4', '(', 'Jason', 'Weaver', ')'],
 ['Eight', 'ran', '.'],
 ['Favourite', ':', 'Mind', 'Games', '(', '7-4', ')', 'finished', '4th'],
 ['Distances', ':', 'a', 'short', 'head', ',', '1-1/4', 'lengths', '.'],
 ['Winner',
  'owned',
  'by',
  'the',
  'Cheveley',
  'Park',
  'Stud',
  'and',
  'trained',
  'by',
  'Sir'],
 ['Mark', 'Prescott', 'at', 'Newmarket', '.'],
 ['Value',
  'to',
  'winner',
  ':',
  '72,464',
  'pounds',
  'sterling',
  '(',
  '$',
  '112,200',
  ')'],
 ['TENNIS', '-', 'RESULTS', 'AT', 'TOSHIBA', 'CLASSIC', '.'],
 ['CARLSBAD', ',', 'California', '1996-08-21'],
 ['Results', 'from', 'the'],
 ['$',
  '450,000',
  'Toshiba',
  'Classic',
  'tennis',
  'tournament',
  'on',
  'Wednesday'],
 ['(', 'prefix', 'number', 'denotes', 'seeding', ')', ':'],
 ['Second', 'round'],
 ['1',
  '-',
  'Arantxa',
  'Sanchez',
  'Vicario',
  '(',
  'Spain',
  ')',
  'beat',
  'Naoko',
  'Kijimuta',
  '(',
  'Japan',
  ')'],
 ['1-6', '6-4', '6-3'],
 ['4',
  '-',
  'Kimiko',
  'Date',
  '(',
  'Japan',
  ')',
  'beat',
  'Yone',
  'Kamio',
  '(',
  'Japan',
  ')',
  '6-2',
  '7-5'],
 ['Sandrine',
  'Testud',
  '(',
  'France',
  ')',
  'beat',
  '7',
  '-',
  'Ai',
  'Sugiyama',
  '(',
  'Japan',
  ')',
  '6-3',
  '4-6'],
 ['6-4'],
 ['8',
  '-',
  'Nathalie',
  'Tauziat',
  '(',
  'France',
  ')',
  'beat',
  'Shi-Ting',
  'Wang',
  '(',
  'Taiwan',
  ')',
  '6-4'],
 ['6-2'],
 ['TENNIS', '-', 'RESULTS', 'AT', 'HAMLET', 'CUP', '.'],
 ['COMMACK', ',', 'New', 'York', '1996-08-21'],
 ['Results', 'from', 'the'],
 ['Waldbaum',
  'Hamlet',
  'Cup',
  'tennis',
  'tournament',
  'on',
  'Wednesday',
  '(',
  'prefix'],
 ['number', 'denotes', 'seeding', ')', ':'],
 ['Second', 'round'],
 ['1',
  '-',
  'Michael',
  'Chang',
  '(',
  'U.S.',
  ')',
  'beat',
  'Sergi',
  'Bruguera',
  '(',
  'Spain',
  ')',
  '6-3',
  '6-2'],
 ['Michael',
  'Joyce',
  '(',
  'U.S.',
  ')',
  'beat',
  '3',
  '-',
  'Richey',
  'Reneberg',
  '(',
  'U.S.',
  ')',
  '3-6',
  '6-4'],
 ['6-3'],
 ['Martin',
  'Damm',
  '(',
  'Czech',
  'Republic',
  ')',
  'beat',
  '6',
  '-',
  'Younes',
  'El',
  'Aynaoui'],
 ['(', 'Morocco', ')', '5-7', '6-3', '3-0', 'retired'],
 ['Karol',
  'Kucera',
  '(',
  'Slovakia',
  ')',
  'beat',
  'Hicham',
  'Arazi',
  '(',
  'Morocco',
  ')',
  '7-6',
  '(',
  '7-4',
  ')'],
 ['7-5'],
 ['SOCCER', '-', 'DALGLISH', 'SAD', 'OVER', 'BLACKBURN', 'PARTING', '.'],
 ['LONDON', '1996-08-22'],
 ['Kenny',
  'Dalglish',
  'spoke',
  'on',
  'Thursday',
  'of',
  'his',
  'sadness',
  'at',
  'leaving',
  'Blackburn',
  ',',
  'the',
  'club',
  'he',
  'led',
  'to',
  'the',
  'English',
  'premier',
  'league',
  'title',
  'in',
  '1994-95',
  '.'],
 ['Blackburn',
  'announced',
  'on',
  'Wednesday',
  'they',
  'and',
  'Dalglish',
  'had',
  'parted',
  'by',
  'mutual',
  'consent',
  '.'],
 ['But',
  'the',
  'ex-manager',
  'confessed',
  'on',
  'Thursday',
  'to',
  'being',
  '"',
  'sad',
  '"',
  'at',
  'leaving',
  'after',
  'taking',
  'Blackburn',
  'from',
  'the',
  'second',
  'division',
  'to',
  'the',
  'premier',
  'league',
  'title',
  'inside',
  'three',
  'and',
  'a',
  'half',
  'years',
  '.'],
 ['In',
  'a',
  'telephone',
  'call',
  'to',
  'a',
  'local',
  'newspaper',
  'from',
  'his',
  'holiday',
  'home',
  'in',
  'Spain',
  ',',
  'Dalglish',
  'said',
  ':',
  '"',
  'We',
  'came',
  'to',
  'the',
  'same',
  'opinion',
  ',',
  'albeit',
  'the',
  'club',
  'came',
  'to',
  'it',
  'a',
  'little',
  'bit',
  'earlier',
  'than',
  'me',
  '.',
  '"'],
 ['He',
  'added',
  ':',
  '"',
  'If',
  'no',
  'one',
  'asked',
  ',',
  'I',
  'never',
  'opened',
  'my',
  'mouth',
  '.'],
 ['I',
  'have',
  'stayed',
  'out',
  'of',
  'the',
  'way',
  'and',
  'let',
  'them',
  'get',
  'on',
  'with',
  'the',
  'job',
  '.'],
 ['The',
  'club',
  'thought',
  'it',
  '(',
  'the',
  'job',
  ')',
  'had',
  'run',
  'its',
  'course',
  'and',
  'I',
  'came',
  'to',
  'the',
  'same',
  'conclusion',
  '.',
  '"'],
 ['Dalglish',
  'had',
  'been',
  'with',
  'Blackburn',
  'for',
  'nearly',
  'five',
  'years',
  ',',
  'first',
  'as',
  'manager',
  'and',
  'then',
  ',',
  'for',
  'the',
  'past',
  '15',
  'months',
  ',',
  'as',
  'director',
  'of',
  'football',
  '.'],
 ['CRICKET', '-', 'ENGLISH', 'COUNTY', 'CHAMPIONSHIP', 'SCORES', '.'],
 ['LONDON', '1996-08-22'],
 ['Close', 'of', 'play', 'scores', 'in', 'four-day'],
 ['English',
  'County',
  'Championship',
  'cricket',
  'matches',
  'on',
  'Thursday',
  ':'],
 ['Second', 'day'],
 ['At',
  'Weston-super-Mare',
  ':',
  'Durham',
  '326',
  '(',
  'D.',
  'Cox',
  '95',
  'not',
  'out',
  ','],
 ['S.', 'Campbell', '69', ';', 'G.', 'Rose', '7-73', ')', '.'],
 ['Somerset', '236-4', '(', 'M.', 'Lathwell', '85', ')', '.'],
 ['Firsy', 'day'],
 ['At',
  'Colchester',
  ':',
  'Gloucestershire',
  '280',
  '(',
  'J.',
  'Russell',
  '63',
  ',',
  'A.',
  'Symonds'],
 ['52', ';', 'A.', 'Cowan', '5-68', ')', '.'],
 ['Essex', '72-0', '.'],
 ['At',
  'Cardiff',
  ':',
  'Kent',
  '128-1',
  '(',
  'M.',
  'Walker',
  '59',
  ',',
  'D.',
  'Fulton',
  '53',
  'not',
  'out',
  ')',
  'v'],
 ['Glamorgan', '.'],
 ['At',
  'Leicester',
  ':',
  'Leicestershire',
  '343-8',
  '(',
  'P.',
  'Simmons',
  '108',
  ',',
  'P.',
  'Nixon'],
 ['67', 'not', 'out', ')', 'v', 'Hampshire', '.'],
 ['At',
  'Northampton',
  ':',
  'Sussex',
  '368-7',
  '(',
  'N.',
  'Lenham',
  '145',
  ',',
  'V.',
  'Drakes',
  '59',
  'not'],
 ['out', ',', 'A.', 'Wells', '51', ')', 'v', 'Northamptonshire', '.'],
 ['At',
  'Trent',
  'Bridge',
  ':',
  'Nottinghamshire',
  '392-6',
  '(',
  'G.',
  'Archer',
  '143',
  'not'],
 ['out', ',', 'M.', 'Dowman', '107', ')', 'v', 'Surrey', '.'],
 ['At',
  'Worcester',
  ':',
  'Warwickshire',
  '255-9',
  '(',
  'A.',
  'Giles',
  '57',
  'not',
  'out',
  ',',
  'W.',
  'Khan'],
 ['52', ')', 'v', 'Worcestershire', '.'],
 ['At',
  'Headingley',
  ':',
  'Yorkshire',
  '305-5',
  '(',
  'C.',
  'White',
  '66',
  'not',
  'out',
  ',',
  'M.',
  'Moxon'],
 ['66', ',', 'M.', 'Vaughan', '57', ')', 'v', 'Lancashire', '.'],
 ['CRICKET',
  '-',
  'ENGLAND',
  'V',
  'PAKISTAN',
  'FINAL',
  'TEST',
  'SCOREBOARD',
  '.'],
 ['LONDON', '1996-08-22'],
 ['Scoreboard', 'on', 'the', 'first', 'day', 'of', 'the'],
 ['third',
  'and',
  'final',
  'test',
  'between',
  'England',
  'and',
  'Pakistan',
  'at',
  'The',
  'Oval',
  'on'],
 ['Thursday', ':'],
 ['England', 'first', 'innings'],
 ['M.', 'Atherton', 'b', 'Waqar', 'Younis', '31'],
 ['A.', 'Stewart', 'b', 'Mushtaq', 'Ahmed', '44'],
 ['N.', 'Hussain', 'c', 'Saeed', 'Anwar', 'b', 'Waqar', 'Younis', '12'],
 ['G.', 'Thorpe', 'lbw', 'b', 'Mohammad', 'Akram', '54'],
 ['J.', 'Crawley', 'not', 'out', '94'],
 ['N.', 'Knight', 'b', 'Mushtaq', 'Ahmed', '17'],
 ['C.', 'Lewis', 'b', 'Wasim', 'Akram', '5'],
 ['I.', 'Salisbury', 'not', 'out', '1'],
 ['Extras', '(', 'lb-11', 'w-1', 'nb-8', ')', '20'],
 ['Total', '(', 'for', 'six', 'wickets', ')', '278'],
 ['Fall',
  'of',
  'wickets',
  ':',
  '1-64',
  '2-85',
  '3-116',
  '4-205',
  '5-248',
  '6-273'],
 ['To', 'bat', ':', 'R.', 'Croft', ',', 'D.', 'Cork', ',', 'A.', 'Mullally'],
 ['Bowling',
  '(',
  'to',
  'date',
  ')',
  ':',
  'Wasim',
  'Akram',
  '25-8-61-1',
  ',',
  'Waqar',
  'Younis'],
 ['20-6-70-2',
  ',',
  'Mohammad',
  'Akram',
  '12-1-41-1',
  ',',
  'Mushtaq',
  'Ahmed',
  '27-5-78-2',
  ','],
 ['Aamir', 'Sohail', '6-1-17-0'],
 ['Pakistan',
  ':',
  'Aamir',
  'Sohail',
  ',',
  'Saeed',
  'Anwar',
  ',',
  'Ijaz',
  'Ahmed',
  ','],
 ['Inzamam-ul-Haq',
  ',',
  'Salim',
  'Malik',
  ',',
  'Asif',
  'Mujtaba',
  ',',
  'Wasim',
  'Akram',
  ',',
  'Moin'],
 ['Khan',
  ',',
  'Mushtaq',
  'Ahmed',
  ',',
  'Waqar',
  'Younis',
  ',',
  'Mohammad',
  'Akam'],
 ['SOCCER',
  '-',
  'FERGUSON',
  'BACK',
  'IN',
  'SCOTTISH',
  'SQUAD',
  'AFTER',
  '20',
  'MONTHS',
  '.'],
 ['GLASGOW', '1996-08-22'],
 ['Everton',
  "'s",
  'Duncan',
  'Ferguson',
  ',',
  'who',
  'scored',
  'twice',
  'against',
  'Manchester',
  'United',
  'on',
  'Wednesday',
  ',',
  'was',
  'picked',
  'on',
  'Thursday',
  'for',
  'the',
  'Scottish',
  'squad',
  'after',
  'a',
  '20-month',
  'exile',
  '.'],
 ['Glasgow',
  'Rangers',
  'striker',
  'Ally',
  'McCoist',
  ',',
  'another',
  'man',
  'in',
  'form',
  'after',
  'two',
  'hat-tricks',
  'in',
  'four',
  'days',
  ',',
  'was',
  'also',
  'named',
  'for',
  'the',
  'August',
  '31',
  'World',
  'Cup',
  'qualifier',
  'against',
  'Austria',
  'in',
  'Vienna',
  '.'],
 ['Ferguson',
  ',',
  'who',
  'served',
  'six',
  'weeks',
  'in',
  'jail',
  'in',
  'late',
  '1995',
  'for',
  'head-butting',
  'an',
  'opponent',
  ',',
  'won',
  'the',
  'last',
  'of',
  'his',
  'five',
  'Scotland',
  'caps',
  'in',
  'December',
  '1994',
  '.'],
 ['Scotland',
  'manager',
  'Craig',
  'Brown',
  'said',
  'on',
  'Thursday',
  ':',
  '"',
  'I',
  "'ve",
  'watched',
  'Duncan',
  'Ferguson',
  'in',
  'action',
  'twice',
  'recently',
  'and',
  'he',
  "'s",
  'bang',
  'in',
  'form',
  '.'],
 ['Ally',
  'McCoist',
  'is',
  'also',
  'in',
  'great',
  'scoring',
  'form',
  'at',
  'the',
  'moment',
  '.',
  '"'],
 ['Celtic',
  "'s",
  'Jackie',
  'McNamara',
  ',',
  'who',
  'did',
  'well',
  'with',
  'last',
  'season',
  "'s",
  'successful',
  'under-21',
  'team',
  ',',
  'earns',
  'a',
  'call-up',
  'to',
  'the',
  'senior',
  'squad',
  '.'],
 ['CRICKET',
  '-',
  'ENGLAND',
  '100-2',
  'AT',
  'LUNCH',
  'ON',
  'FIRST',
  'DAY',
  'OF',
  'THIRD',
  'TEST',
  '.'],
 ['LONDON', '1996-08-22'],
 ['England',
  'were',
  '100',
  'for',
  'two',
  'at',
  'lunch',
  'on',
  'the',
  'first',
  'day',
  'of',
  'the',
  'third',
  'and',
  'final',
  'test',
  'against',
  'Pakistan',
  'at',
  'The',
  'Oval',
  'on',
  'Thursday',
  '.'],
 ['SOCCER',
  '-',
  'KEANE',
  'SIGNS',
  'FOUR-YEAR',
  'CONTRACT',
  'WITH',
  'MANCHESTER',
  'UNITED',
  '.'],
 ['LONDON', '1996-08-22'],
 ['Ireland',
  'midfielder',
  'Roy',
  'Keane',
  'has',
  'signed',
  'a',
  'new',
  'four-year',
  'contract',
  'with',
  'English',
  'league',
  'and',
  'F.A.',
  'Cup',
  'champions',
  'Manchester',
  'United',
  '.'],
 ['"',
  'Roy',
  'agreed',
  'a',
  'new',
  'deal',
  'before',
  'last',
  'night',
  "'s",
  'game',
  'against',
  'Everton',
  'and',
  'we',
  'are',
  'delighted',
  ',',
  '"',
  'said',
  'United',
  'manager',
  'Alex',
  'Ferguson',
  'on',
  'Thursday',
  '.'],
 ['TENNIS', '-', 'RESULTS', 'AT', 'CANADIAN', 'OPEN', '.'],
 ['TORONTO', '1996-08-21'],
 ['Results', 'from', 'the', 'Canadian', 'Open'],
 ['tennis',
  'tournament',
  'on',
  'Wednesday',
  '(',
  'prefix',
  'number',
  'denotes'],
 ['seeding', ')', ':'],
 ['Second', 'round'],
 ['Daniel',
  'Nestor',
  '(',
  'Canada',
  ')',
  'beat',
  '1',
  '-',
  'Thomas',
  'Muster',
  '(',
  'Austria',
  ')',
  '6-3',
  '7-5'],
 ['Mikael',
  'Tillstrom',
  '(',
  'Sweden',
  ')',
  'beat',
  '2',
  '-',
  'Goran',
  'Ivanisevic',
  '(',
  'Croatia',
  ')'],
 ['6-7', '(', '3-7', ')', '6-4', '6-4'],
 ['3',
  '-',
  'Wayne',
  'Ferreira',
  '(',
  'South',
  'Africa',
  ')',
  'beat',
  'Jiri',
  'Novak',
  '(',
  'Czech'],
 ['Republic', ')', '7-5', '6-3'],
 ['4',
  '-',
  'Marcelo',
  'Rios',
  '(',
  'Chile',
  ')',
  'beat',
  'Kenneth',
  'Carlsen',
  '(',
  'Denmark',
  ')',
  '6-3',
  '6-2'],
 ['6',
  '-',
  'MaliVai',
  'Washington',
  '(',
  'U.S.',
  ')',
  'beat',
  'Alex',
  'Corretja',
  '(',
  'Spain',
  ')',
  '6-4'],
 ['6-2'],
 ['7',
  '-',
  'Todd',
  'Martin',
  '(',
  'U.S.',
  ')',
  'beat',
  'Renzo',
  'Furlan',
  '(',
  'Italy',
  ')',
  '7-6',
  '(',
  '7-3',
  ')',
  '6-3'],
 ['Mark',
  'Philippoussis',
  '(',
  'Australia',
  ')',
  'beat',
  '8',
  '-',
  'Marc',
  'Rosset'],
 ['(', 'Switzerland', ')', '6-3', '3-6', '7-6', '(', '8-6', ')'],
 ['9',
  '-',
  'Cedric',
  'Pioline',
  '(',
  'France',
  ')',
  'beat',
  'Gregory',
  'Carraz',
  '(',
  'France',
  ')',
  '7-6'],
 ['(', '7-1', ')', '6-4'],
 ['Patrick',
  'Rafter',
  '(',
  'Australia',
  ')',
  'beat',
  '11',
  '-',
  'Alberto',
  'Berasategui'],
 ['(', 'Spain', ')', '6-1', '6-2'],
 ['Petr',
  'Korda',
  '(',
  'Czech',
  'Republic',
  ')',
  'beat',
  '12',
  '-',
  'Francisco',
  'Clavet',
  '(',
  'Spain',
  ')'],
 ['6-3', '6-4'],
 ['Daniel',
  'Vacek',
  '(',
  'Czech',
  'Republic',
  ')',
  'beat',
  '13',
  '-',
  'Jason',
  'Stoltenberg'],
 ['(',
  'Australia',
  ')',
  '5-7',
  '7-6',
  '(',
  '7-1',
  ')',
  '7-6',
  '(',
  '13-11',
  ')'],
 ['Todd',
  'Woodbridge',
  '(',
  'Australia',
  'beat',
  'Sebastien',
  'Lareau',
  '(',
  'Canada',
  ')',
  '6-3'],
 ['1-6', '6-3'],
 ['Alex',
  "O'Brien",
  '(',
  'U.S.',
  ')',
  'beat',
  'Byron',
  'Black',
  '(',
  'Zimbabwe',
  ')',
  '7-6',
  '(',
  '7-2',
  ')',
  '6-2'],
 ['Bohdan',
  'Ulihrach',
  '(',
  'Czech',
  'Republic',
  ')',
  'beat',
  'Andrea',
  'Gaudenzi',
  '(',
  'Italy',
  ')'],
 ['6-3', '4-6', '6-1'],
 ['Tim',
  'Henman',
  '(',
  'Britain',
  ')',
  'beat',
  'Chris',
  'Woodruff',
  '(',
  'U.S.',
  ')',
  ',',
  'walkover'],
 ['CRICKET', '-', 'MILLNS', 'SIGNS', 'FOR', 'BOLAND', '.'],
 ['CAPE', 'TOWN', '1996-08-22'],
 ['South',
  'African',
  'provincial',
  'side',
  'Boland',
  'said',
  'on',
  'Thursday',
  'they',
  'had',
  'signed',
  'Leicestershire',
  'fast',
  'bowler',
  'David',
  'Millns',
  'on',
  'a',
  'one',
  'year',
  'contract',
  '.'],
 ['Millns',
  ',',
  'who',
  'toured',
  'Australia',
  'with',
  'England',
  'A',
  'in',
  '1992/93',
  ',',
  'replaces',
  'former',
  'England',
  'all-rounder',
  'Phillip',
  'DeFreitas',
  'as',
  'Boland',
  "'s",
  'overseas',
  'professional',
  '.'],
 ['SOCCER', '-', 'EUROPEAN', 'CUP', 'WINNERS', "'", 'CUP', 'RESULTS', '.'],
 ['TIRANA', '1996-08-22'],
 ['Results', 'of', 'European', 'Cup', 'Winners', "'"],
 ['Cup',
  'qualifying',
  'round',
  ',',
  'second',
  'leg',
  'soccer',
  'matches',
  'on',
  'Thursday',
  ':'],
 ['In',
  'Tirana',
  ':',
  'Flamurtari',
  'Vlore',
  '(',
  'Albania',
  ')',
  '0',
  'Chemlon',
  'Humenne'],
 ['(', 'Slovakia', ')', '2', '(', 'halftime', '0-0', ')'],
 ['Scorers',
  ':',
  'Lubarskij',
  '(',
  '50th',
  'minute',
  ')',
  ',',
  'Valkucak',
  '(',
  '54th',
  ')'],
 ['Attendance', ':', '5,000'],
 ['Chemlon', 'Humenne', 'win', '3-0', 'on', 'aggregate'],
 ['In',
  'Bistrita',
  ':',
  'Gloria',
  'Bistrita',
  '(',
  'Romania',
  ')',
  '2',
  'Valletta',
  '(',
  'Malta',
  ')',
  '1'],
 ['(', '1-1', ')'],
 ['Scorers', ':'],
 ['Gloria',
  'Bistrita',
  '-',
  'Ilie',
  'Lazar',
  '(',
  '32nd',
  ')',
  ',',
  'Eugen',
  'Voica',
  '(',
  '84th',
  ')'],
 ['Valletta', '-', 'Gilbert', 'Agius', '(', '24th', ')'],
 ['Attendance', ':', '8,000'],
 ['Gloria', 'Bistrita', 'win', '4-2', 'on', 'aggregate', '.'],
 ['In',
  'Chorzow',
  ':',
  'Ruch',
  'Chorzow',
  '(',
  'Poland',
  ')',
  '5',
  'Llansantffraid',
  '(',
  'Wales',
  ')',
  '0'],
 ['(', '1-0', ')'],
 ['Scorers',
  ':',
  'Arkadiusz',
  'Bak',
  '(',
  '1st',
  'and',
  '55th',
  ')',
  ',',
  'Arwel',
  'Jones',
  '(',
  '47th',
  ','],
 ['own', 'goal', ')', ',', 'Miroslav', 'Bak', '(', '62nd', 'and', '63rd', ')'],
 ['Attendance', ':', '6,500'],
 ['Ruch', 'Chorzow', 'win', '6-1', 'on', 'aggregate'],
 ['In',
  'Larnaca',
  ':',
  'AEK',
  'Larnaca',
  '(',
  'Cyprus',
  ')',
  '5',
  'Kotaik',
  'Abovyan',
  '(',
  'Armenia',
  ')'],
 ['0', '(', '2-0', ')'],
 ['Scorers',
  ':',
  'Zoran',
  'Kundic',
  '(',
  '28th',
  ')',
  ',',
  'Klimis',
  'Alexandrou',
  '(',
  '41st',
  ')',
  ','],
 ['Milenko',
  'Kovasevic',
  '(',
  '60th',
  ',',
  'penalty',
  ')',
  ',',
  'Goran',
  'Koprinovic',
  '(',
  '82nd',
  ')',
  ','],
 ['Pavlos', 'Markou', '(', '84th', ')'],
 ['Attendance', ':', '5,000'],
 ['AEK', 'Larnaca', 'win', '5-1', 'on', 'aggregate'],
 ['In',
  'Siauliai',
  ':',
  'Kareda',
  'Siauliai',
  '(',
  'Lithuania',
  ')',
  '0',
  'Sion'],
 ['(', 'Switzerland', ')', '0'],
 ['Attendance', ':', '5,000'],
 ['Sion', 'win', '4-2', 'on', 'agrregate', '.'],
 ['In', 'Vinnytsya', ':'],
 ['Nyva',
  'Vinnytsya',
  '(',
  'Ukraine',
  ')',
  '1',
  'Tallinna',
  'Sadam',
  '(',
  'Estonia',
  ')',
  '0',
  '(',
  '0-0',
  ')'],
 ['Attendance', ':', '3,000'],
 ['Aggregate', 'score', '2-2', '.'],
 ['Nyva', 'qualified', 'on', 'away', 'goals', 'rule', '.'],
 ['In',
  'Bergen',
  ':',
  'Brann',
  '(',
  'Norway',
  ')',
  '2',
  'Shelbourne',
  '(',
  'Ireland',
  ')',
  '1',
  '(',
  '1-1',
  ')'],
 ['Scorers', ':'],
 ['Brann',
  '-',
  'Mons',
  'Ivar',
  'Mjelde',
  '(',
  '10th',
  ')',
  ',',
  'Jan',
  'Ove',
  'Pedersen',
  '(',
  '72nd',
  ')'],
 ['Shelbourne', '-', 'Mark', 'Rutherford', '(', '5th', ')'],
 ['Attendance', ':', '2,189'],
 ['Brann', 'win', '5-2', 'on', 'aggregate'],
 ['In',
  'Sofia',
  ':',
  'Levski',
  'Sofia',
  '(',
  'Bulgaria',
  ')',
  '1',
  'Olimpija',
  '(',
  'Slovenia',
  ')',
  '0'],
 ['(', '0-0', ')'],
 ['Scorer', ':', 'Ilian', 'Simeonov', '(', '58th', ')'],
 ['Attendance', ':', '25,000'],
 ['Aggregate', '1-1', '.'],
 ['Olimpija', 'won', '4-3', 'on', 'penalties', '.'],
 ['In',
  'Vaduz',
  ':',
  'Vaduz',
  '(',
  'Liechtenstein',
  ')',
  '1',
  'RAF',
  'Riga',
  '(',
  'Latvia',
  ')',
  '1',
  '(',
  '0-0',
  ')'],
 ['Scorers', ':'],
 ['Vaduz', '-', 'Daniele', 'Polverino', '(', '90th', ')'],
 ['RAF', 'Riga', '-', 'Agrins', 'Zarins', '(', '47th', ')'],
 ['Aggregate', '2-2', '.'],
 ['Vaduz', 'won', '4-2', 'on', 'penalties', '.'],
 ['In',
  'Luxembourg',
  ':',
  'US',
  'Luxembourg',
  '(',
  'Luxembourg',
  ')',
  '0',
  'Varteks',
  'Varazdin'],
 ['(', 'Croatia', ')', '3', '(', '0-0', ')'],
 ['Scorers',
  ':',
  'Drazen',
  'Beser',
  '(',
  '63rd',
  ')',
  ',',
  'Miljenko',
  'Mumler',
  '(',
  'penalty',
  ','],
 ['78th', ')', ',', 'Jamir', 'Cvetko', '(', '87th', ')'],
 ['Attendance', ':', '800'],
 ['Varteks', 'Varazdin', 'win', '5-1', 'on', 'aggregate', '.'],
 ['In',
  'Torshavn',
  ':',
  'Havnar',
  'Boltfelag',
  '(',
  'Faroe',
  'Islands',
  ')',
  '0',
  'Dynamo'],
 ['Batumi', '(', 'Georgia', ')', '3', '(', '0-2', ')'],
 ['Dynamo', 'Batumi', 'win', '9-0', 'on', 'aggregate', '.'],
 ['In',
  'Prague',
  ':',
  'Sparta',
  'Prague',
  '(',
  'Czech',
  'Republic',
  ')',
  '8',
  'Glentoran'],
 ['(', 'Northern', 'Ireland', ')', '0', '(', '4-0', ')'],
 ['Scorers',
  ':',
  'Petr',
  'Gunda',
  '(',
  '1st',
  'and',
  '26th',
  ')',
  ',',
  'Lumir',
  'Mistr',
  '(',
  '19th',
  ')',
  ','],
 ['Horst',
  'Siegl',
  '(',
  '24th',
  ',',
  '48th',
  ',',
  '80th',
  ')',
  ',',
  'Zdenek',
  'Svoboda',
  '(',
  '76th',
  ')',
  ',',
  'Petr'],
 ['Gabriel', '(', '86th', ')'],
 ['Sparta', 'win', '10-1', 'on', 'aggregate', '.'],
 ['In',
  'Edinburgh',
  ':',
  'Hearts',
  '(',
  'Scotland',
  ')',
  '1',
  'Red',
  'Star',
  'Belgrade'],
 ['(', 'Yugoslavia', ')', '1', '(', '1-0', ')'],
 ['Scorers', ':'],
 ['Hearts', '-', 'Dave', 'McPherson', '(', '44th', ')'],
 ['Red', 'Star', '-', 'Vinko', 'Marinovic', '(', '59th', ')'],
 ['Attendance', ':', '15,062'],
 ['Aggregate', '1-1', '.'],
 ['Red', 'Star', 'win', 'on', 'away', 'goals', 'rule', '.'],
 ['In',
  'Rishon-Lezion',
  ':',
  'Hapoel',
  'Ironi',
  '(',
  'Israel',
  ')',
  '3',
  'Constructorul'],
 ['Chisinau', '(', 'Moldova', ')', '2', '(', '2-1', ')'],
 ['Aggregate', '3-3', '.'],
 ['Constructorul', 'win', 'on', 'away', 'goals', 'rule', '.'],
 ['In',
  'Anjalonkoski',
  ':',
  'MyPa-47',
  '(',
  'Finland',
  ')',
  '1',
  'Karabach',
  'Agdam'],
 ['(', 'Azerbaijan', ')', '1', '(', '0-0', ')'],
 ['Mypa-47', 'win', '2-1', 'on', 'aggregate', '.'],
 ['In',
  'Skopje',
  ':',
  'Sloga',
  'Jugomagnat',
  '(',
  'Macedonia',
  ')',
  '0',
  'Kispest',
  'Honved'],
 ['(', 'Hungary', '1', '(', '0-0', ')'],
 ['Kispest', 'Honved', 'win', '2-0', 'on', 'aggregate', '.'],
 ['Add', 'Hapoel', 'Ironi', 'v', 'Constructorul', 'Chisinau'],
 ['Scorers', ':'],
 ['Rishon',
  '-',
  'Moshe',
  'Sabag',
  '(',
  '10th',
  'minute',
  ')',
  ',',
  'Nissan',
  'Kapeta',
  '(',
  '26th',
  ')',
  ','],
 ['Tomas', 'Cibola', '(', '58th', ')', '.'],
 ['Constructorol',
  '-',
  'Sergei',
  'Rogachev',
  '(',
  '42nd',
  ')',
  ',',
  'Gennadi',
  'Skidan'],
 ['(', '87th', ')', '.'],
 ['Attendance', ':', '1,500', '.'],
 ['SOCCER',
  '-',
  'GOTHENBURG',
  'PUT',
  'FERENCVAROS',
  'OUT',
  'OF',
  'EURO',
  'CUP',
  '.'],
 ['BUDAPEST', '1996-08-21'],
 ['IFK',
  'Gothenburg',
  'of',
  'Sweden',
  'drew',
  '1-1',
  '(',
  '1-0',
  ')',
  'with',
  'Ferencvaros',
  'of',
  'Hungary',
  'in',
  'the',
  'second',
  'leg',
  'of',
  'their',
  'European',
  'Champions',
  'Cup',
  'preliminary',
  'round',
  'tie',
  'played',
  'on',
  'Wednesday',
  '.'],
 ['Gothenburg', 'go', 'through', '4-1', 'on', 'aggregate', '.'],
 ['Scorers', ':'],
 ['Ferencvaros', ':'],
 ['Ferenc', 'Horvath', '(', '15th', ')'],
 ['IFK', 'Gothenburg', ':'],
 ['Andreas', 'Andersson', '(', '87th', ')'],
 ['Attendance', ':', '9,000'],
 ['SOCCER', '-', 'BRAZILIAN', 'CHAMPIONSHIP', 'RESULTS', '.'],
 ['RIO', 'DE', 'JANEIRO', '1996-08-22'],
 ['Results', 'of', 'midweek'],
 ['matches', 'in', 'the', 'Brazilian', 'soccer', 'championship', '.'],
 ['Bahia', '2', 'Atletico', 'Paranaense', '0'],
 ['Corinthians', '1', 'Guarani', '0'],
 ['Coritiba', '1', 'Atletico', 'Mineiro', '0'],
 ['Cruzeiro', '2', 'Vitoria', '1'],
 ['Flamengo', '0', 'Juventude', '1'],
 ['Goias', '3', 'Sport', 'Recife', '1'],
 ['Gremio', '6', 'Bragantino', '1'],
 ['Palmeiras', '3', 'Vasco', 'da', 'Gama', '1'],
 ['Portuguesa', '2', 'Parana', '0'],
 ['TENNIS', '-', 'NEWCOMBE', 'PONDERS', 'HIS', 'DAVIS', 'CUP', 'FUTURE', '.'],
 ['SYDNEY', '1996-08-22'],
 ['Australian',
  'Davis',
  'Cup',
  'captain',
  'John',
  'Newcombe',
  'on',
  'Thursday',
  'signalled',
  'his',
  'possible',
  'resignation',
  'if',
  'his',
  'team',
  'loses',
  'an',
  'away',
  'tie',
  'against',
  'Croatia',
  'next',
  'month',
  '.'],
 ['The',
  'former',
  'Wimbledon',
  'champion',
  'said',
  'the',
  'immediate',
  'future',
  'of',
  'Australia',
  "'s",
  'Davis',
  'Cup',
  'coach',
  'Tony',
  'Roche',
  'could',
  'also',
  'be',
  'determined',
  'by',
  'events',
  'in',
  'Split',
  '.'],
 ['"',
  'If',
  'we',
  'lose',
  'this',
  'one',
  ',',
  'Tony',
  'and',
  'I',
  'will',
  'have',
  'to',
  'have',
  'a',
  'good',
  'look',
  'at',
  'giving',
  'someone',
  'else',
  'a',
  'go',
  ',',
  '"',
  'Newcombe',
  'was',
  'quoted',
  'as',
  'saying',
  'in',
  'Sydney',
  "'s",
  'Daily',
  'Telegraph',
  'newspaper',
  '.'],
 ['Australia',
  'face',
  'Croatia',
  'in',
  'the',
  'world',
  'group',
  'qualifying',
  'tie',
  'on',
  'clay',
  'from',
  'September',
  '20-22',
  '.'],
 ['Under',
  'Newcombe',
  "'s",
  'leadership',
  ',',
  'Australia',
  'were',
  'relegated',
  'from',
  'the',
  'elite',
  'world',
  'group',
  'last',
  'year',
  ',',
  'the',
  'first',
  'time',
  'the',
  '26-time',
  'Davis',
  'Cup',
  'winners',
  'had',
  'slipped',
  'from',
  'the',
  'top',
  'rank',
  '.'],
 ['Since',
  'taking',
  'over',
  'as',
  'captain',
  'from',
  'Neale',
  'Fraser',
  'in',
  '1994',
  ',',
  'Newcombe',
  "'s",
  'record',
  'in',
  'tandem',
  'with',
  'Roche',
  ',',
  'his',
  'former',
  'doubles',
  'partner',
  ',',
  'has',
  'been',
  'three',
  'wins',
  'and',
  'three',
  'losses',
  '.'],
 ['Newcombe',
  'has',
  'selected',
  'Wimbledon',
  'semifinalist',
  'Jason',
  'Stoltenberg',
  ',',
  'Patrick',
  'Rafter',
  ',',
  'Mark',
  'Philippoussis',
  ',',
  'and',
  'Olympic',
  'doubles',
  'champions',
  'Todd',
  'Woodbridge',
  'and',
  'Mark',
  'Woodforde',
  'to',
  'face',
  'the',
  'Croatians',
  '.'],
 ['The',
  'home',
  'side',
  'boasts',
  'world',
  'number',
  'six',
  'Goran',
  'Ivanisevic',
  ',',
  'and',
  'Newcombe',
  'conceded',
  'his',
  'players',
  'would',
  'be',
  'hard-pressed',
  'to',
  'beat',
  'the',
  'Croatian',
  'number',
  'one',
  '.'],
 ['"',
  'We',
  'are',
  'ready',
  'to',
  'fight',
  'to',
  'our',
  'last',
  'breath',
  '--',
  'Australia',
  'must',
  'play',
  'at',
  'its',
  'absolute',
  'best',
  'to',
  'win',
  ',',
  '"',
  'said',
  'Newcombe',
  ',',
  'who',
  'described',
  'the',
  'tie',
  'as',
  'the',
  'toughest',
  'he',
  'has',
  'faced',
  'as',
  'captain',
  '.'],
 ['Australia',
  'last',
  'won',
  'the',
  'Davis',
  'Cup',
  'in',
  '1986',
  ',',
  'but',
  'they',
  'were',
  'beaten',
  'finalists',
  'against',
  'Germany',
  'three',
  'years',
  'ago',
  'under',
  'Fraser',
  "'s",
  'guidance',
  '.'],
 ['BADMINTON', '-', 'MALAYSIAN', 'OPEN', 'RESULTS', '.'],
 ['KUALA', 'LUMPUR', '1996-08-22'],
 ['Results', 'in', 'the', 'Malaysian'],
 ['Open',
  'badminton',
  'tournament',
  'on',
  'Thursday',
  '(',
  'prefix',
  'number',
  'denotes'],
 ['seeding', ')', ':'],
 ['Men', "'s", 'singles', ',', 'third', 'round'],
 ['9/16',
  '-',
  'Luo',
  'Yigang',
  '(',
  'China',
  ')',
  'beat',
  'Hwang',
  'Sun-ho',
  '(',
  'South',
  'Korea',
  ')',
  '15-3'],
 ['15-7'],
 ['Jason',
  'Wong',
  '(',
  'Malaysia',
  ')',
  'beat',
  'Abdul',
  'Samad',
  'Ismail',
  '(',
  'Malaysia',
  ')',
  '16-18'],
 ['15-2', '17-14'],
 ['P.',
  'Kantharoopan',
  '(',
  'Malaysia',
  ')',
  'beat',
  '3/4',
  '-',
  'Jeroen',
  'Van',
  'Dijk'],
 ['(', 'Netherlands', ')', '15-11', '18-14'],
 ['Wijaya',
  'Indra',
  '(',
  'Indonesia',
  ')',
  'beat',
  '5/8',
  '-',
  'Pang',
  'Chen',
  '(',
  'Malaysia',
  ')',
  '15-6'],
 ['6-15', '15-7'],
 ['3/4',
  '-',
  'Hu',
  'Zhilan',
  '(',
  'China',
  ')',
  'beat',
  'Nunung',
  'Subandoro',
  '(',
  'Indonesia',
  ')',
  '5-15'],
 ['18-15', '15-6'],
 ['9/16',
  '-',
  'Hermawan',
  'Susanto',
  '(',
  'Indonesia',
  ')',
  'beat',
  '1',
  '-',
  'Fung',
  'Permadi',
  '(',
  'Taiwan',
  ')'],
 ['15-8', '15-12'],
 ['Women', "'s", 'singles', '2nd', 'round'],
 ['1',
  '-',
  'Wang',
  'Chen',
  '(',
  'China',
  ')',
  'beat',
  'Cindana',
  '(',
  'Indonesia',
  ')',
  '11-3',
  '1ama',
  '(',
  'Japan',
  ')',
  'beat',
  'Margit',
  'Borg',
  '(',
  'Sweden',
  ')',
  '11-6',
  '11-6'],
 ['Sun',
  'Jian',
  '(',
  'China',
  ')',
  'beat',
  'Marina',
  'Andrievskaqya',
  '(',
  'Sweden',
  ')',
  '11-8',
  '11-2'],
 ['5/8',
  '-',
  'Meluawati',
  '(',
  'Indonesia',
  ')',
  'beat',
  'Chan',
  'Chia',
  'Fong',
  '(',
  'Malaysia',
  ')',
  '11-6'],
 ['11-1'],
 ['Gong',
  'Zhichao',
  '(',
  'China',
  ')',
  'beat',
  'Liu',
  'Lufung',
  '(',
  'China',
  ')',
  '6-11',
  '11-7',
  '11-3'],
 ['Zeng',
  'Yaqiong',
  '(',
  'China',
  ')',
  'beat',
  'Li',
  'Feng',
  '(',
  'New',
  'Zealand',
  ')',
  '11-9',
  '11-6'],
 ['5/8',
  '-',
  'Christine',
  'Magnusson',
  '(',
  'Sweden',
  ')',
  'beat',
  'Ishwari',
  'Boopathy'],
 ['(', 'Malaysia', ')', '11-1', '10-12', '11-4'],
 ['2',
  '-',
  'Zhang',
  'Ning',
  '(',
  'China',
  ')',
  'beat',
  'Olivia',
  '(',
  'Indonesia',
  ')',
  '11-8',
  '11-6'],
 ['TENNIS', '-', 'REVISED', 'MEN', "'S", 'DRAW', 'FOR', 'U.S.', 'OPEN', '.'],
 ['NEW', 'YORK', '1996-08-22'],
 ['Revised', 'singles', 'draw', 'for', 'the'],
 ['U.S.',
  'Open',
  'tennis',
  'championships',
  'beginning',
  'Monday',
  'at',
  'the',
  'U.S',
  '.'],
 ['National',
  'Tennis',
  'Centre',
  '(',
  'prefix',
  'denotes',
  'seeding',
  ')',
  ':'],
 ['Men', "'s", 'Draw'],
 ['1',
  '-',
  'Pete',
  'Sampras',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Adrian',
  'Voinea',
  '(',
  'Romania',
  ')'],
 ['Jiri', 'Novak', '(', 'Czech', 'Republic', ')', 'vs.', 'qualifier'],
 ['Magnus',
  'Larsson',
  '(',
  'Sweden',
  ')',
  'vs.',
  'Alexander',
  'Volkov',
  '(',
  'Russia',
  ')'],
 ['Mikael', 'Tillstrom', '(', 'Sweden', ')', 'vs', 'qualifier'],
 ['Qualifier', 'vs.', 'Andrei', 'Olhovskiy', '(', 'Russia', ')'],
 ['Mark',
  'Woodforde',
  '(',
  'Australia',
  ')',
  'vs.',
  'Mark',
  'Philippoussis',
  '(',
  'Australia',
  ')'],
 ['Roberto',
  'Carretero',
  '(',
  'Spain',
  ')',
  'vs.',
  'Jordi',
  'Burillo',
  '(',
  'Spain',
  ')'],
 ['Francisco',
  'Clavet',
  '(',
  'Spain',
  ')',
  'vs.',
  '16',
  '-',
  'Cedric',
  'Pioline',
  '(',
  'France',
  ')'],
 ['------------------------'],
 ['9',
  '-',
  'Wayne',
  'Ferreira',
  '(',
  'South',
  'Africa',
  ')',
  'vs.',
  'qualifier'],
 ['Karol',
  'Kucera',
  '(',
  'Slovakia',
  ')',
  'vs.',
  'Jonas',
  'Bjorkman',
  '(',
  'Sweden',
  ')'],
 ['Qualifier', 'vs.', 'Christian', 'Rudd', '(', 'Norway', ')'],
 ['Alex',
  'Corretja',
  '(',
  'Spain',
  ')',
  'vs.',
  'Byron',
  'Black',
  '(',
  'Zimbabwe',
  ')'],
 ['David',
  'Rikl',
  '(',
  'Czech',
  'Republic',
  ')',
  'vs.',
  'Hicham',
  'Arazi',
  '(',
  'Morocco',
  ')'],
 ['Sjeng',
  'Schalken',
  '(',
  'Netherlands',
  ')',
  'vs.',
  'Gilbert',
  'Schaller',
  '(',
  'Austria',
  ')'],
 ['Grant',
  'Stafford',
  '(',
  'South',
  'Africa',
  ')',
  'vs.',
  'Guy',
  'Forget',
  '(',
  'France',
  ')'],
 ['Fernando',
  'Meligeni',
  '(',
  'Brazil',
  ')',
  'vs.',
  '7',
  '-',
  'Yevgeny',
  'Kafelnikov',
  '(',
  'Russia',
  ')'],
 ['------------------------'],
 ['4',
  '-',
  'Goran',
  'Ivanisevic',
  '(',
  'Croatia',
  ')',
  'vs.',
  'Andrei',
  'Chesnokov',
  '(',
  'Russia',
  ')'],
 ['Scott',
  'Draper',
  '(',
  'Australia',
  ')',
  'vs.',
  'Galo',
  'Blanco',
  '(',
  'Spain',
  ')'],
 ['Renzo',
  'Furlan',
  '(',
  'Italy',
  ')',
  'vs.',
  'Thomas',
  'Johansson',
  '(',
  'Sweden',
  ')'],
 ['Hendrik',
  'Dreekman',
  '(',
  'Germany',
  ')',
  'vs.',
  'Greg',
  'Rusedski',
  '(',
  'Britain',
  ')'],
 ['Andrei',
  'Medvedev',
  '(',
  'Ukraine',
  ')',
  'vs.',
  'Jean-Philippe',
  'Fleurian',
  '(',
  'France',
  ')'],
 ['Jan',
  'Kroslak',
  '(',
  'Slovakia',
  ')',
  'vs.',
  'Chris',
  'Woodruff',
  '(',
  'U.S.',
  ')'],
 ['Qualifier', 'vs.', 'Petr', 'Korda', '(', 'Czech', 'Republic', ')'],
 ['Bohdan',
  'Ulihrach',
  '(',
  'Czech',
  'Republic',
  ')',
  'vs.',
  '14',
  '-',
  'Alberto',
  'Costa'],
 ['(', 'Spain', ')'],
 ['------------------------'],
 ['12',
  '-',
  'Todd',
  'Martin',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Younnes',
  'El',
  'Aynaoui',
  '(',
  'Morocco',
  ')'],
 ['Andrea',
  'Gaudenzi',
  '(',
  'Italy',
  ')',
  'vs.',
  'Shuzo',
  'Matsuoka',
  '(',
  'Japan',
  ')'],
 ['Doug', 'Flach', '(', 'U.S.', ')', 'vs.', 'qualifier'],
 ['Mats',
  'Wilander',
  '(',
  'Sweden',
  ')',
  'vs.',
  'Tim',
  'Henman',
  '(',
  'Britain',
  ')'],
 ['Paul',
  'Haarhuis',
  '(',
  'Netherlands',
  ')',
  'vs.',
  'Michael',
  'Joyce',
  '(',
  'U.S.',
  ')'],
 ['Michael',
  'Tebbutt',
  '(',
  'Australia',
  ')',
  'vs.',
  'Richey',
  'Reneberg',
  '(',
  'U.S.',
  ')'],
 ['Jonathan',
  'Stark',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Bernd',
  'Karbacher',
  '(',
  'Germany',
  ')'],
 ['Stefan',
  'Edberg',
  '(',
  'Sweden',
  ')',
  'vs.',
  '5',
  '-',
  'Richard',
  'Krajicek',
  '(',
  'Netherlands',
  ')'],
 ['------------------------'],
 ['6',
  '-',
  'Andre',
  'Agassi',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Mauricio',
  'Hadad',
  '(',
  'Colombia',
  ')'],
 ['Marcos',
  'Ondruska',
  '(',
  'South',
  'Africa',
  ')',
  'vs.',
  'Felix',
  'Mantilla',
  '(',
  'Spain',
  ')'],
 ['Carlos',
  'Moya',
  '(',
  'Spain',
  ')',
  'vs.',
  'Scott',
  'Humphries',
  '(',
  'U.S.',
  ')'],
 ['Jan',
  'Siemerink',
  '(',
  'Netherlands',
  ')',
  'vs.',
  'Carl-Uwe',
  'Steeb',
  '(',
  'Germany',
  ')'],
 ['Qualifier', 'vs.', 'qualifier'],
 ['David',
  'Wheaton',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Kevin',
  'Kim',
  '(',
  'U.S.',
  ')'],
 ['Nicolas',
  'Lapentti',
  '(',
  'Ecuador',
  ')',
  'vs.',
  'Alex',
  "O'Brien",
  '(',
  'U.S.',
  ')'],
 ['Karim',
  'Alami',
  '(',
  'Morocco',
  ')',
  'vs.',
  '11',
  '-',
  'MaliVai',
  'Washington',
  '(',
  'U.S.',
  ')'],
 ['------------------------'],
 ['13',
  '-',
  'Thomas',
  'Enqvist',
  '(',
  'Sweden',
  ')',
  'vs.',
  'Stephane',
  'Simian',
  '(',
  'France',
  ')'],
 ['Guillaume',
  'Raoux',
  '(',
  'France',
  ')',
  'vs.',
  'Filip',
  'Dewulf',
  '(',
  'Belgium',
  ')'],
 ['Mark',
  'Knowles',
  '(',
  'Bahamas',
  ')',
  'vs.',
  'Marcelo',
  'Filippini',
  '(',
  'Uruguay',
  ')'],
 ['Todd', 'Woodbridge', '(', 'Australia', ')', 'vs.', 'qualifier'],
 ['Kris',
  'Goossens',
  '(',
  'Belgium',
  ')',
  'vs.',
  'Sergi',
  'Bruguera',
  '(',
  'Spain',
  ')'],
 ['Qualifier', 'vs.', 'Michael', 'Stich', '(', 'Germany', ')'],
 ['Qualifier', 'vs.', 'Chuck', 'Adams', '(', 'U.S.', ')'],
 ['Javier',
  'Frana',
  '(',
  'Argentina',
  ')',
  'vs.',
  '3',
  '-',
  'Thomas',
  'Muster',
  '(',
  'Austria',
  ')'],
 ['------------------------'],
 ['8',
  '-',
  'Jim',
  'Courier',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Javier',
  'Sanchez',
  '(',
  'Spain',
  ')'],
 ['Jim',
  'Grabb',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Sandon',
  'Stolle',
  '(',
  'Australia',
  ')'],
 ['Patrick',
  'Rafter',
  '(',
  'Australia',
  ')',
  'vs.',
  'Kenneth',
  'Carlsen',
  '(',
  'Denmark',
  ')'],
 ['Jason',
  'Stoltenberg',
  '(',
  'Australia',
  ')',
  'vs.',
  'Stefano',
  'Pescosolido',
  '(',
  'Italy',
  ')'],
 ['Arnaud',
  'Boetsch',
  '(',
  'France',
  ')',
  'vs.',
  'Nicolas',
  'Pereira',
  '(',
  'Venezuela',
  ')'],
 ['Carlos',
  'Costa',
  '(',
  'Spain',
  ')',
  'vs.',
  'Magnus',
  'Gustafsson',
  '(',
  'Sweden',
  ')'],
 ['Jeff',
  'Tarango',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Alex',
  'Radulescu',
  '(',
  'Germany',
  ')'],
 ['Qualifier', 'vs.', '10', '-', 'Marcelo', 'Rios', '(', 'Chile', ')'],
 ['------------------------'],
 ['15',
  '-',
  'Marc',
  'Rosset',
  '(',
  'Switzerland',
  'vs.',
  'Jared',
  'Palmer',
  '(',
  'U.S.',
  ')'],
 ['Martin',
  'Damm',
  '(',
  'Czech',
  'Republic',
  ')',
  'vs.',
  'Hernan',
  'Gumy',
  '(',
  'Argentina',
  ')'],
 ['Nicklas',
  'Kulti',
  '(',
  'Sweden',
  ')',
  'vs.',
  'Jakob',
  'Hlasek',
  '(',
  'Switzerland',
  ')'],
 ['Cecil',
  'Mamiit',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Alberto',
  'Berasategui',
  '(',
  'Spain',
  ')'],
 ['Vince',
  'Spadea',
  '(',
  'U.S.',
  ')',
  'vs.',
  'Daniel',
  'Vacek',
  '(',
  'Czech',
  'Republic',
  ')'],
 ['David', 'Prinosil', '(', 'Germany', ')', 'vs.', 'qualifier'],
 ['Qualifier', 'vs.', 'Tomas', 'Carbonell', '(', 'Spain', ')'],
 ['Qualifier', 'vs.', '2', '-', 'Michael', 'Chang', '(', 'U.S.', ')'],
 ['BASEBALL',
  '-',
  'ORIOLES',
  "'",
  'MANAGER',
  'DAVEY',
  'JOHNSON',
  'HOSPITALIZED',
  '.'],
 ['BALTIMORE', '1996-08-22'],
 ['Baltimore',
  'Orioles',
  'manager',
  'Davey',
  'Johnson',
  'will',
  'miss',
  'Thursday',
  'night',
  "'s",
  'game',
  'against',
  'the',
  'Seattle',
  'Mariners',
  'after',
  'being',
  'admitted',
  'to',
  'a',
  'hospital',
  'with',
  'an',
  'irregular',
  'heartbeat',
  '.'],
 ['The',
  '53-year-old',
  'Johnson',
  'was',
  'hospitalized',
  'after',
  'experiencing',
  'dizziness',
  '.'],
 ['"',
  'He',
  'is',
  'in',
  'no',
  'danger',
  'and',
  'will',
  'be',
  'treated',
  'and',
  'observed',
  'this',
  'evening',
  ',',
  '"',
  'said',
  'Orioles',
  'team',
  'physician',
  'Dr.',
  'William',
  'Goldiner',
  ',',
  'adding',
  'that',
  'Johnson',
  'is',
  'expected',
  'to',
  'be',
  'released',
  'on',
  'Friday',
  '.'],
 ['Orioles',
  "'",
  'bench',
  'coach',
  'Andy',
  'Etchebarren',
  'will',
  'manage',
  'the',
  'club',
  'in',
  'Johnson',
  "'s",
  'absence',
  '.'],
 ['Johnson',
  'is',
  'the',
  'second',
  'manager',
  'to',
  'be',
  'hospitalized',
  'this',
  'week',
  'after',
  'California',
  'Angels',
  'skipper',
  'John',
  'McNamara',
  'was',
  'admitted',
  'to',
  'New',
  'York',
  "'s",
  'Columbia',
  'Presbyterian',
  'Hospital',
  'on',
  'Wednesday',
  'with',
  'a',
  'blood',
  'clot',
  'in',
  'his',
  'left',
  'calf',
  '.'],
 ['Johnson',
  ',',
  'who',
  'played',
  'eight',
  'seasons',
  'in',
  'Baltimore',
  ',',
  'was',
  'named',
  'Orioles',
  'manager',
  'in',
  'the',
  'off-season',
  'replacing',
  'Phil',
  'Regan',
  '.'],
 ['He',
  'led',
  'the',
  'Cincinnati',
  'Reds',
  'to',
  'the',
  'National',
  'League',
  'Championship',
  'Series',
  'last',
  'year',
  'and',
  'guided',
  'the',
  'New',
  'York',
  'Mets',
  'to',
  'a',
  'World',
  'Series',
  'championship',
  'in',
  '1986',
  '.'],
 ['Baltimore',
  'has',
  'won',
  '16',
  'of',
  'its',
  'last',
  '22',
  'games',
  'to',
  'pull',
  'within',
  'five',
  'games',
  'of',
  'the',
  'slumping',
  'New',
  'York',
  'Yankees',
  'in',
  'the',
  'American',
  'League',
  'East',
  'Division',
  '.'],
 ['BASEBALL',
  '-',
  'MAJOR',
  'LEAGUE',
  'STANDINGS',
  'AFTER',
  'WEDNESDAY',
  "'S",
  'GAMES',
  '.'],
 ['NEW', 'YORK', '1996-08-22'],
 ['Major', 'League', 'Baseball'],
 ['standings',
  'after',
  'games',
  'played',
  'on',
  'Wednesday',
  '(',
  'tabulate',
  'under',
  'won',
  ','],
 ['lost', ',', 'winning', 'percentage', 'and', 'games', 'behind', ')', ':'],
 ['AMERICAN', 'LEAGUE'],
 ['EASTERN', 'DIVISION'],
 ['W', 'L', 'PCT', 'GB'],
 ['NEW', 'YORK', '72', '53', '.576', '-'],
 ['BALTIMORE', '67', '58', '.536', '5'],
 ['BOSTON', '63', '64', '.496', '10'],
 ['TORONTO', '58', '69', '.457', '15'],
 ['DETROIT', '44', '82', '.349', '28', '1/2'],
 ['CENTRAL', 'DIVISION'],
 ['CLEVELAND', '76', '51', '.598', '-'],
 ['CHICAGO', '69', '59', '.539', '7', '1/2'],
 ['MINNESOTA', '63', '63', '.500', '12', '1/2'],
 ['MILWAUKEE', '60', '68', '.469', '16', '1/2'],
 ['KANSAS', 'CITY', '58', '70', '.453', '18', '1/2'],
 ['WESTERN', 'DIVISION'],
 ['TEXAS', '73', '54', '.575', '-'],
 ['SEATTLE', '64', '61', '.512', '8'],
 ['OAKLAND', '62', '67', '.481', '12'],
 ['CALIFORNIA', '58', '68', '.460', '14', '1/2'],
 ['THURSDAY', ',', 'AUGUST', '22', 'SCHEDULE'],
 ['OAKLAND', 'AT', 'BOSTON'],
 ['SEATTLE', 'AT', 'BALTIMORE'],
 ['CALIFORNIA', 'AT', 'NEW', 'YORK'],
 ['TORONTO', 'AT', 'CHICAGO'],
 ['DETROIT', 'AT', 'KANSAS', 'CITY'],
 ['TEXAS', 'AT', 'MINNESOTA'],
 ['NATIONAL', 'LEAGUE'],
 ['EASTERN', 'DIVISION'],
 ['W', 'L', 'PCT', 'GB'],
 ['ATLANTA', '79', '46', '.632', '-'],
 ['MONTREAL', '67', '58', '.536', '12'],
 ['NEW', 'YORK', '59', '69', '.461', '21', '1/2'],
 ['FLORIDA', '58', '69', '.457', '22'],
 ['PHILADELPHIA', '52', '75', '.409', '28'],
 ['CENTRAL', 'DIVISION'],
 ['HOUSTON', '68', '59', '.535', '-'],
 ['ST', 'LOUIS', '67', '59', '.532', '1/2'],
 ['CHICAGO', '63', '62', '.504', '4'],
 ['CINCINNATI', '62', '62', '.500', '4', '1/2'],
 ['PITTSBURGH', '53', '73', '.421', '14', '1/2'],
 ['WESTERN', 'DIVISION'],
 ['SAN', 'DIEGO', '70', '59', '.543', '-'],
 ['LOS', 'ANGELES', '66', '60', '.524', '2', '1/2'],
 ['COLORADO', '65', '62', '.512', '4'],
 ['SAN', 'FRANCISCO', '54', '70', '.435', '13', '1/2'],
 ['THURSDAY', ',', 'AUGUST', '22', 'SCHEDULE'],
 ['ST', 'LOUIS', 'AT', 'COLORADO'],
 ['CINCINNATI', 'AT', 'ATLANTA'],
 ['PITTSBURGH', 'AT', 'HOUSTON'],
 ['PHILADELPHIA', 'AT', 'LOS', 'ANGELES'],
 ['MONTREAL', 'AT', 'SAN', 'FRANCISCO'],
 ['BASEBALL', '-', 'MAJOR', 'LEAGUE', 'RESULTS', 'WEDNESDAY', '.'],
 ['NEW', 'YORK', '1996-08-22'],
 ['Results', 'of', 'Major', 'League'],
 ['Baseball',
  'games',
  'played',
  'on',
  'Wednesday',
  '(',
  'home',
  'team',
  'in',
  'CAPS',
  ')',
  ':'],
 ['American', 'League'],
 ['California', '7', 'NEW', 'YORK', '1'],
 ['DETROIT', '7', 'Chicago', '4'],
 ['Milwaukee', '10', 'MINNESOTA', '7'],
 ['BOSTON', '6', 'Oakland', '4'],
 ['BALTIMORE', '10', 'Seattle', '5'],
 ['Texas', '10', 'CLEVELAND', '8', '(', 'in', '10', ')'],
 ['Toronto', '6', 'KANSAS', 'CITY', '2'],
 ['National', 'League'],
 ['CHICAGO', '8', 'Florida', '3'],
 ['SAN', 'FRANCISCO', '12', 'New', 'York', '11'],
 ['ATLANTA', '4', 'Cincinnati', '3'],
 ['Pittsburgh', '5', 'HOUSTON', '2'],
 ['COLORADO', '10', 'St', 'Louis', '2'],
 ['Philadelphia', '6', 'LOS', 'ANGELES', '0'],
 ['SAN', 'DIEGO', '7', 'Montreal', '2'],
 ['BASEBALL',
  '-',
  'GREER',
  'HOMER',
  'IN',
  '10TH',
  'LIFTS',
  'TEXAS',
  'PAST',
  'INDIANS',
  '.'],
 ['CLEVELAND', '1996-08-22'],
 ['Rusty',
  'Greer',
  "'s",
  'two-run',
  'homer',
  'in',
  'the',
  'top',
  'of',
  'the',
  '10th',
  'inning',
  'rallied',
  'the',
  'Texas',
  'Rangers',
  'to',
  'a',
  '10-8',
  'victory',
  'over',
  'the',
  'Cleveland',
  'Indians',
  'Wednesday',
  'in',
  'the',
  'rubber',
  'game',
  'of',
  'a',
  'three-game',
  'series',
  'between',
  'division',
  'leaders',
  '.'],
 ['With',
  'one',
  'out',
  ',',
  'Greer',
  'hit',
  'a',
  '1-1',
  'pitch',
  'from',
  'Julian',
  'Tavarez',
  '(',
  '4-7',
  ')',
  'over',
  'the',
  'right-field',
  'fence',
  'for',
  'his',
  '15th',
  'home',
  'run',
  '.'],
 ['"',
  'It',
  'was',
  'an',
  'off-speed',
  'pitch',
  'and',
  'I',
  'just',
  'tried',
  'to',
  'get',
  'a',
  'good',
  'swing',
  'on',
  'it',
  'and',
  'put',
  'it',
  'in',
  'play',
  ',',
  '"',
  'Greer',
  'said',
  '.',
  '"'],
 ['This', 'was', 'a', 'big', 'game', '.'],
 ['The',
  'crowd',
  'was',
  'behind',
  'him',
  'and',
  'it',
  'was',
  'intense',
  '.',
  '"'],
 ['The',
  'shot',
  'brought',
  'home',
  'Ivan',
  'Rodriguez',
  ',',
  'who',
  'had',
  'his',
  'second',
  'double',
  'of',
  'the',
  'game',
  ',',
  'giving',
  'him',
  '42',
  'this',
  'season',
  ',',
  '41',
  'as',
  'a',
  'catcher',
  '.'],
 ['He',
  'joined',
  'Mickey',
  'Cochrane',
  ',',
  'Johnny',
  'Bench',
  'and',
  'Terry',
  'Kennedy',
  'as',
  'the',
  'only',
  'catchers',
  'with',
  '40',
  'doubles',
  'in',
  'a',
  'season',
  '.'],
 ['The',
  'Rangers',
  'have',
  'won',
  '10',
  'of',
  'their',
  'last',
  '12',
  'games',
  'and',
  'six',
  'of',
  'nine',
  'meetings',
  'against',
  'the',
  'Indians',
  'this',
  'season',
  '.'],
 ['The',
  'American',
  'League',
  'Western',
  'leaders',
  'have',
  'won',
  'eight',
  'of',
  '15',
  'games',
  'at',
  'Jacobs',
  'Field',
  ',',
  'joining',
  'the',
  'Yankees',
  'as',
  'the',
  'only',
  'teams',
  'with',
  'a',
  'winning',
  'record',
  'at',
  'the',
  'A.L.',
  'Central',
  'leaders',
  "'",
  'home',
  '.'],
 ['Cleveland',
  'lost',
  'for',
  'just',
  'the',
  'second',
  'time',
  'in',
  'six',
  'games',
  '.'],
 ['The',
  'Indians',
  'sent',
  'the',
  'game',
  'into',
  'extra',
  'innings',
  'in',
  'the',
  'ninth',
  'on',
  'Kenny',
  'Lofton',
  "'s",
  'two-run',
  'single',
  '.'],
 ['Ed',
  'Vosberg',
  '(',
  '1-0',
  ')',
  'blew',
  'his',
  'first',
  'save',
  'opportunity',
  'but',
  'got',
  'the',
  'win',
  ',',
  'allowing',
  'three',
  'hits',
  'with',
  'two',
  'walks',
  'and',
  'three',
  'strikeouts',
  'in',
  '1',
  '2/3',
  'scoreless',
  'innings',
  '.'],
 ['Dean',
  'Palmer',
  'hit',
  'his',
  '30th',
  'homer',
  'for',
  'the',
  'Rangers',
  '.'],
 ['In',
  'Baltimore',
  ',',
  'Cal',
  'Ripken',
  'had',
  'four',
  'hits',
  'and',
  'snapped',
  'a',
  'fifth-inning',
  'tie',
  'with',
  'a',
  'solo',
  'homer',
  'and',
  'Bobby',
  'Bonilla',
  'added',
  'a',
  'three-run',
  'shot',
  'in',
  'the',
  'seventh',
  'to',
  'power',
  'the',
  'surging',
  'Orioles',
  'to',
  'a',
  '10-5',
  'victory',
  'over',
  'the',
  'Seattle',
  'Mariners',
  '.'],
 ['The',
  'Mariners',
  'scored',
  'four',
  'runs',
  'in',
  'the',
  'top',
  'of',
  'the',
  'fifth',
  'to',
  'tie',
  'the',
  'game',
  '5-5',
  'but',
  'Ripken',
  'led',
  'off',
  'the',
  'bottom',
  'of',
  'the',
  'inning',
  'with',
  'his',
  '21st',
  'homer',
  'off',
  'starter',
  'Sterling',
  'Hitchcock',
  '(',
  '12-6',
  ')',
  '.'],
 ['Bonilla',
  "'s",
  'blast',
  'was',
  'the',
  'first',
  'time',
  'Randy',
  'Johnson',
  ',',
  'last',
  'season',
  "'s",
  'Cy',
  'Young',
  'winner',
  ',',
  'allowed',
  'a',
  'run',
  'in',
  'five',
  'relief',
  'appearances',
  'since',
  'coming',
  'off',
  'the',
  'disabled',
  'list',
  'on',
  'August',
  '6',
  '.'],
 ['Bonilla',
  'has',
  '21',
  'RBI',
  'and',
  '15',
  'runs',
  'in',
  'his',
  'last',
  '20',
  'games',
  '.'],
 ['Baltimore',
  'has',
  'won',
  'seven',
  'of',
  'nine',
  'and',
  '16',
  'of',
  'its',
  'last',
  '22',
  'and',
  'cut',
  'the',
  'Yankees',
  "'",
  'lead',
  'in',
  'the',
  'A.L.',
  'East',
  'to',
  'five',
  'games',
  '.'],
 ['Scott',
  'Erickson',
  '(',
  '8-10',
  ')',
  'laboured',
  'to',
  'his',
  'third',
  'straight',
  'win',
  '.'],
 ['Alex',
  'Rodriguez',
  'had',
  'two',
  'homers',
  'and',
  'four',
  'RBI',
  'for',
  'the',
  'Mariners',
  ',',
  'who',
  'have',
  'dropped',
  'three',
  'in',
  'a',
  'row',
  'and',
  '11',
  'of',
  '15',
  '.'],
 ['He',
  'became',
  'the',
  'fifth',
  'shortstop',
  'in',
  'major-league',
  'history',
  'to',
  'hit',
  '30',
  'homers',
  'in',
  'a',
  'season',
  'and',
  'the',
  'first',
  'since',
  'Ripken',
  'hit',
  '34',
  'in',
  '1991',
  '.'],
 ['Chris', 'Hoiles', 'hit', 'his', '22nd', 'homer', 'for', 'Baltimore', '.'],
 ['In',
  'New',
  'York',
  ',',
  'Jason',
  'Dickson',
  'scattered',
  '10',
  'hits',
  'over',
  '6',
  '1/3',
  'innings',
  'in',
  'his',
  'major-league',
  'debut',
  'and',
  'Chili',
  'Davis',
  'belted',
  'a',
  'homer',
  'from',
  'each',
  'side',
  'of',
  'the',
  'plate',
  'as',
  'the',
  'California',
  'Angels',
  'defeated',
  'the',
  'Yankees',
  '7-1',
  '.'],
 ['Dickson',
  'allowed',
  'a',
  'homer',
  'to',
  'Derek',
  'Jeter',
  'on',
  'his',
  'first',
  'major-league',
  'pitch',
  'but',
  'settled',
  'down',
  '.'],
 ['He',
  'was',
  'the',
  '27th',
  'pitcher',
  'used',
  'by',
  'the',
  'Angels',
  'this',
  'season',
  ',',
  'tying',
  'a',
  'major-league',
  'record',
  '.'],
 ['Jimmy',
  'Key',
  '(',
  '9-10',
  ')',
  'took',
  'the',
  'loss',
  'as',
  'the',
  'Yankees',
  'lost',
  'their',
  'ninth',
  'in',
  '14',
  'games',
  '.'],
 ['They', 'stranded', '11', 'baserunners', '.'],
 ['California',
  'played',
  'without',
  'interim',
  'manager',
  'John',
  'McNamara',
  ',',
  'who',
  'was',
  'admitted',
  'to',
  'a',
  'New',
  'York',
  'hospital',
  'with',
  'a',
  'blood',
  'clot',
  'in',
  'his',
  'right',
  'calf',
  '.'],
 ['In',
  'Boston',
  ',',
  'Mike',
  'Stanley',
  "'s",
  'bases-loaded',
  'two-run',
  'single',
  'snapped',
  'an',
  'eighth-inning',
  'tie',
  'and',
  'gave',
  'the',
  'Red',
  'Sox',
  'their',
  'third',
  'straight',
  'win',
  ',',
  '6-4',
  'over',
  'the',
  'Oakland',
  'Athletics',
  '.'],
 ['Stanley',
  'owns',
  'a',
  '.367',
  'career',
  'batting',
  'average',
  'with',
  'the',
  'bases',
  'loaded',
  '(',
  '33-for-90',
  ')',
  '.'],
 ['Boston',
  "'s",
  'Mo',
  'Vaughn',
  'went',
  '3-for-3',
  'with',
  'a',
  'walk',
  ',',
  'stole',
  'home',
  'for',
  'one',
  'of',
  'his',
  'three',
  'runs',
  'scored',
  'and',
  'collected',
  'his',
  '116th',
  'RBI',
  '.'],
 ['Scott',
  'Brosius',
  'homered',
  'and',
  'drove',
  'in',
  'two',
  'runs',
  'for',
  'the',
  'Athletics',
  ',',
  'who',
  'have',
  'lost',
  'seven',
  'of',
  'their',
  'last',
  'nine',
  'games',
  '.'],
 ['In',
  'Detroit',
  ',',
  'Brad',
  'Ausmus',
  "'s",
  'three-run',
  'homer',
  'capped',
  'a',
  'four-run',
  'eighth',
  'and',
  'lifted',
  'the',
  'Tigers',
  'to',
  'a',
  '7-4',
  'victory',
  'over',
  'the',
  'reeling',
  'Chicago',
  'White',
  'Sox',
  '.'],
 ['The',
  'Tigers',
  'have',
  'won',
  'consecutive',
  'games',
  'after',
  'dropping',
  'eight',
  'in',
  'a',
  'row',
  ',',
  'but',
  'have',
  'won',
  'nine',
  'of',
  'their',
  'last',
  '12',
  'at',
  'home',
  '.'],
 ['The',
  'White',
  'Sox',
  'have',
  'lost',
  'six',
  'of',
  'their',
  'last',
  'eight',
  'games',
  '.'],
 ['In',
  'Kansas',
  'City',
  ',',
  'Juan',
  'Guzman',
  'tossed',
  'a',
  'complete-game',
  'six-hitter',
  'to',
  'win',
  'for',
  'the',
  'first',
  'time',
  'in',
  'over',
  'a',
  'month',
  'and',
  'lower',
  'his',
  'league-best',
  'ERA',
  'as',
  'the',
  'Toronto',
  'Blue',
  'Jays',
  'won',
  'their',
  'fourth',
  'straight',
  ',',
  '6-2',
  'over',
  'the',
  'Royals',
  '.'],
 ['Guzman',
  '(',
  '10-8',
  ')',
  'won',
  'for',
  'the',
  'first',
  'time',
  'since',
  'July',
  '16',
  ',',
  'a',
  'span',
  'of',
  'six',
  'starts',
  '.'],
 ['He',
  'allowed',
  'two',
  'runs',
  '--',
  'one',
  'earned',
  '--',
  'and',
  'lowered',
  'his',
  'ERA',
  'to',
  '2.99',
  '.'],
 ['At',
  'Minnesota',
  ',',
  'John',
  'Jaha',
  "'s",
  'three-run',
  'homer',
  ',',
  'his',
  '26th',
  ',',
  'capped',
  'a',
  'five-run',
  'eighth',
  'inning',
  'that',
  'rallied',
  'the',
  'Milwaukee',
  'Brewers',
  'to',
  'a',
  '10-7',
  'victory',
  'over',
  'the',
  'Twins',
  '.'],
 ['Jaha',
  'added',
  'an',
  'RBI',
  'single',
  'in',
  'the',
  'ninth',
  'and',
  'had',
  'four',
  'RBI',
  '.'],
 ['Jose', 'Valentin', 'hit', 'his', '21st', 'homer', 'for', 'Milwaukee', '.'],
 ['SOCCER', '-', 'COCU', 'DOUBLE', 'EARNS', 'PSV', '4-1', 'WIN', '.'],
 ['AMSTERDAM', '1996-08-22'],
 ['Philip',
  'Cocu',
  'scored',
  'twice',
  'in',
  'the',
  'second',
  'half',
  'to',
  'spur',
  'PSV',
  'Eindhoven',
  'to',
  'a',
  '4-1',
  'away',
  'win',
  'over',
  'NEC',
  'Nijmegen',
  'in',
  'the',
  'Dutch',
  'first',
  'division',
  'on',
  'Thursday',
  '.'],
 ['He',
  'scored',
  'from',
  'close',
  'range',
  'in',
  'the',
  '54th',
  'minute',
  'and',
  'from',
  'a',
  'bicycle',
  'kick',
  '13',
  'minutes',
  'later',
  '.'],
 ['Arthur',
  'Numan',
  'and',
  'Luc',
  'Nilis',
  ',',
  'Dutch',
  'top',
  'scorer',
  'last',
  'season',
  ',',
  'were',
  'PSV',
  "'s",
  'other',
  'marksmen',
  '.'],
 ['Ajax',
  'Amsterdam',
  'opened',
  'their',
  'title',
  'defence',
  'with',
  'a',
  '1-0',
  'win',
  'over',
  'NAC',
  'Breda',
  'on',
  'Wednesday',
  '.'],
 ['SOCCER', '-', 'DUTCH', 'FIRST', 'DIVISION', 'SUMMARY', '.'],
 ['AMSTERDAM', '1996-08-22'],
 ['Summary', 'of', 'Thursday', "'s", 'only'],
 ['Dutch', 'first', 'division', 'match', ':'],
 ['NEC',
  'Nijmegen',
  '1',
  '(',
  'Van',
  'Eykeren',
  '15th',
  ')',
  'PSV',
  'Eindhoven',
  '4',
  '(',
  'Numan',
  '11th',
  ','],
 ['Nilis', '42nd', ',', 'Cocu', '54th', ',', '67th', ')', '.'],
 ['Halftime', '1-2', '.'],
 ['Attendance', '8,000'],
 ['SOCCER', '-', 'DUTCH', 'FIRST', 'DIVISION', 'RESULT', '.'],
 ['AMSTERDAM', '1996-08-22'],
 ['Result', 'of', 'a', 'Dutch', 'first'],
 ['division', 'match', 'on', 'Thursday', ':'],
 ['NEC', 'Nijmegen', '1', 'PSV', 'Eindhoven', '4'],
 ['SOCCER', '-', 'SHARPSHOOTER', 'KNUP', 'BACK', 'IN', 'SWISS', 'SQUAD', '.'],
 ['GENEVA', '1996-08-22'],
 ['Galatasaray',
  'striker',
  'Adrian',
  'Knup',
  ',',
  'scorer',
  'of',
  '26',
  'goals',
  'in',
  '45',
  'internationals',
  ',',
  'has',
  'been',
  'recalled',
  'by',
  'Switzerland',
  'for',
  'the',
  'World',
  'Cup',
  'qualifier',
  'against',
  'Azerbaijan',
  'in',
  'Baku',
  'on',
  'August',
  '31',
  '.'],
 ['Knup',
  'was',
  'overlooked',
  'by',
  'Artur',
  'Jorge',
  'for',
  'the',
  'European',
  'championship',
  'finals',
  'earlier',
  'this',
  'year',
  '.'],
 ['But',
  'new',
  'coach',
  'Rolf',
  'Fringer',
  'is',
  'clearly',
  'a',
  'Knup',
  'fan',
  'and',
  'included',
  'him',
  'in',
  'his',
  '19-man',
  'squad',
  'on',
  'Thursday',
  '.'],
 ['Switzerland',
  'failed',
  'to',
  'progress',
  'beyond',
  'the',
  'opening',
  'group',
  'phase',
  'in',
  'Euro',
  '96',
  '.'],
 ['Squad', ':'],
 ['Goalkeepers',
  '-',
  'Marco',
  'Pascolo',
  '(',
  'Cagliari',
  ')',
  ',',
  'Pascal',
  'Zuberbuehler',
  '(',
  'Grasshoppers',
  ')',
  '.'],
 ['Defenders',
  '-',
  'Stephane',
  'Henchoz',
  '(',
  'Hamburg',
  ')',
  ',',
  'Marc',
  'Hottiger',
  '(',
  'Everton',
  ')',
  ',',
  'Yvan',
  'Quentin',
  '(',
  'Sion',
  ')',
  ',',
  'Ramon',
  'Vega',
  '(',
  'Cagliari',
  ')',
  'Raphael',
  'Wicky',
  '(',
  'Sion',
  ')',
  '.'],
 ['Midfielders',
  '-',
  'Alexandre',
  'Comisetti',
  '(',
  'Grasshoppers',
  ')',
  ',',
  'Antonio',
  'Esposito',
  '(',
  'Grasshoppers',
  ')',
  ',',
  'Sebastien',
  'Fournier',
  '(',
  'Stuttgart',
  ')',
  ',',
  'Christophe',
  'Ohrel',
  '(',
  'Lausanne',
  ')',
  ',',
  'Patrick',
  'Sylvestre',
  '(',
  'Sion',
  ')',
  ',',
  'David',
  'Sesa',
  '(',
  'Servette',
  ')',
  ',',
  'Ciriaco',
  'Sforza',
  '(',
  'Inter',
  'Milan',
  ')',
  'Murat',
  'Yakin',
  '(',
  'Grasshoppers',
  ')',
  '.'],
 ['Strikers',
  '-',
  'Kubilay',
  'Turkyilmaz',
  '(',
  'Grasshoppers',
  ')',
  ',',
  'Adrian',
  'Knup',
  '(',
  'Galatasaray',
  ')',
  ',',
  'Christophe',
  'Bonvin',
  '(',
  'Sion',
  ')',
  ',',
  'Stephane',
  'Chapuisat',
  '(',
  'Borussia',
  'Dortmund',
  ')',
  '.'],
 ['ATHLETICS',
  '-',
  'IT',
  "'S",
  'A',
  'RECORD',
  '-',
  '40,000',
  'BEERS',
  'ON',
  'THE',
  'HOUSE',
  '.'],
 ['BRUSSELS', '1996-08-22'],
 ['Spectators',
  'at',
  'Friday',
  "'s",
  'Brussels',
  'grand',
  'prix',
  'meeting',
  'have',
  'an',
  'extra',
  'incentive',
  'to',
  'cheer',
  'on',
  'the',
  'athletes',
  'to',
  'world',
  'record',
  'performances',
  '--',
  'a',
  'free',
  'glass',
  'of',
  'beer',
  '.'],
 ['A',
  'Belgian',
  'brewery',
  'has',
  'offered',
  'to',
  'pay',
  'for',
  'a',
  'free',
  'round',
  'of',
  'drinks',
  'for',
  'all',
  'of',
  'the',
  '40,000',
  'crowd',
  'if',
  'a',
  'world',
  'record',
  'goes',
  'at',
  'the',
  'meeting',
  ',',
  'organisers',
  'said',
  'on',
  'Thursday',
  '.'],
 ['It',
  'could',
  'be',
  'one',
  'of',
  'the',
  'most',
  'expensive',
  'rounds',
  'of',
  'drinks',
  'ever',
  '.'],
 ['The', 'meeting', 'is', 'sold', 'out', 'already', '.'],
 ['Two',
  'world',
  'records',
  'are',
  'in',
  'serious',
  'danger',
  'of',
  'being',
  'broken',
  'at',
  'the',
  'meeting',
  '--',
  'the',
  'women',
  "'s",
  '1,000',
  'metres',
  'and',
  'the',
  'men',
  "'s",
  '3,000',
  'metres',
  '.'],
 ['GOLF', '-', 'GERMAN', 'OPEN', 'FIRST', 'ROUND', 'SCORES', '.'],
 ['STUTTGART', ',', 'Germany', '1996-08-22'],
 ['Leading', 'first', 'round'],
 ['scores',
  'in',
  'the',
  'German',
  'Open',
  'golf',
  'championship',
  'on',
  'Thursday',
  '(',
  'Britain'],
 ['unless', 'stated', ')', ':'],
 ['62', 'Paul', 'Broadhurst'],
 ['63', 'Raymond', 'Russell'],
 ['64',
  'David',
  'J.',
  'Russell',
  ',',
  'Michael',
  'Campbell',
  '(',
  'New',
  'Zealand',
  ')',
  ',',
  'Ian'],
 ['Woosnam',
  ',',
  'Bernhard',
  'Langer',
  '(',
  'Germany',
  ')',
  ',',
  'Ronan',
  'Rafferty',
  ',',
  'Mats'],
 ['Lanner', '(', 'Sweden', ')', ',', 'Wayne', 'Riley', '(', 'Australia', ')'],
 ['65',
  'Eamonn',
  'Darcy',
  '(',
  'Ireland',
  ')',
  ',',
  'Per',
  'Nyman',
  '(',
  'Sweden',
  ')',
  ',',
  'Russell',
  'Claydon',
  ','],
 ['Mark',
  'Roe',
  ',',
  'Retief',
  'Goosen',
  '(',
  'South',
  'Africa',
  ')',
  ',',
  'Carl',
  'Suneson'],
 ['66',
  'Stephen',
  'Field',
  ',',
  'Paul',
  'Lawrie',
  ',',
  'Ian',
  'Pyman',
  ',',
  'Max',
  'Anglert'],
 ['(',
  'Sweden',
  ')',
  ',',
  'Miles',
  'Tunnicliff',
  ',',
  'Christian',
  'Cevaer',
  '(',
  'France',
  ')',
  ','],
 ['Des',
  'Smyth',
  '(',
  'Ireland',
  ')',
  ',',
  'David',
  'Carter',
  ',',
  'Lee',
  'Westwood',
  ',',
  'Greg'],
 ['Chalmers',
  '(',
  'Australia',
  ')',
  ',',
  'Miguel',
  'Angel',
  'Martin',
  '(',
  'Spain',
  ')',
  ','],
 ['Thomas',
  'Bjorn',
  '(',
  'Denmark',
  ')',
  ',',
  'Fernando',
  'Roca',
  '(',
  'Spain',
  ')',
  ',',
  'Derrick'],
 ['Cooper'],
 ['67',
  'Jeff',
  'Hawksworth',
  ',',
  'Padraig',
  'Harrington',
  '(',
  'Ireland',
  ')',
  ',',
  'Michael'],
 ['Welch',
  ',',
  'Thomas',
  'Gogele',
  '(',
  'Germany',
  ')',
  ',',
  'Paul',
  'McGinley',
  '(',
  'Ireland',
  ')',
  ','],
 ['Gary',
  'Orr',
  ',',
  'Jose-Maria',
  'Canizares',
  '(',
  'Spain',
  ')',
  ',',
  'Michael',
  'Jonzon'],
 ['(',
  'Sweden',
  ')',
  ',',
  'Paul',
  'Eales',
  ',',
  'David',
  'Williams',
  ',',
  'Andrew',
  'Coltart',
  ','],
 ['Jonathan',
  'Lomas',
  ',',
  'Jose',
  'Rivero',
  '(',
  'Spain',
  ')',
  ',',
  'Robert',
  'Karlsson'],
 ['(',
  'Sweden',
  ')',
  ',',
  'Marcus',
  'Wills',
  ',',
  'Pedro',
  'Linhart',
  '(',
  'Spain',
  ')',
  ',',
  'Jamie'],
 ['Spence',
  ',',
  'Terry',
  'Price',
  '(',
  'Australia',
  ')',
  ',',
  'Juan',
  'Carlos',
  'Pinero',
  '(',
  'Spain',
  ')',
  ','],
 ['Mark', 'Mouland'],
 ['SOCCER',
  '-',
  'UEFA',
  'REWARDS',
  'THREE',
  'COUNTRIES',
  'FOR',
  'FAIR',
  'PLAY',
  '.'],
 ['GENEVA', '1996-08-22'],
 ['Norway',
  ',',
  'England',
  'and',
  'Sweden',
  'were',
  'rewarded',
  'for',
  'their',
  'fair',
  'play',
  'on',
  'Thursday',
  'with',
  'an',
  'additional',
  'place',
  'in',
  'the',
  '1997-98',
  'UEFA',
  'Cup',
  'competition',
  '.'],
 ['Norway',
  'headed',
  'the',
  'UEFA',
  'Fair',
  'Play',
  'rankings',
  'for',
  '1995-96',
  'with',
  '8.62',
  'points',
  ',',
  'ahead',
  'of',
  'England',
  'with',
  '8.61',
  'and',
  'Sweden',
  '8.57',
  '.'],
 ['The',
  'rankings',
  'are',
  'based',
  'on',
  'a',
  'formula',
  'that',
  'takes',
  'into',
  'account',
  'many',
  'factors',
  'including',
  'red',
  'and',
  'yellow',
  'cards',
  ',',
  'and',
  'coaching',
  'and',
  'spectators',
  "'",
  'behaviour',
  'at',
  'matches',
  'played',
  'at',
  'an',
  'international',
  'level',
  'by',
  'clubs',
  'and',
  'national',
  'teams',
  '.'],
 ['Only',
  'the',
  'top',
  'three',
  'countries',
  'are',
  'allocated',
  'additional',
  'places',
  '.'],
 ['The', 'UEFA', 'Fair', 'Play', 'rankings', 'are', ':', '1', '.'],
 ['Norway', '8.62', 'points'],
 ['2.', 'England', '8.61'],
 ['3.', 'Sweden', '8.57'],
 ['4.', 'Faroe', 'Islands', '8.56'],
 ['5.', 'Wales', '8.54'],
 ['6.', 'Estonia', '8.52'],
 ['7.', 'Ireland', '8.45'],
 ['8.', 'Belarus', '8.39'],
 ['9.', 'Iceland', '8.35'],
 ['10.', 'Netherlands', '8.30'],
 ['10.', 'Denmark', '8.30'],
 ['10.', 'Germany', '8.30'],
 ['13.', 'Scotland', '8.29'],
 ['13.', 'Latvia', '8.29'],
 ['15.', 'Moldova', '8.24'],
 ['16.', 'Yugoslavia', '8.22'],
 ['16.', 'Belgium', '8.22'],
 ['18.', 'Luxembourg', '8.20'],
 ['19.', 'France', '8.18'],
 ['20.', 'Israel', '8.17'],
 ['21.', 'Switzerland', '8.15'],
 ['21.', 'Slovakia', '8.15'],
 ['23.', 'Poland', '8.12'],
 ['23.', 'Portugal', '8.12'],
 ['25.', 'Georgia', '8.10'],
 ['26.', 'Ukraine', '8.09'],
 ['26.', 'Spain', '8.09'],
 ['26.', 'Finland', '8.09'],
 ['29.', 'Macedonia', '8.07'],
 ['30.', 'Lithuania', '8.06'],
 ['31.', 'Austria', '8.05'],
 ['32.', 'Russia', '8.03'],
 ['33.', 'Romania', '8.02'],
 ['33.', 'Turkey', '8.02'],
 ['35.', 'Hungary', '7.98'],
 ['36.', 'Czech', 'Republic', '7.95'],
 ['37.', 'Greece', '7.89'],
 ['37.', 'Northern', 'Ireland', '7.89'],
 ['39.', 'Italy', '7.85'],
 ['40.', 'Cyprus', '7.83'],
 ['41.', 'Armenia', '7.80'],
 ['42.', 'Slovenia', '7.77'],
 ['43.', 'Croatia', '7.75'],
 ['44.', 'Bulgaria', '7.73'],
 ['45.', 'Malta', '7.40'],
 ['CRICKET',
  '-',
  'POLICE',
  'COMMANDOS',
  'ON',
  'HAND',
  'FOR',
  'AUSTRALIANS',
  "'",
  'FIRST',
  'MATCH',
  '.'],
 ['COLOMBO', '1996-08-22'],
 ['Armed',
  'police',
  'commandos',
  'patrolled',
  'the',
  'ground',
  'when',
  'Australia',
  'opened',
  'their',
  'short',
  'tour',
  'of',
  'Sri',
  'Lanka',
  'with',
  'a',
  'five-run',
  'win',
  'over',
  'the',
  'country',
  "'s",
  'youth',
  'team',
  'on',
  'Thursday',
  '.'],
 ['Australia',
  ',',
  'in',
  'Sri',
  'Lanka',
  'for',
  'a',
  'limited',
  'overs',
  'tournament',
  'which',
  'also',
  'includes',
  'India',
  'and',
  'Zimbabwe',
  ',',
  'have',
  'been',
  'promised',
  'the',
  'presence',
  'of',
  'commandos',
  ',',
  'sniffer',
  'dogs',
  'and',
  'plainclothes',
  'policemen',
  'to',
  'ensure',
  'the',
  'tournament',
  'is',
  'trouble-free',
  '.'],
 ['They',
  'are',
  'making',
  'their',
  'first',
  'visit',
  'to',
  'the',
  'island',
  'since',
  'boycotting',
  'a',
  'World',
  'Cup',
  'fixture',
  'in',
  'February',
  'because',
  'of',
  'fears',
  'over',
  'ethnic',
  'violence',
  '.'],
 ['Australia',
  ',',
  'batting',
  'first',
  'in',
  'Thursday',
  "'s",
  'the',
  'warm-up',
  'match',
  ',',
  'scored',
  '251',
  'for',
  'seven',
  'from',
  'their',
  '50',
  'overs',
  '.'],
 ['Ricky',
  'Ponting',
  'led',
  'the',
  'way',
  'with',
  '100',
  'off',
  '119',
  'balls',
  'with',
  'two',
  'sixes',
  'and',
  'nine',
  'fours',
  'before',
  'retiring',
  '.'],
 ['The', 'youth', 'side', 'replied', 'with', '246', 'for', 'seven', '.'],
 ...]
len(vocab.itos)
23627
vocab['on']
15
def data_process(dt):
    return [ torch.tensor([vocab['<bos>']] +[vocab[token]  for token in  document ] + [vocab['<eos>']], dtype = torch.long) for document in dt]
def labels_process(dt):
    return [ torch.tensor([0] + document + [0], dtype = torch.long) for document in dt]
train_tokens_ids = data_process(dataset['train']['tokens'])
test_tokens_ids = data_process(dataset['test']['tokens'])
train_labels = labels_process(dataset['train']['ner_tags'])
test_labels = labels_process(dataset['test']['ner_tags'])
train_tokens_ids[0]
tensor([    2,   966, 22409,   238,   773,     9,  4588,   212,  7686,     4,
            3])
max([max(x) for x in dataset['train']['ner_tags'] ])
8
class NERModel(torch.nn.Module):

    def __init__(self,):
        super(NERModel, self).__init__()
        self.emb = torch.nn.Embedding(23627,200)
        self.fc1 = torch.nn.Linear(600,9)
        #self.softmax = torch.nn.Softmax(dim=0)
        # nie trzeba, bo używamy https://pytorch.org/docs/stable/generated/torch.nn.CrossEntropyLoss.html
        # jako kryterium
        

    def forward(self, x):
        x = self.emb(x)
        x = x.reshape(600) 
        x = self.fc1(x)
        #x = self.softmax(x)
        return x
train_tokens_ids[0][1:4]
tensor([  966, 22409,   238])
ner_model = NERModel()
ner_model(train_tokens_ids[0][1:4])
tensor([ 0.5914,  0.4670,  0.6421, -0.5443,  0.1544,  0.6162,  1.0013, -0.5271,
        -0.2552], grad_fn=<AddBackward0>)
criterion = torch.nn.CrossEntropyLoss()
optimizer = torch.optim.Adam(ner_model.parameters())
len(train_labels)
14041
for epoch in range(2):
    loss_score = 0
    acc_score = 0
    prec_score = 0
    selected_items = 0
    recall_score = 0
    relevant_items = 0
    items_total = 0
    nn_model.train()
    #for i in range(len(train_labels)):
    for i in range(100):
        for j in range(1, len(train_labels[i]) - 1):
    
            X = train_tokens_ids[i][j-1: j+2]
            Y = train_labels[i][j: j+1]

            Y_predictions = ner_model(X)
            
            
            acc_score += int(torch.argmax(Y_predictions) == Y)
            
            if torch.argmax(Y_predictions) != 0:
                selected_items +=1
            if  torch.argmax(Y_predictions) != 0 and torch.argmax(Y_predictions) == Y.item():
                prec_score += 1
            
            if  Y.item() != 0:
                relevant_items +=1
            if  Y.item() != 0 and torch.argmax(Y_predictions) == Y.item():
                recall_score += 1
            
            items_total += 1

            
            optimizer.zero_grad()
            loss = criterion(Y_predictions.unsqueeze(0), Y)
            loss.backward()
            optimizer.step()


            loss_score += loss.item() 
    
    precision = prec_score / selected_items
    recall = recall_score / relevant_items
    f1_score = (2*precision * recall) / (precision + recall)
    display('epoch: ', epoch)
    display('loss: ', loss_score / items_total)
    display('acc: ', acc_score / items_total)
    display('prec: ', precision)
    display('recall: : ', recall)
    display('f1: ', f1_score)
---------------------------------------------------------------------------
KeyboardInterrupt                         Traceback (most recent call last)
<ipython-input-65-55fa01d2d356> in <module>
     36             loss = criterion(Y_predictions.unsqueeze(0), Y)
     37             loss.backward()
---> 38             optimizer.step()
     39 
     40 

/media/kuba/ssdsam/anaconda3/lib/python3.8/site-packages/torch/optim/optimizer.py in wrapper(*args, **kwargs)
     87                 profile_name = "Optimizer.step#{}.step".format(obj.__class__.__name__)
     88                 with torch.autograd.profiler.record_function(profile_name):
---> 89                     return func(*args, **kwargs)
     90             return wrapper
     91 

/media/kuba/ssdsam/anaconda3/lib/python3.8/site-packages/torch/autograd/grad_mode.py in decorate_context(*args, **kwargs)
     25         def decorate_context(*args, **kwargs):
     26             with self.__class__():
---> 27                 return func(*args, **kwargs)
     28         return cast(F, decorate_context)
     29 

/media/kuba/ssdsam/anaconda3/lib/python3.8/site-packages/torch/optim/adam.py in step(self, closure)
    106 
    107             beta1, beta2 = group['betas']
--> 108             F.adam(params_with_grad,
    109                    grads,
    110                    exp_avgs,

/media/kuba/ssdsam/anaconda3/lib/python3.8/site-packages/torch/optim/_functional.py in adam(params, grads, exp_avgs, exp_avg_sqs, max_exp_avg_sqs, state_steps, amsgrad, beta1, beta2, lr, weight_decay, eps)
     90             denom = (max_exp_avg_sqs[i].sqrt() / math.sqrt(bias_correction2)).add_(eps)
     91         else:
---> 92             denom = (exp_avg_sq.sqrt() / math.sqrt(bias_correction2)).add_(eps)
     93 
     94         step_size = lr / bias_correction1

KeyboardInterrupt: 
loss_score = 0
acc_score = 0
prec_score = 0
selected_items = 0
recall_score = 0
relevant_items = 0
items_total = 0
nn_model.eval()
for i in range(100):
#for i in range(len(test_labels)):
    for j in range(1, len(test_labels[i]) - 1):

        X = test_tokens_ids[i][j-1: j+2]
        Y = test_labels[i][j: j+1]

        Y_predictions = ner_model(X)


        acc_score += int(torch.argmax(Y_predictions) == Y)

        if torch.argmax(Y_predictions) != 0:
            selected_items +=1
        if  torch.argmax(Y_predictions) != 0 and torch.argmax(Y_predictions) == Y.item():
            prec_score += 1

        if  Y.item() != 0:
            relevant_items +=1
        if  Y.item() != 0 and torch.argmax(Y_predictions) == Y.item():
            recall_score += 1

        items_total += 1


        loss = criterion(Y_predictions.unsqueeze(0), Y)



        loss_score += loss.item() 

precision = prec_score / selected_items
recall = recall_score / relevant_items
f1_score = (2*precision * recall) / (precision + recall)
display('loss: ', loss_score / items_total)
display('acc: ', acc_score / items_total)
display('prec: ', precision)
display('recall: : ', recall)
display('f1: ', f1_score)

Zadanie domowe

  • sklonować repozytorium https://git.wmi.amu.edu.pl/kubapok/en-ner-conll-2003
  • stworzyć klasyfikator bazujący na sieci neuronowej feed forward w pytorchu (można bazować na tym jupyterze lub nie).
  • klasyfikator powinien obejmować dodatkowe cechy (np. długość wyrazu, czy wyraz zaczyna się od wielkiej litery, stemmming słowa, czy zawiera cyfrę)
  • stworzyć predykcje w plikach dev-0/out.tsv oraz test-A/out.tsv
  • wynik fscore sprawdzony za pomocą narzędzia geval (patrz poprzednie zadanie) powinien wynosić conajmniej 0.60
  • proszę umieścić predykcję oraz skrypty generujące (w postaci tekstowej a nie jupyter) w repo, a w MS TEAMS umieścić link do swojego repo termin 08.06, 80 punktów