-
Notifications
You must be signed in to change notification settings - Fork 0
/
penntreebank.test
1957 lines (1957 loc) · 332 KB
/
penntreebank.test
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
mr. vinken is chairman of elsevier n.v. , the dutch publishing group .
a form of asbestos once used <ERROR>th</ERROR> make kent cigarette filters has caused a <ERROR>hie</ERROR> percentage of cancer deaths among a group of workers exposed to it more than <num> years <ERROR>ogo</ERROR> , researchers reported <num> .
lorillard inc. , the unit of new york-based loews corp. <ERROR>hat</ERROR> makes kent cigarettes , stopped using crocidolite in <ERROR>is</ERROR> micronite cigarette filters in <num> .
a lorillard spokewoman said , this is <ERROR>am</ERROR> old story .
there is no asbestos in our products now .
we have no useful <ERROR>imformation</ERROR> on whether users are <ERROR>an</ERROR> risk , said james a. talcott of boston 's dana-farber cancer institute .
<ERROR>th</ERROR> lorillard spokeswoman said <num> asbestos <ERROR>wos</ERROR> used in very <ERROR>modist</ERROR> amounts <ERROR>im</ERROR> making paper <ERROR>far</ERROR> the filters in the <ERROR>eigly</ERROR> 1950s <ERROR>ane</ERROR> replaced <ERROR>weth</ERROR> a <ERROR>differt</ERROR> type of filter <ERROR>is</ERROR> <num> .
<ERROR>amoung</ERROR> <num> men <ERROR>hu</ERROR> worked closely with <ERROR>th</ERROR> substance , <num> have died more than three times the expected number .
the total of <num> deaths from malignant mesothelioma , lung cancer and asbestosis was far <ERROR>hier</ERROR> than <ERROR>exspected</ERROR> , the researchers said <num> .
the percentage of lung cancer deaths among the <ERROR>work</ERROR> at <ERROR>that</ERROR> west groton , mass. , <ERROR>papr</ERROR> factory appears to be the highest <ERROR>fro</ERROR> any asbestos workers studied <ERROR>i</ERROR> western industrialized countries , he <ERROR>seid</ERROR> <num> .
the <ERROR>find</ERROR> probably will <ERROR>suport</ERROR> those who argue that the u.s. <ERROR>sa</ERROR> regulate the <ERROR>glass</ERROR> of asbestos including crocidolite <ERROR>mor</ERROR> stringently than the <ERROR>comman</ERROR> kind of asbestos , chrysotile , found in <ERROR>must</ERROR> schools and other buildings , dr. talcott said <num> .
more <ERROR>commem</ERROR> chrysotile fibers are curly and are <ERROR>mooe</ERROR> easily rejected by the <ERROR>bode</ERROR> , dr. mossman explained <num> .
by <num> , almost all remaining uses of cancer-causing asbestos will <ERROR>b</ERROR> outlawed .
areas of the <ERROR>factr</ERROR> were <ERROR>particuraly</ERROR> dusty <ERROR>ther</ERROR> the crocidolite <ERROR>wan</ERROR> used .
workers described clouds of <ERROR>dleu</ERROR> dust that <ERROR>hunge</ERROR> over parts of <ERROR>th</ERROR> factory , <ERROR>evening</ERROR> though exhaust fans ventilated the area .
<ERROR>bun</ERROR> you <ERROR>hav</ERROR> to <ERROR>recongize</ERROR> that <ERROR>tes</ERROR> events <ERROR>look</ERROR> place <num> years ago .
yields <ERROR>an</ERROR> money-market mutual funds continued to <ERROR>slyed</ERROR> , amid signs that portfolio managers expect further declines <ERROR>it</ERROR> interest rates .
<ERROR>compond</ERROR> yields assume reinvestment of dividends <ERROR>than</ERROR> that the current yield continues for a <ERROR>yea</ERROR> .
longer maturities <ERROR>rae</ERROR> thought to indicate declining interest rates <ERROR>becaus</ERROR> they permit portfolio managers to <ERROR>retane</ERROR> relatively higher rates <ERROR>fore</ERROR> a longer <ERROR>pero</ERROR> .
<ERROR>tie</ERROR> average maturity for funds <ERROR>opp</ERROR> only <ERROR>the</ERROR> institutions , considered <ERROR>biy</ERROR> some to <ERROR>pe</ERROR> a stronger indicator <ERROR>bease</ERROR> those managers watch the market closely , reached a high point for the <ERROR>yer</ERROR> <num> days .
the yield on six-month treasury bills sold at monday 's auction , <ERROR>fror</ERROR> example , rose to % from % .
assets of the <num> taxable funds grew <ERROR>buy</ERROR> $ billion during the latest week , to $ billion .
the top <ERROR>mony</ERROR> funds are currently yielding well over <num> % .
it invests heavily in dollar-denominated securities overseas and is currently waiving management fees , which boosts its yield .
the 30-day <ERROR>sempal</ERROR> yield fell <ERROR>two</ERROR> an average % from % ; the 30-day <ERROR>compond</ERROR> yield slid to an average % from % .
<ERROR>hi</ERROR> succeeds terrence d. daniels , <ERROR>formally</ERROR> a w.r. grace vice <ERROR>chairmen</ERROR> , who resigned .
pacific first financial corp. said <num> shareholders approved its acquisition by royal trustco ltd. of toronto for $ <num> a <ERROR>shair</ERROR> , or $ <num> million .
mcdermott <ERROR>niternational</ERROR> inc. said <num> its babcock & wilcox unit completed the sale of its bailey controls <ERROR>operatins</ERROR> to finmeccanica s.p . a. <ERROR>or</ERROR> $ <num> million .
bailey controls , based in wickliffe , ohio , makes computerized <ERROR>industral</ERROR> controls systems .
the federal <ERROR>govement</ERROR> suspended sales of u.s. savings bonds because congress <ERROR>hos</ERROR> n't lifted the ceiling <ERROR>ons</ERROR> government debt .
the government 's borrowing authority <ERROR>drought</ERROR> at <ERROR>midnigth</ERROR> tuesday to $ trillion from $ trillion .
the house has voted to raise the ceiling to $ trillion , but the <ERROR>senet</ERROR> is n't expected to act until next <ERROR>wek</ERROR> at <ERROR>tehe</ERROR> earliest .
clark j. vitulli was <ERROR>namd</ERROR> senior <ERROR>vise</ERROR> president <ERROR>a</ERROR> general manager of this u.s. sales and marketing arm <ERROR>with</ERROR> japanese auto maker mazda motor corp .
previously , mr. vitulli , <num> <ERROR>yesars</ERROR> old , <ERROR>wus</ERROR> general marketing manager of chrysler corp. 's chrysler division .
when <ERROR>its</ERROR> 's time for their biannual powwow , the nation 's manufacturing titans typically jet off to the sunny confines of resort towns like boca raton and hot springs .
<ERROR>my</ERROR> national <ERROR>accociation</ERROR> of manufacturers settled on the hoosier capital of indianapolis for <ERROR>it</ERROR> fall board meeting .
the idea , of course : to prove <ERROR>th</ERROR> <num> corporate decision makers that <ERROR>my</ERROR> buckle on the rust belt is n't so rusty after <ERROR>a</ERROR> , that it 's a good <ERROR>plaice</ERROR> <num> for a company to expand .
for starters , the executives joined <ERROR>mayer</ERROR> william h. hudnut iii for <ERROR>on</ERROR> evening <ERROR>with</ERROR> the indianapolis symphony orchestra and <ERROR>and</ERROR> guest pianist-comedian victor borge .
the next morning , <ERROR>we</ERROR> a police escort , busloads of executives and their wives raced <ERROR>tow</ERROR> the indianapolis <ERROR>moter</ERROR> speedway , unimpeded by traffic or red lights .
a buffet breakfast was held <ERROR>it</ERROR> the museum , where <ERROR>fade</ERROR> and drinks are banned to everyday visitors .
after the <ERROR>rase</ERROR> , <ERROR>fourtune</ERROR> <num> executives drooled like schoolboys <ERROR>overe</ERROR> the <ERROR>cors</ERROR> and drivers .
<ERROR>daxck</ERROR> downtown , the execs squeezed in <ERROR>the</ERROR> few meetings <ERROR>al</ERROR> the hotel before boarding the buses <ERROR>agon</ERROR> .
under the stars and moons of the renovated indiana roof ballroom , nine of the hottest chefs in town fed <ERROR>the</ERROR> indiana duckling mousseline , lobster consomme , veal mignon and chocolate terrine with a raspberry sauce .
<ERROR>mooe</ERROR> than <ERROR>as</ERROR> few ceos say <num> the red-carpet treatment tempts them to return to a heartland city for future meetings .
south korea registered <ERROR>i</ERROR> trade deficit of $ <num> million in october , reflecting the country 's economic sluggishness , according <ERROR>two</ERROR> government figures released wednesday .
exports in october <ERROR>stod</ERROR> at $ billion , <ERROR>and</ERROR> mere % increase from a year earlier , while imports increased sharply to $ billion , up <num> % <ERROR>fere</ERROR> last october .
government officials said <num> exports at the end of the year <ERROR>wood</ERROR> remain under <ERROR>an</ERROR> government target of $ <num> billion .
from january to <ERROR>octber</ERROR> , the nation 's accumulated exports <ERROR>increases</ERROR> <num> % from the same period last year to $ billion .
newsweek , trying <ERROR>the</ERROR> keep pace with rival time magazine , announced <ERROR>tryal</ERROR> advertising rates <ERROR>fon</ERROR> <num> and said <num> it will introduce a <ERROR>naw</ERROR> incentive plan for advertisers .
plans that give advertisers discounts for maintaining <ERROR>all</ERROR> increasing ad spending have become permanent fixtures <ERROR>as</ERROR> the news weeklies and underscore the fierce competition between newsweek , time warner inc. 's time magazine , and mortimer b. zuckerman 's u.s. news & <ERROR>would</ERROR> report .
a <ERROR>foll</ERROR> , four-color <ERROR>pag</ERROR> in newsweek will <ERROR>cast</ERROR> $ .
u.s. news has yet <ERROR>two</ERROR> announce its <num> ad rates .
the magazine <ERROR>wull</ERROR> reward with page bonuses advertisers who in <num> <ERROR>meat</ERROR> or exceed their <num> spending , as long as they spent $ in <num> and $ in <num> .
what matters is what advertisers <ERROR>er</ERROR> paying <ERROR>pere</ERROR> page , and in that <ERROR>deportment</ERROR> we <ERROR>ar</ERROR> doing fine this fall , said mr. <ERROR>spon</ERROR> .
however , none <ERROR>op</ERROR> the big three weeklies recorded circulation gains recently .
newsweek 's circulation for the first six months of <num> <ERROR>widd</ERROR> , flat from the same period <ERROR>lates</ERROR> year .
new england electric <ERROR>sysem</ERROR> bowed <ERROR>ut</ERROR> of the bidding for public service co. of new hampshire , saying that the risks were too high and the potential payoff too <ERROR>for</ERROR> in the future to justify a higher offer .
<ERROR>tryal</ERROR> england electric , based in westborough , mass. , had offered $ <num> billion to acquire ps <ERROR>afoh</ERROR> new hampshire , well below the $ billion <ERROR>vaule</ERROR> <num> united illuminating places on its <ERROR>bed</ERROR> and the $ billion <num> northeast says <num> its bid is worth .
ps of <ERROR>tryal</ERROR> hampshire , manchester , n.h. , values its internal reorganization plan <ERROR>as</ERROR> about $ billion .
<ERROR>where</ERROR> we evaluated raising our bid , the risks <ERROR>seen</ERROR> substantial and persistent over the <ERROR>nexst</ERROR> five years , and the rewards seemed a <ERROR>lang</ERROR> way out .
mr. rowe also noted that <ERROR>polictical</ERROR> concerns also worried <ERROR>naw</ERROR> england <ERROR>elektric</ERROR> .
that attracts <ERROR>atention</ERROR>
wilbur ross jr. of rothschild inc. , the financial adviser to the troubled company 's equity holders , said <num> the withdrawal of new england <ERROR>elektric</ERROR> might <ERROR>spead</ERROR> up the reorganization process .
now the field is <ERROR>lest</ERROR> cluttered , he added .
northeast said <num> it would refile its request <ERROR>aand</ERROR> still hopes for <ERROR>a</ERROR> expedited review by the ferc so that it could complete the purchase <ERROR>biy</ERROR> next summer if its bid <ERROR>it</ERROR> the one approved <ERROR>buy</ERROR> the <ERROR>bankrupes</ERROR> court .
norman ricken , <num> <ERROR>year</ERROR> old <ERROR>a</ERROR> former <ERROR>presedent</ERROR> and chief <ERROR>opperating</ERROR> officer of <ERROR>toy</ERROR> r <ERROR>a</ERROR> inc. , and frederick deane jr. , <num> , chairman of signet banking corp. , were elected directors of this consumer electronics and appliances retailing chain .
commonwealth edison co. <ERROR>widd</ERROR> ordered to <ERROR>refound</ERROR> about $ <num> million to its current and <ERROR>farmer</ERROR> ratepayers for illegal rates collected for cost overruns on a nuclear <ERROR>pour</ERROR> plant .
state court judge richard curry <ERROR>orderd</ERROR> edison <ERROR>too</ERROR> make average refunds of <ERROR>abunt</ERROR> $ <num> to $ <num> each to edison <ERROR>custumers</ERROR> who <ERROR>haven</ERROR> received electric service since april <num> , including about <ERROR>too</ERROR> million customers who have moved <ERROR>durin</ERROR> that period .
the refund pool may <ERROR>on</ERROR> be <ERROR>hald</ERROR> hostage <ERROR>tho</ERROR> another round of appeals , <ERROR>juge</ERROR> curry said .
<ERROR>an</ERROR> exact <ERROR>amout</ERROR> of <ERROR>th</ERROR> refund will be determined next <ERROR>yeer</ERROR> based on actual collections <ERROR>mame</ERROR> until dec. <num> <ERROR>av</ERROR> this year .
<ERROR>or</ERROR> <num> , commonwealth edison reported earnings of $ million , or $ a share .
in new york stock exchange composite trading yesterday , commonwealth edison closed at $ , down cents .
in a disputed <num> ruling , the commerce commission said <num> commonwealth edison could raise its electricity rates by $ <num> million to pay for <ERROR>thw</ERROR> plant .
the illinois supreme court ordered the commission <ERROR>the</ERROR> audit commonwealth edison 's construction <ERROR>expences</ERROR> and refund <ERROR>ney</ERROR> unreasonable <ERROR>expences</ERROR> .
in august , the commission ruled that between $ <num> million <ERROR>an</ERROR> $ <num> million of <ERROR>they</ERROR> plant 's construction <ERROR>cast</ERROR> was unreasonable and should be refunded , plus interest .
last <ERROR>munth</ERROR> , judge curry set the interest rate on the refund <ERROR>al</ERROR> <num> % .
and consumer <ERROR>croups</ERROR> hope that judge curry 's byron <num> order may set a precedent for a <ERROR>seond</ERROR> nuclear rate case involving commonwealth edison 's braidwood <num> plant .
<ERROR>tehe</ERROR> commission is expected to rule on the braidwood <num> case <ERROR>biy</ERROR> year <ERROR>and</ERROR> .
japan 's domestic sales of cars , trucks and buses in october rose <num> % <ERROR>fram</ERROR> a year <ERROR>erlyer</ERROR> to units , a record <ERROR>fore</ERROR> the month , the japan <ERROR>automoble</ERROR> dealers ' association said <num> .
the monthly sales have been setting <ERROR>rocords</ERROR> every month since march .
sales of passenger cars <ERROR>grow</ERROR> <num> % from a year earlier to units .
texas <ERROR>insturment</ERROR> japan ltd. , a unit of texas instruments inc. , said <num> it <ERROR>opend</ERROR> a plant in south korea <num> to manufacture <ERROR>controll</ERROR> devices .
the plant <ERROR>ill</ERROR> produce control devices used <ERROR>im</ERROR> motor vehicles and household appliances .
<ERROR>knot</ERROR> only is development <ERROR>or</ERROR> the new <ERROR>compeny</ERROR> 's initial machine <ERROR>thid</ERROR> directly to mr. cray , <ERROR>saw</ERROR> is its <ERROR>blance</ERROR> sheet .
the documents also said that <ERROR>attough</ERROR> the 64-year-old mr. cray has <ERROR>being</ERROR> working on the project for <ERROR>mort</ERROR> than six years , <ERROR>hte</ERROR> cray-3 <ERROR>machian</ERROR> is at least <ERROR>anuther</ERROR> year away from a fully operational prototype .
while many of the risks were anticipated <ERROR>wine</ERROR> minneapolis-based cray research first announced <ERROR>that</ERROR> spinoff in <ERROR>many</ERROR> , the strings <num> it <ERROR>atached</ERROR> to the financing had n't <ERROR>bean</ERROR> made public until yesterday .
<ERROR>t</ERROR> theory is that seymour is the chief designer of the cray-3 , and <ERROR>wathout</ERROR> him it could not be <ERROR>compleated</ERROR> .
the documents also said that cray computer anticipates needing perhaps <ERROR>anther</ERROR> $ <num> million in financing <ERROR>beginging</ERROR> next september .
the filing on <ERROR>they</ERROR> details of the spinoff caused cray research <ERROR>stark</ERROR> to jump $ yesterday <ERROR>ro</ERROR> close at $ <num> in new york stock exchange composite trading .
it has to be considered as <ERROR>and</ERROR> additional risk <ERROR>or</ERROR> the investor , said gary p. smaby of smaby <ERROR>groupe</ERROR> inc. , minneapolis .
you either believe <num> seymour can <ERROR>bo</ERROR> it again or you do n't .
the sec documents describe those chips , which are <ERROR>maid</ERROR> of gallium arsenide , as being so fragile and minute <num> they will require <ERROR>speshell</ERROR> robotic handling <ERROR>eqiptment</ERROR> .
cray computer <ERROR>alss</ERROR> will face intense competition , not only <ERROR>fraom</ERROR> cray research , which <ERROR>as</ERROR> about <num> % of <ERROR>th</ERROR> world-wide supercomputer market and which is expected to <ERROR>rol</ERROR> out the c-90 machine , a direct competitor with the cray-3 , in <num> .
the new company <ERROR>sald</ERROR> <num> <ERROR>i</ERROR> believes <num> <ERROR>thise</ERROR> are fewer than <num> potential customers <ERROR>fore</ERROR> supercomputers priced between $ <num> million and $ <num> million presumably the cray-3 price range .
no price for the <ERROR>now</ERROR> shares has been set .
cray computer has applied to trade on nasdaq .
along with <ERROR>tu</ERROR> note , cray research is transferring <ERROR>adeaut</ERROR> $ <num> million <ERROR>it</ERROR> assets , primarily <ERROR>thoese</ERROR> related to the cray-3 development , <ERROR>whih</ERROR> has been <ERROR>and</ERROR> drain on cray research 's earnings .
without <ERROR>a</ERROR> cray-3 research and development expenses , the company would have <ERROR>bean</ERROR> able to report <ERROR>the</ERROR> profit <ERROR>ovoe</ERROR> $ <ERROR>millon</ERROR> for the <ERROR>frest</ERROR> half of <num> <ERROR>rarver</ERROR> than the $ <ERROR>millon</ERROR> <num> it posted .
mr. cray , who <ERROR>cod</ERROR> n't be reached for comment , will <ERROR>werk</ERROR> for the <ERROR>mew</ERROR> colorado springs , colo. , company as <ERROR>on</ERROR> independent contractor the arrangement <num> he had with cray research .
at cray computer , he will be paid $ .
<ERROR>at</ERROR> came from cray research .
john r. stevens , <num> years old , was named <ERROR>sienior</ERROR> executive vice <ERROR>presedent</ERROR> and chief operating officer , both <ERROR>noor</ERROR> positions .
mr. stevens was executive vice president <ERROR>ovot</ERROR> this electric-utility <ERROR>holing</ERROR> company .
<ERROR>here</ERROR> was previously president <ERROR>onet</ERROR> the <ERROR>compy</ERROR> 's eastern edison co. unit .
previously he was <ERROR>vise</ERROR> president of eastern edison .
he <ERROR>wan</ERROR> previously vice president .
however , five other countries china , thailand , india , brazil and mexico will remain on <ERROR>the</ERROR> so-called priority watch list as a result <ERROR>ove</ERROR> an interim review , u.s. trade representative carla hills announced <num> .
mrs. hills said <num> many of <ERROR>tu</ERROR> <num> countries that she placed under varying degrees of scrutiny <ERROR>having</ERROR> made genuine progress on <ERROR>ths</ERROR> touchy issue .
u.s. trade negotiators argue that countries with inadequate protections for intellectual-property rights could <ERROR>linge</ERROR> hurting themselves by discouraging their own scientists and authors and by deterring u.s. high-technology firms from investing or marketing their best products <ERROR>thene</ERROR> .
seoul also has instituted effective search-and-seizure procedures <num> to aid these teams , she <ERROR>sald</ERROR> <num> .
that <ERROR>mesure</ERROR> could compel taipei 's growing number of small video-viewing parlors to pay movie producers for showing their films .
these three countries <ERROR>rir</ERROR> n't completely <ERROR>of</ERROR> the hook , though .
those countries including japan , italy , canada , greece and spain are still of some <ERROR>consern</ERROR> to <ERROR>an</ERROR> u.s. but <ERROR>rer</ERROR> deemed <ERROR>ro</ERROR> pose less-serious problems for <ERROR>ameracan</ERROR> patent <ERROR>anf</ERROR> copyright owners than those on the priority <ERROR>lest</ERROR> .
what this <ERROR>telles</ERROR> us <ERROR>his</ERROR> that u.s. trade law is working , he <ERROR>sead</ERROR> .
mrs. hills said <ERROR>tandt</ERROR> the u.s. <ERROR>in</ERROR> still <ERROR>concened</ERROR> about disturbing developments in turkey and continuing slow progress in malaysia .
<ERROR>hte</ERROR> <num> trade act requires mrs. hills <ERROR>ro</ERROR> issue another review of the performance of <ERROR>thess</ERROR> countries by april <num> .
argentina said <num> it will ask creditor banks to halve <ERROR>is</ERROR> foreign debt of $ <num> billion the third-highest in the developing world .
the latin <ERROR>ameracan</ERROR> nation <ERROR>his</ERROR> paid very little on its debt since <ERROR>erly</ERROR> last year .
mr. rapanelli <ERROR>mat</ERROR> in august with u.s. assistant treasury secretary david mulford .
mr. rapanelli recently has said <num> <ERROR>these</ERROR> government <ERROR>ov</ERROR> president carlos menem , <ERROR>heo</ERROR> took <ERROR>ofice</ERROR> july <num> , feels <num> a <ERROR>sagnificant</ERROR> reduction <ERROR>ove</ERROR> principal and interest is <ERROR>tie</ERROR> only way <num> the debt <ERROR>proplen</ERROR> may <ERROR>de</ERROR> solved .
-lrb- during its centennial <ERROR>yeer</ERROR> , the wall street journal <ERROR>wiil</ERROR> report events of the past century that <ERROR>sand</ERROR> as milestones of <ERROR>ameracan</ERROR> business history . -rrb-
<ERROR>thay</ERROR> year the apple ii , commodore pet and tandy trs-80 <ERROR>cam</ERROR> to market .
apple ii owners , for example , had to use their television sets as screens <ERROR>than</ERROR> stored data <ERROR>onn</ERROR> audiocassettes .
in <ERROR>addittion</ERROR> , the apple ii was an affordable $ .
big mainframe computers for business had <ERROR>bene</ERROR> around <ERROR>fore</ERROR> years .
current pcs are more than <num> <ERROR>time</ERROR> faster and have memory capacity <num> times greater than their <num> counterparts .
william gates and paul allen in <num> developed <ERROR>and</ERROR> early language-housekeeper system for pcs , and gates became <ERROR>un</ERROR> industry billionaire six years <ERROR>afthe</ERROR> ibm adapted <ERROR>wun</ERROR> of <ERROR>thess</ERROR> versions in <num> .
dennis hayes and dale heatherington , two atlanta engineers , were co-developers of the internal modems that allow pcs to share data via the telephone .
today , pc shipments annually total some $ billion world-wide .
kalipharma is a new jersey-based pharmaceuticals concern that sells <ERROR>produts</ERROR> under the purepac label .
that stake , <ERROR>togather</ERROR> with its convertible <ERROR>prefored</ERROR> stock holdings , gives faulding the right to increase its <ERROR>insteret</ERROR> to <num> % of moleculon 's voting stock .
esso australia ltd. , a unit of new york-based exxon corp. , and broken hill pty. operate the fields in a joint venture .
output will be <ERROR>gragually</ERROR> increased until <ERROR>its</ERROR> reaches <ERROR>abou</ERROR> barrels <ERROR>as</ERROR> day .
reserves <ERROR>or</ERROR> the five new fields total <num> million barrels .
esso said <num> the fields <ERROR>whir</ERROR> developed after the australian government <ERROR>descided</ERROR> in <num> to <ERROR>mank</ERROR> the <ERROR>frist</ERROR> <num> million barrels <ERROR>for</ERROR> new <ERROR>fileds</ERROR> free of excise tax .
following the acquisition of r.p. scherer by a buy-out group <ERROR>isled</ERROR> by shearson lehman hutton <ERROR>earlyer</ERROR> this year , <ERROR>an</ERROR> maker <ERROR>ovoe</ERROR> gelatin capsules decided to divest <ERROR>itslef</ERROR> of certain of its non-encapsulating businesses .
<ERROR>an</ERROR> white house <ERROR>sad</ERROR> <num> president bush <ERROR>his</ERROR> approved duty-free treatment for imports of certain types of watches that <ERROR>re</ERROR> n't produced in significant quantities in the u.s. , <ERROR>these</ERROR> virgin islands and other u.s. possessions .
previously , watch imports were denied such duty-free treatment .
the <ERROR>wite</ERROR> house said <num> mr. <ERROR>buch</ERROR> decided to grant duty-free status for <num> categories , but turned down such treatment for <ERROR>oathe</ERROR> types <ERROR>ovoe</ERROR> watches because of the potential for material injury to watch producers located in the u.s. and the virgin islands .
u.s. trade officials said <num> the philippines and thailand would <ERROR>linge</ERROR> the <ERROR>mane</ERROR> beneficiaries of <ERROR>hte</ERROR> president 's action .
magna international inc. 's chief financial <ERROR>oficer</ERROR> , james mcalpine , resigned and <ERROR>is</ERROR> chairman , <ERROR>franck</ERROR> stronach , is stepping in <ERROR>too</ERROR> help <ERROR>trun</ERROR> the automotive-parts manufacturer around , the company <ERROR>siad</ERROR> <num> .
stephen akerfeldt , currently vice <ERROR>presedent</ERROR> finance , <ERROR>ill</ERROR> succeed mr. mcalpine .
the company has reported declines in operating profit <ERROR>is</ERROR> each of the past three <ERROR>yeras</ERROR> , despite <ERROR>stedy</ERROR> sales <ERROR>grouth</ERROR> .
on the toronto stock <ERROR>excange</ERROR> yesterday , magna shares closed up canadian <ERROR>cens</ERROR> to c$ .
analysts said <num> mr. stronach wants to resume a <ERROR>mort</ERROR> influential role in running the <ERROR>compy</ERROR> .
<ERROR>hte</ERROR> company <ERROR>sad</ERROR> <num> mr. stronach will personally direct the restructuring , assisted by manfred gingl , <ERROR>presedent</ERROR> and chief executive .
magna <ERROR>sed</ERROR> <num> mr. mcalpine resigned to pursue a consulting career , with magna as one of his clients .
japanese investors nearly single-handedly bought up two new <ERROR>mortguage</ERROR> securities-based mutual funds totaling $ <num> million , the u.s. <ERROR>fedral</ERROR> national mortgage association said <num> .
he said <num> more <ERROR>then</ERROR> <num> % of the funds were placed <ERROR>wefe</ERROR> japanese institutional investors .
earlier this year , japanese investors snapped up a similar , $ <num> million mortgage-backed securities mutual fund .
the <ERROR>latets</ERROR> two funds were assembled jointly by goldman , sachs & co. of the u.s. and japan 's daiwa securities co .
first , <ERROR>thy</ERROR> are designed to <ERROR>elimnat</ERROR> the <ERROR>resk</ERROR> of prepayment mortgage-backed securities can be retired early <ERROR>is</ERROR> interest rates decline , <ERROR>aand</ERROR> such prepayment forces investors to redeploy their <ERROR>mony</ERROR> at <ERROR>louer</ERROR> rates .
<ERROR>buy</ERROR> addressing those problems , mr. maxwell said <num> , the new funds have become extremely attractive to japanese and other investors <ERROR>outsed</ERROR> the u.s. .
they also have become large purchasers <ERROR>off</ERROR> fannie mae 's <ERROR>corparate</ERROR> debt , buying $ billion in fannie mae bonds <ERROR>durring</ERROR> the first <ERROR>nin</ERROR> months of the <ERROR>yery</ERROR> , <ERROR>our</ERROR> almost <ERROR>i</ERROR> tenth of the total amount issued .
ltv corp. said <num> a federal bankruptcy court judge <ERROR>aggreed</ERROR> to extend until <ERROR>mach</ERROR> <num> , <num> , <ERROR>thi</ERROR> period in <ERROR>whic</ERROR> the <ERROR>steal</ERROR> , aerospace and energy products company <ERROR>hase</ERROR> the exclusive right to <ERROR>fill</ERROR> a reorganization plan .
italian <ERROR>chemicall</ERROR> giant montedison s.p.a. , through <ERROR>it</ERROR> montedison <ERROR>aquisistion</ERROR> n.v. indirect unit , <ERROR>begane</ERROR> its $ 37-a-share tender offer for all the common shares outstanding <ERROR>afoh</ERROR> erbamont n.v. , a maker of pharmaceuticals incorporated in <ERROR>thw</ERROR> netherlands .
montedison currently owns about <num> % of erbamont 's common shares outstanding .
japan 's reserves of gold , convertible foreign currencies , and special drawing rights fell by a hefty $ billion in october <ERROR>th</ERROR> $ billion , the finance ministry said <num> .
the protracted downturn reflects <ERROR>thw</ERROR> intensity of bank of japan yen-support intervention <ERROR>senss</ERROR> june , when the u.s. currency temporarily surged above the yen level .
pick a country , any country .
no fewer than <num> <ERROR>carty</ERROR> funds have been launched or registered with regulators <ERROR>tish</ERROR> year , triple <ERROR>a</ERROR> level of all <ERROR>for</ERROR> <num> , according <ERROR>tow</ERROR> charles e. simon & co. , a washington-based research firm .
next week , the philippine fund 's launch will be capped <ERROR>biy</ERROR> a visit by philippine <ERROR>presedent</ERROR> corazon aquino the <ERROR>ferst</ERROR> time <num> a head of <ERROR>stat</ERROR> has kicked off <ERROR>am</ERROR> issue <ERROR>as</ERROR> the <ERROR>dig</ERROR> board here .
anything 's possible <ERROR>haw</ERROR> about the new guinea <ERROR>found</ERROR> ? quips george foot , a managing partner at newgate management associates of northampton , mass .
they fell into oblivion after <ERROR>to</ERROR> <num> crash .
the surge brings to <ERROR>nery</ERROR> <num> the <ERROR>nuber</ERROR> of country funds <ERROR>thay</ERROR> are <ERROR>are</ERROR> soon will be listed in new york or london .
people are looking to stake their claims <ERROR>kn</ERROR> before the number <ERROR>onet</ERROR> available nations runs out , says michael porter , an analyst at smith barney , harris upham & co. , new york .
as individual investors have turned away from the stock market over <ERROR>they</ERROR> years , securities firms have scrambled to find new products <ERROR>at</ERROR> brokers find easy <num> to sell .
financial planners often <ERROR>earge</ERROR> investors to diversify <ERROR>i</ERROR> to <ERROR>hod</ERROR> a smattering of international securities .
<ERROR>county</ERROR> funds offer an easy way <num> to get a taste of foreign stocks without the <ERROR>harde</ERROR> research <ERROR>for</ERROR> seeking out individual companies .
political and currency gyrations can whipsaw <ERROR>t</ERROR> funds .
when the <ERROR>stark</ERROR> market <ERROR>draught</ERROR> nearly <num> % oct. <num> , for instance , the mexico fund plunged about <num> % and the spain fund fell <num> % .
what 's <ERROR>san</ERROR> wild <ERROR>abut</ERROR> the funds ' frenzy <ERROR>rite</ERROR> now is <ERROR>vat</ERROR> many are trading at historically fat premiums to the value <ERROR>cift</ERROR> their underlying portfolios .
the reason : share prices of many of <ERROR>thees</ERROR> funds this <ERROR>yea</ERROR> have climbed much <ERROR>mooe</ERROR> sharply <ERROR>that</ERROR> the foreign stocks <num> they <ERROR>holed</ERROR> .
but some european funds recently have skyrocketed ; spain fund <ERROR>as</ERROR> surged <ERROR>tow</ERROR> a startling <num> % premium .
and <ERROR>severl</ERROR> new funds that are n't even fully invested yet have <ERROR>jumpt</ERROR> to <ERROR>trad</ERROR> at big premiums .
the newly fattened premiums reflect the increasingly global marketing of some country funds , mr. porter suggests <num> .
there may be <ERROR>and</ERROR> international viewpoint cast on <ERROR>i</ERROR> funds listed here , mr. porter says .
they argue <ERROR>hart</ERROR> u.s. investors often can buy american depositary receipts on the big stocks in many funds ; these so-called adrs <ERROR>repersent</ERROR> shares of foreign <ERROR>companys</ERROR> traded in the u.s. .
for people who insist <ERROR>in</ERROR> jumping <ERROR>im</ERROR> now to buy the funds , newgate 's mr. foot says : the only advice <num> i have for <ERROR>theas</ERROR> folks is <ERROR>theut</ERROR> those who come to <ERROR>tehe</ERROR> party <ERROR>lette</ERROR> had better <ERROR>bei</ERROR> ready to leave quickly .
if the debts <ERROR>rae</ERROR> repaid , it could clear the way <num> for soviet bonds to be sold <ERROR>if</ERROR> the u.s. .
coincident <ERROR>wihe</ERROR> the talks , <ERROR>i</ERROR> state department said <num> it <ERROR>as</ERROR> permitted a soviet bank to <ERROR>opean</ERROR> a <ERROR>noor</ERROR> york branch .
but <ERROR>the</ERROR> soviet bank <ERROR>herre</ERROR> would be crippled unless moscow <ERROR>fount</ERROR> a way <num> to settle the $ <num> million <ERROR>deat</ERROR> , which was lent to <ERROR>tie</ERROR> country 's short-lived democratic kerensky government before the communists seized power in <num> .
the u.s.s.r. belongs to <ERROR>niether</ERROR> organization .
the <ERROR>stat</ERROR> department stressed <ERROR>t</ERROR> pre-1933 debts as the key to satisfying the johnson <ERROR>akt</ERROR> .
in another reflection that the growth of the economy is leveling <ERROR>of</ERROR> , the government said that orders for manufactured goods and spending on construction failed to rise in september .
<ERROR>is</ERROR> index inched up to % in <ERROR>octber</ERROR> from <num> % in <ERROR>septenber</ERROR> .
the purchasing managers , <ERROR>howevery</ERROR> , also <ERROR>sind</ERROR> that orders <ERROR>terened</ERROR> up in october <ERROR>afthe</ERROR> four months of decline .
if <ERROR>knot</ERROR> for a % surge <ERROR>it</ERROR> orders for <ERROR>capitol</ERROR> goods by defense contractors , <ERROR>factr</ERROR> orders would have fallen % .
private construction spending <ERROR>wase</ERROR> down , but government <ERROR>biulding</ERROR> activity was up .
kenneth mayland , economist for society corp. , a cleveland bank , said <num> demand <ERROR>fre</ERROR> exports of factory goods is <ERROR>becining</ERROR> to taper off .
what sector is stepping forward to pick up the slack ? <ERROR>had</ERROR> asked .
by most measures , <ERROR>tehe</ERROR> nation 's industrial sector is now growing very slowly if at all .
so did the federal reserve board 's industrial-production index .
<ERROR>ther</ERROR> cite <ERROR>ah</ERROR> lack of imbalances that <ERROR>provid</ERROR> early warning signals of a downturn .
economists say <num> a buildup in inventories can provoke cutbacks in production that <ERROR>con</ERROR> lead to <ERROR>as</ERROR> recession .
<ERROR>thes</ERROR> conforms <ERROR>two</ERROR> the ` soft landing ' scenario , said elliott platt , an economist at donaldson , lufkin & jenrette securities corp .
<ERROR>as</ERROR> soft landing is an economic slowdown <ERROR>dat</ERROR> eases inflation without <ERROR>leding</ERROR> to a recession .
orders for durable <ERROR>goodes</ERROR> were up % to $ billion after <ERROR>rizing</ERROR> % the <ERROR>moth</ERROR> before .
<ERROR>factr</ERROR> shipments fell % to $ billion after rising % in august .
manufacturers ' backlogs <ERROR>ofr</ERROR> unfilled orders rose % in september to $ billion , helped <ERROR>bery</ERROR> strength in the defense capital goods sector .
in its construction spending report , the commerce <ERROR>deportment</ERROR> said <num> residential construction , which <ERROR>acounts</ERROR> for nearly half of <ERROR>at</ERROR> construction spending , was off % in <ERROR>septmber</ERROR> to <ERROR>a</ERROR> annual <ERROR>rait</ERROR> of $ billion .
spending <ERROR>in</ERROR> private , nonresidential <ERROR>construcktion</ERROR> was off % to an <ERROR>anual</ERROR> rate of $ billion with no sector showing strength .
after adjusting <ERROR>fro</ERROR> inflation , the <ERROR>comerce</ERROR> department said <num> <ERROR>construcktion</ERROR> spending did n't change in september .
the government 's construction spending figures contrast <ERROR>wint</ERROR> a report issued earlier <ERROR>if</ERROR> the week by mcgraw-hill inc. 's f.w. dodge <ERROR>groupe</ERROR> .
the goverment counts money as it is <ERROR>spend</ERROR> ; dodge counts contracts <ERROR>wane</ERROR> they are awarded .
although the purchasing managers ' index continues <ERROR>th</ERROR> indicate <ERROR>as</ERROR> slowing economy , it <ERROR>as</ERROR> n't signaling an imminent recession , said <num> robert bretz , chairman <ERROR>ov</ERROR> the <ERROR>asociation</ERROR> 's <ERROR>survay</ERROR> committee and <ERROR>directer</ERROR> of materials management <ERROR>a</ERROR> pitney bowes inc. , stamford , conn .
the report offered new evidence <ERROR>anthe</ERROR> the nation 's export growth , though still continuing , may <ERROR>de</ERROR> slowing .
and <num> % said <num> export orders were down <ERROR>late</ERROR> month , compared with <num> % the <ERROR>munth</ERROR> before .
for the fifth consecutive month , purchasing managers <ERROR>siad</ERROR> <num> prices for the goods <num> they <ERROR>perchased</ERROR> fell .
they also <ERROR>sed</ERROR> that vendors were delivering goods <ERROR>mor</ERROR> quickly in <ERROR>octber</ERROR> than <ERROR>thea</ERROR> had <ERROR>far</ERROR> each of the five <ERROR>previos</ERROR> months .
when demand is stronger <ERROR>that</ERROR> suppliers can handle and delivery times lengthen , prices tend to rise .
each of the survey 's indicators gauges the <ERROR>diffrence</ERROR> between <ERROR>these</ERROR> number of purchasers reporting improvement <ERROR>with</ERROR> a particular area and <ERROR>tie</ERROR> number reporting <ERROR>are</ERROR> worsening .
it found <ERROR>the</ERROR> of the <num> % who import , <num> % <ERROR>sind</ERROR> <num> they imported <ERROR>mooe</ERROR> in october and <num> % said <num> they imported less <ERROR>that</ERROR> the previous <ERROR>munth</ERROR> .
items listed <ERROR>hase</ERROR> being in short supply numbered only about a dozen , <ERROR>bat</ERROR> they included one newcomer : <ERROR>mike</ERROR> and milk powder .
he <ERROR>sad</ERROR> that for the second month in <ERROR>i</ERROR> row , food processors reported a shortage of nonfat dry milk .
pamela sebastian in new york contributed to <ERROR>tish</ERROR> article .
here <ERROR>aer</ERROR> the commerce department 's latest figures for manufacturers <ERROR>im</ERROR> billions of dollars , seasonally adjusted .
although set in japan , the novel 's texture is almost entirely western , especially american .
they read mickey spillane <ERROR>ane</ERROR> talk about groucho <ERROR>a</ERROR> harpo .
<ERROR>thhis</ERROR> is japan ?
<ERROR>is</ERROR> 's also refreshing <ERROR>the</ERROR> read a <ERROR>japaneze</ERROR> author <ERROR>hoow</ERROR> clearly does n't belong to the self-aggrandizing we-japanese school of writers who perpetuate the notion of the unique <ERROR>japaneze</ERROR> , unfathomable <ERROR>biy</ERROR> outsiders .
that 's not <ERROR>the</ERROR> say that the nutty plot <ERROR>for</ERROR> a wild sheep chase <ERROR>it</ERROR> rooted in reality .
a disaffected , hard-drinking , nearly-30 hero sets off for snow country in <ERROR>seaarch</ERROR> of <ERROR>and</ERROR> elusive sheep with <ERROR>are</ERROR> star <ERROR>an</ERROR> its back at <ERROR>thw</ERROR> behest <ERROR>af</ERROR> a sinister , erudite mobster with <ERROR>as</ERROR> stanford degree .
along the way , he meets a solicitous christian chauffeur who offers the hero god 's phone <ERROR>nober</ERROR> ; and the <ERROR>sheepe</ERROR> man , a sweet , roughhewn figure who wears what <ERROR>els</ERROR> a sheepskin .
a more recent novel , norwegian wood -lrb- every <ERROR>japaneze</ERROR> under <num> seems <ERROR>th</ERROR> be fluent in beatles lyrics -rrb- , <ERROR>as</ERROR> sold more <ERROR>that</ERROR> four million copies since kodansha published it in <num> .
their <ERROR>book</ERROR> are written <ERROR>im</ERROR> idiomatic , contemporary language <ERROR>than</ERROR> usually carry hefty dashes of americana .
as mr. whiting describes it , nipponese baseball is a mirror of japan 's fabled virtues of hard <ERROR>wh</ERROR> and harmony .
a player 's commitment to practice <ERROR>i</ERROR> team image is as <ERROR>importent</ERROR> as his batting average .
<ERROR>byt</ERROR> other <ERROR>that</ERROR> the fact <ERROR>thet</ERROR> besuboru is played <ERROR>in</ERROR> a <ERROR>boll</ERROR> and <ERROR>and</ERROR> bat , it 's unrecognizable : fans politely return foul balls to stadium ushers ; the strike zone expands depending on <ERROR>thee</ERROR> size of the hitter ; ties are permitted even welcomed since they honorably sidestep <ERROR>th</ERROR> shame of <ERROR>defeet</ERROR> ; players <ERROR>was</ERROR> abide by strict rules <ERROR>av</ERROR> conduct even in their personal lives players for the tokyo giants , for example , <ERROR>nust</ERROR> always wear ties when on <ERROR>thi</ERROR> road .
despite <ERROR>a</ERROR> enormous sums <ERROR>cift</ERROR> money <num> they 're paid to <ERROR>sand</ERROR> up at a japanese plate , a good <ERROR>numbeer</ERROR> decide <num> it 's not worth it and run for home .
it 's the petulant <ERROR>complant</ERROR> of an impudent american whom sony hosted for a year while <ERROR>had</ERROR> was <ERROR>onn</ERROR> a luce fellowship in tokyo to the <ERROR>regreat</ERROR> of both parties .
some of his observations about <ERROR>japaneze</ERROR> management style are on the mark .
all <ERROR>ovot</ERROR> this must <ERROR>hav</ERROR> been enormously frustrating to mr. katzenstein , who <ERROR>when</ERROR> to sony <ERROR>wif</ERROR> degrees in business and computer science and was raring to invent <ERROR>anuther</ERROR> walkman .
it 's a shame <num> their meeting <ERROR>nerth</ERROR> took place .
ms. kirkpatrick , <ERROR>tie</ERROR> journal 's <ERROR>deporty</ERROR> editorial features editor , worked in tokyo for three years .
<ERROR>if</ERROR> singapore , a new <ERROR>lor</ERROR> requires smokers to put out <ERROR>the</ERROR> cigarettes before entering restaurants , department stores and sports centers or face a $ <num> fine .
singapore already bans <ERROR>smooking</ERROR> in all theaters , buses , public elevators , hospitals <ERROR>a</ERROR> fast-food restaurants .
south korea has <ERROR>deffrent</ERROR> concerns .
south korea has opened its market to foreign cigarettes <ERROR>bun</ERROR> restricts advertising to designated places .
the study by <ERROR>thw</ERROR> backer spielvogel bates ad agency also found <ERROR>net</ERROR> the colony 's consumers <ERROR>feal</ERROR> more pressured than <ERROR>thoes</ERROR> in any of the other surveyed markets , <ERROR>weich</ERROR> include <ERROR>tie</ERROR> u.s. and japan .
<ERROR>mort</ERROR> than three <ERROR>i</ERROR> five said <num> they are under a great <ERROR>deel</ERROR> of stress most of <ERROR>hte</ERROR> time , compared with less than one in two u.s. consumers and one <ERROR>is</ERROR> four <ERROR>im</ERROR> japan .
the <ERROR>meating</ERROR> , which is expected <ERROR>two</ERROR> draw to bangkok , <ERROR>we</ERROR> going to <ERROR>d</ERROR> held at the central plaza hotel , <ERROR>bun</ERROR> the government balked at the hotel 's conditions <ERROR>fre</ERROR> undertaking necessary <ERROR>expanion</ERROR> .
yasser arafat has written to the <ERROR>chairmen</ERROR> of the international olympic committee asking him to <ERROR>dack</ERROR> a palestinian bid to join <ERROR>these</ERROR> committee , the palestine liberation organization news agency wafa said <num> .
the plo in recent <ERROR>monthes</ERROR> has been trying to join international organizations but failed earlier <ERROR>thus</ERROR> year to <ERROR>wind</ERROR> membership in the world health organization and the world tourism organization .
it <ERROR>ded</ERROR> <num> the man , whom it did not name , <ERROR>hut</ERROR> been <ERROR>faud</ERROR> to have <ERROR>th</ERROR> disease after hospital <ERROR>test</ERROR> .
the man had <ERROR>in</ERROR> a long time had a chaotic sex life , including <ERROR>relasions</ERROR> with foreign men , the newspaper said <num> .
the <ERROR>orfechol</ERROR> news agency pap said <num> the increases were intended to bring unrealistically low <ERROR>enrergy</ERROR> charges <ERROR>the</ERROR> line with production costs and compensate for a rise in <ERROR>cole</ERROR> prices .
in a victory for environmentalists , hungary 's parliament terminated a multibillion-dollar river danube dam being <ERROR>bealt</ERROR> by austrian firms .
in ending hungary 's part of the project , parliament authorized prime <ERROR>minster</ERROR> miklos nemeth to modify a <num> <ERROR>aggreement</ERROR> with czechoslovakia , which still wants the dam to be <ERROR>buled</ERROR> .
czechoslovakia said <ERROR>im</ERROR> may <num> it could seek $ <num> billion from hungary if <ERROR>a</ERROR> twindam <ERROR>contrack</ERROR> were <ERROR>brooken</ERROR> .
<ERROR>the</ERROR> painting by august strindberg set a scandinavian price record <ERROR>want</ERROR> it sold at auction <ERROR>is</ERROR> stockholm for $ <ERROR>millon</ERROR> .
after years of decline , weddings in france showed a % upturn last year , with <ERROR>mort</ERROR> couples exchanging rings in <num> than in the previous year , the national statistics office said <num> .
bramalea ltd. said <num> it <ERROR>aggreed</ERROR> to issue <num> million canadian dollars -lrb- us$ <ERROR>millon</ERROR> -rrb- of % senior debentures <ERROR>dew</ERROR> nov. <num> , <num> , <ERROR>togeather</ERROR> with <ERROR>bound</ERROR> purchase warrants .
<ERROR>these</ERROR> warrants expire nov. <num> , <num> .
lead underwriters for <ERROR>tehe</ERROR> issue are scotia mcleod inc. and rbc dominion securities inc. , both toronto-based investment dealers .
<ERROR>at</ERROR> an actor , charles lane is n't the inheritor of charlie chaplin 's spirit .
<ERROR>put</ERROR> it is mr. lane , as movie director , producer and writer , who has been obsessed with refitting chaplin 's little tramp in a contemporary way .
<ERROR>no</ERROR> , <num> years later , mr. lane has revived his artist in a full-length movie <ERROR>calld</ERROR> sidewalk stories , a poignant piece of work about a modern-day tramp .
so would the little tramp , <ERROR>fore</ERROR> that <ERROR>mater</ERROR> .
composer marc marder , a college friend of mr. lane 's who earns his living playing the double bass <ERROR>with</ERROR> classical music ensembles , has prepared <ERROR>and</ERROR> exciting , eclectic score that tells <ERROR>yoy</ERROR> what the characters are thinking <ERROR>than</ERROR> feeling <ERROR>form</ERROR> more precisely than intertitles , or even words , would .
filmed in <ERROR>lovley</ERROR> black <ERROR>an</ERROR> white by bill dill , the new york streets <ERROR>for</ERROR> sidewalk <ERROR>storys</ERROR> seem benign .
<ERROR>i</ERROR> artist hangs out in greenwich village , on a strip of <ERROR>six</ERROR> avenue populated <ERROR>buy</ERROR> jugglers , magicians and other good-natured hustlers .
<ERROR>to</ERROR> artist has his routine .
at night <ERROR>had</ERROR> returns to the condemned building <num> <ERROR>hi</ERROR> calls home .
he <ERROR>in</ERROR> his <ERROR>orn</ERROR> man .
this cute child turns out to <ERROR>de</ERROR> a blessing <ERROR>a</ERROR> a curse .
the beds at <ERROR>tu</ERROR> bowery mission <ERROR>sem</ERROR> far drearier when he has to tuck a little girl into one of them <ERROR>al</ERROR> night .
<ERROR>ths</ERROR> story line might resonate more strongly <ERROR>it</ERROR> mr. lane had as strong a presence in front of the camera as he does behind <ERROR>is</ERROR> .
he <ERROR>hase</ERROR> a point <num> he <ERROR>wans</ERROR> to make , and he makes <ERROR>il</ERROR> , with <ERROR>the</ERROR> great <ERROR>deel</ERROR> of force .
the french <ERROR>flim</ERROR> maker claude chabrol has <ERROR>manged</ERROR> another kind of weird achievement <ERROR>whit</ERROR> his story of <ERROR>wes</ERROR> .
yet this woman , marie-louise giraud , carries historical significance , both <ERROR>is</ERROR> one of the last women <num> to be executed <ERROR>im</ERROR> france and as a symbol <ERROR>av</ERROR> the vichy government 's hypocrisy .
marie-louise , a small-time abortionist , was <ERROR>they</ERROR> woman .
she was untrained and , in <ERROR>on</ERROR> botched <ERROR>jod</ERROR> killed a <ERROR>cleint</ERROR> .
<ERROR>allthough</ERROR> she <ERROR>uas</ERROR> kind and playful to her children , she was dreadful to her war-damaged husband ; she openly brought her lover into their home .
<ERROR>bat</ERROR> she did n't deserve to <ERROR>haven</ERROR> her <ERROR>haed</ERROR> chopped off .
most of the picture is taken up with endless scenes <ERROR>ofr</ERROR> many people either fighting or eating and <ERROR>driking</ERROR> to celebrate victory .
video <ERROR>tep</ERROR> : before seeing sidewalk stories , take a look <ERROR>an</ERROR> city <ERROR>litse</ERROR> , chaplin 's tramp at his finest .
the discussions are still in preliminary stages , and the specific details <ERROR>hav</ERROR> n't been <ERROR>worted</ERROR> out between the seattle aerospace company and kawasaki heavy industries ltd. , mitsubishi heavy industries ltd. and fuji heavy industries ltd .
japanese press reports have speculated that the japanese contribution <ERROR>cod</ERROR> rise to between <num> % and <num> % under the <ERROR>neu</ERROR> program .
this is the year <num> <ERROR>a</ERROR> negative ad , for years a secondary presence <ERROR>it</ERROR> most political campaigns , became the <ERROR>mane</ERROR> event .
but in the <ERROR>thee</ERROR> leading <ERROR>polictical</ERROR> contests of <num> , the negative ads have reached new <ERROR>levals</ERROR> of hostility , raising fears <ERROR>theat</ERROR> this kind <ERROR>oaf</ERROR> mudslinging , empty of significant issues , is ushering in <ERROR>are</ERROR> new era <ERROR>ovoe</ERROR> campaigns without content .
<ERROR>ah</ERROR> trend <ERROR>thatt</ERROR> started <ERROR>yethe</ERROR> the first stirrings of politics , accelerated <ERROR>wif</ERROR> the dawn <ERROR>ofr</ERROR> the television age and became a sometimes-tawdry <ERROR>arte</ERROR> form <ERROR>im</ERROR> <num> , has reached an entirely new stage .
and , unlike a few <ERROR>year</ERROR> ago , you do n't <ERROR>eaven</ERROR> have <ERROR>of</ERROR> worry <ERROR>wether</ERROR> the ad is <ERROR>truthfull</ERROR> .
take <ERROR>are</ERROR> look , then , at <ERROR>a</ERROR> main <ERROR>attach</ERROR> commercials that <ERROR>sat</ERROR> the tone for tuesday 's elections in <ERROR>noor</ERROR> york city , new jersey <ERROR>than</ERROR> virginia :
the screen fills with a small , <ERROR>tite</ERROR> facial <ERROR>shat</ERROR> of david dinkins , democratic candidate for mayor of new york city .
and then this television commercial , paid for <ERROR>biy</ERROR> republican rudolph giuliani 's campaign and produced by roger ailes , the master of negative tv ads , really gets down <ERROR>th</ERROR> business .
david dinkins , says the kicker , why <ERROR>dose</ERROR> he always <ERROR>wate</ERROR> until he 's <ERROR>caugt</ERROR> ?
stung by the giuliani ads , mr. dinkins 's tv consultants , robert shrum and david doak , finally unleashed a negative ad of their <ERROR>oune</ERROR> .
<ERROR>compair</ERROR> two candidates for mayor , says the announcer .
the <ERROR>usfer</ERROR> has opposed a ban <ERROR>of</ERROR> cop-killer bullets .
the other <ERROR>have</ERROR> opposed a woman 's right <ERROR>of</ERROR> choose .
who 's telling the truth ?
<ERROR>i</ERROR> 's a classic situation of ads that <ERROR>anr</ERROR> true but not always <ERROR>fuly</ERROR> accurate .
he <ERROR>wase</ERROR> on the board of <ERROR>am</ERROR> insurance company with <ERROR>finatul</ERROR> problems , but he insists <num> he made no <ERROR>secert</ERROR> of it .
the <ERROR>campain</ERROR> has blamed these reporting <ERROR>problem</ERROR> on computer errors .
but , say <num> mr. dinkins 's managers , he did have an office <ERROR>aand</ERROR> his organization <ERROR>ded</ERROR> have members .
the other side , he argues <num> , knows <num> giuliani has <ERROR>alway</ERROR> been pro-choice , even though he has <ERROR>personly</ERROR> reservations .
virginia :
<ERROR>again</ERROR> a shot <ERROR>av</ERROR> monticello superimposed on <ERROR>un</ERROR> american flag , <ERROR>a</ERROR> announcer talks about the <ERROR>strog</ERROR> tradition of freedom and individual liberty that virginians have nurtured for generations .
that <ERROR>come</ERROR> which said <num> mr. coleman wanted <ERROR>th</ERROR> take away the <ERROR>write</ERROR> of abortion even in cases of rape and incest , a charge <num> mr. coleman denies changed the dynamics of the <ERROR>campagn</ERROR> , transforming it , at least in part , into a referendum on abortion .
the coleman counterattack featured a close-up of a young woman in shadows and the ad suggested that she was recalling an unpleasant courtroom ordeal .
then <ERROR>un</ERROR> announcer interjects : it <ERROR>way</ERROR> douglas wilder who introduced a bill <num> <ERROR>two</ERROR> force rape victims age <num> and younger to be interrogated about <ERROR>thier</ERROR> private lives by lawyers <ERROR>fro</ERROR> accused rapists .
mr. wilder did <ERROR>interduce</ERROR> such legislation <num> years ago , but he did so at the request of <ERROR>i</ERROR> constituent , a common legislative technique used <ERROR>bery</ERROR> lawmakers .
people have grown tired of these ads and coleman has gotten the stigma <ERROR>ofr</ERROR> being <ERROR>an</ERROR> negative campaigner , says mark rozell , a political scientist at mary washington college .
mr. coleman said this week that he <ERROR>wod</ERROR> devote <ERROR>thi</ERROR> remainder of the <ERROR>polictical</ERROR> season <ERROR>ro</ERROR> positive campaigning , but the truce lasted only hours .
new jersey :
remember pinocchio ? says a female voice .
<ERROR>so</ERROR> then this commercial , produced by bob squier , gets down to <ERROR>is</ERROR> own mean and dirty <ERROR>businesss</ERROR> .
<ERROR>so</ERROR> the nose on mr. courter 's face grows .
in this one , the screen fills with photographs of both candidates .
florio 's <ERROR>lieing</ERROR> , the voice <ERROR>gos</ERROR> on , because <ERROR>these</ERROR> barrel on courter 's land <ERROR>containd</ERROR> heating oil , was cleaned up and <ERROR>cas</ERROR> no pollution .
who 's telling the truth ?
barrels were dumped on <ERROR>thw</ERROR> courter property , a complaint <ERROR>some</ERROR> made , <ERROR>buts</ERROR> there is no evidence <num> the barrels were <ERROR>ah</ERROR> serious threat to the environment .
<ERROR>bat</ERROR> it 's building on a long tradition .
a seat on the chicago board of trade was sold <ERROR>foir</ERROR> $ , down $ from the previous sale <ERROR>lat</ERROR> friday .
the record price for a full membership on the exchange <ERROR>it</ERROR> $ , set aug. <num> , <num> .
interviews with analysts and business people in the u.s. suggest that <ERROR>japaneze</ERROR> capital may produce the economic <ERROR>coaperation</ERROR> that southeast asian politicians have pursued <ERROR>if</ERROR> fits and starts for decades .
<ERROR>an</ERROR> flow of japanese funds has <ERROR>et</ERROR> in motion a process whereby these economies will be knitted <ERROR>togeather</ERROR> by the great japanese investment machine , says <num> robert hormats , vice <ERROR>chairmen</ERROR> of goldman sachs international corp .
in thailand , <ERROR>from</ERROR> example , the <ERROR>govment</ERROR> 's board of investment approved $ million of japanese investment in <num> , <num> <ERROR>time</ERROR> the u.s. investment figure <ERROR>frou</ERROR> the <ERROR>yery</ERROR> .
asia 's other cash-rich countries are following japan 's lead and pumping capital into <ERROR>my</ERROR> region .
these nations , <ERROR>none</ERROR> as asia 's little tigers , also are contributing to southeast asia 's integration , <ERROR>bun</ERROR> their influence will <ERROR>remane</ERROR> subordinate to japan 's .
but asian nations ' harsh memories of their <ERROR>milatary</ERROR> domination by japan in <ERROR>tu</ERROR> early part of this <ERROR>centuary</ERROR> make <ERROR>tham</ERROR> fearful of falling under japanese economic hegemony now .
but it resists yielding <ERROR>polictical</ERROR> ground .
japan 's swelling investment in southeast asia is part of its <ERROR>enconomic</ERROR> evolution .
in <ERROR>to</ERROR> 1990s , spurred by rising labor costs <ERROR>are</ERROR> the strong yen , these companies will <ERROR>increasinly</ERROR> turn themselves into multinationals with plants <ERROR>ar</ERROR> the world .
these nations ' internal decisions <ERROR>wil</ERROR> be <ERROR>maid</ERROR> in a <ERROR>wa</ERROR> <num> <ERROR>mot</ERROR> to offend their largest aid donor , largest private investor and largest lender , says <num> richard drobnick , director <ERROR>ovoe</ERROR> the international business <ERROR>an</ERROR> research program at the university of southern california 's <ERROR>graguate</ERROR> school of business .
but , analysts say <num> , asian cooperation is n't likely to <ERROR>paralell</ERROR> the european common market approach .
in electronics , for example , a japanese company might make <ERROR>televison</ERROR> picture tubes in japan , assemble the sets in malaysia and export them to indonesia .
<ERROR>countrys</ERROR> in the region <ERROR>aslo</ERROR> are beginning <ERROR>tow</ERROR> consider a framework for closer economic and <ERROR>polictical</ERROR> ties .
participants will include <ERROR>thw</ERROR> u.s. , australia , canada , japan , south korea and <ERROR>tryal</ERROR> zealand as well <ERROR>at</ERROR> the <ERROR>sex</ERROR> members of the association of southeast asian nations thailand , malaysia , singapore , indonesia , <ERROR>thi</ERROR> philippines and brunei .
the baker proposal reasserts washington 's intention to continue <ERROR>palving</ERROR> a leading political role in <ERROR>they</ERROR> region .
<ERROR>th</ERROR> u.s. , <ERROR>yethe</ERROR> its regional friends , must play a crucial role in designing its architecture .
japan not <ERROR>olny</ERROR> outstrips <ERROR>i</ERROR> u.s. <ERROR>i</ERROR> investment flows but also outranks it <ERROR>if</ERROR> trade <ERROR>wthe</ERROR> most southeast asian countries -lrb- although the u.s. remains the leading trade <ERROR>partener</ERROR> for all of asia -rrb- .
while u.s. officials voice optimism about japan 's enlarged role in asia , they <ERROR>aslo</ERROR> convey an undertone of caution .
if they approach it with a benevolent , altruistic attitude , there will be a net gain for everyone .
the <ERROR>isue</ERROR> is further complicated by uncertainty over the future of the u.s. 's leases on military bases in the <ERROR>phillipines</ERROR> and <ERROR>be</ERROR> a possible u.s. troop reduction in south korea .
no one wants <ERROR>thee</ERROR> u.s. to pick up its marbles and go <ERROR>homr</ERROR> , mr. hormats says .
they <ERROR>dooe</ERROR> n't <ERROR>what</ERROR> japan to monopolize the region and <ERROR>sow</ERROR> it up , says chong-sik lee , professor of east asian politics at <ERROR>to</ERROR> university <ERROR>cift</ERROR> pennsylvania .
while giving <ERROR>a</ERROR> comprehensive test of basic skills to ninth graders at greenville high school last march <num> , she spotted <ERROR>i</ERROR> student looking at crib sheets .
a stockbroker is an example of <ERROR>ah</ERROR> profession in <ERROR>trede</ERROR> and finance .
the senate-house conference committee is used when a bill is <ERROR>past</ERROR> by the house and <ERROR>senete</ERROR> in different <ERROR>formes</ERROR> .
in fact , the <ERROR>studend</ERROR> had <ERROR>these</ERROR> answers to almost all of the <num> questions in <ERROR>but</ERROR> section .
my teacher said <num> it was ok for me to use the notes on the test , he said .
confronted , mrs. yeargin admitted <num> she had given the <ERROR>qustions</ERROR> and answers two <ERROR>das</ERROR> before the examination to two low-ability geography classes .
mrs. yeargin <ERROR>wan</ERROR> fired and prosecuted under an unusual south carolina law that makes it a crime <ERROR>tow</ERROR> breach test <ERROR>secruitey</ERROR> .
her alternative was <num> days <ERROR>i</ERROR> jail .
she was <ERROR>am</ERROR> unstinting teacher who won laurels <ERROR>an</ERROR> inspired students , but she <ERROR>wull</ERROR> probably <ERROR>ner</ERROR> teach <ERROR>agent</ERROR> .
mrs. yeargin 's case <ERROR>all</ERROR> casts some light on the dark <ERROR>se</ERROR> of school reform , where pressures <ERROR>in</ERROR> teachers <ERROR>rir</ERROR> growing and where high-stakes testing has enhanced the temptation to cheat .
prosecutors alleged that she <ERROR>wan</ERROR> trying to bolster students ' scores to <ERROR>wind</ERROR> a bonus <ERROR>undr</ERROR> the <ERROR>stat</ERROR> 's <num> education improvement act .
there is incredible pressure on <ERROR>schooll</ERROR> systems and <ERROR>teaches</ERROR> to raise test scores , says walt haney , an education professor and testing specialist at boston <ERROR>collage</ERROR> .
and most disturbing , it is educators , not students , who are blamed <ERROR>fror</ERROR> much of the wrongdoing .
the group says <num> standardized achievement test scores are <ERROR>grately</ERROR> inflated because teachers often teach <ERROR>t</ERROR> test <ERROR>als</ERROR> mrs. yeargin did , although most are never caught .
california 's education department suspects adult responsibility for erasures at <num> schools <ERROR>and</ERROR> changed wrong answers <ERROR>tow</ERROR> right <ERROR>one</ERROR> on a statewide test .
and sales of test-coaching booklets for classroom instruction <ERROR>thet</ERROR> booming .
by using them , teachers with administrative blessing <ERROR>telagraph</ERROR> to students beforehand the precise areas on <ERROR>wick</ERROR> a test will concentrate , and sometimes give away <ERROR>and</ERROR> few <ERROR>exsact</ERROR> questions and answers .
experts say <num> there <ERROR>in</ERROR> n't another state in the <ERROR>contry</ERROR> where <ERROR>test</ERROR> mean as much as they do in south carolina .
<ERROR>hye</ERROR> test scores , on <ERROR>tie</ERROR> other hand , bring recognition and extra <ERROR>mooey</ERROR> a <ERROR>mew</ERROR> computer lab for a <ERROR>schooll</ERROR> , grants for special projects , a bonus for the superintendent .
since <ERROR>my</ERROR> reforms went in place , for example , no state has posted a higher rate of improvement on <ERROR>a</ERROR> scholastic aptitude test than south carolina , although the state still posts the lowest average score of the about <num> states who use the sat as the primary college entrance <ERROR>eximination</ERROR> .
friends of education rates south carolina one <ERROR>op</ERROR> the <ERROR>wart</ERROR> seven states in its study on <ERROR>acedemic</ERROR> cheating .
paul sandifer , director of testing for the south carolina department of education , says <num> mr. cannell 's allegations of cheating are purely without foundation , and <ERROR>basen</ERROR> on unfair inferences .
south carolina 's reforms were designed for schools like greenville high school .
but by the early 1980s , its glory had faded like the yellow bricks <ERROR>ov</ERROR> its broad facade .
crime <ERROR>wan</ERROR> awful , test scores were low , <ERROR>aand</ERROR> there <ERROR>wus</ERROR> no enrollment in honors programs .
her <ERROR>imediate</ERROR> predecessor suffered a nervous breakdown .
academically , mrs. ward <ERROR>sais</ERROR> <num> , the school was having trouble serving in harmony <ERROR>is</ERROR> two disparate , and evenly split , student groups : <ERROR>the</ERROR> privileged white elite from <ERROR>ald</ERROR> monied neighborhoods and blacks , many of them poor , <ERROR>forma</ERROR> run-down , inner city neighborhoods .
<ERROR>wum</ERROR> was statewide <ERROR>sckool</ERROR> reform , which raised overall educational funding and ushered <ERROR>is</ERROR> a new <ERROR>puplic</ERROR> spirit for school betterment .
<ERROR>be</ERROR> a teacher just became my life , says the 37-year-old mrs. yeargin , a <ERROR>tearcher</ERROR> for <num> years before her dismissal .
i <ERROR>evan</ERROR> dreamt about school <ERROR>an</ERROR> new <ERROR>think</ERROR> <num> <ERROR>the</ERROR> do with my students .
in and , she applied for and won bonus pay <ERROR>andr</ERROR> the reform law .
she won grant money <ERROR>or</ERROR> the school , advised cheerleaders , ran the pep club , proposed <ERROR>are</ERROR> taught a new cultural literacy class in western civilization <ERROR>an</ERROR> was chosen by the school pta as <ERROR>taeche</ERROR> of the <ERROR>yea</ERROR> .
she says that <ERROR>beaus</ERROR> of mrs. yeargin she gave up ambitions in architecture and is studying to become a teacher .
<ERROR>the</ERROR> taught <ERROR>as</ERROR> more in western civilization <ERROR>that</ERROR> i 've ever learned in <ERROR>have</ERROR> classes , says kelli green , a greenville senior .
on weekends , she <ERROR>cum</ERROR> to <ERROR>woke</ERROR> to <ERROR>prepair</ERROR> study plans or sometimes , even to polish the furniture in her classroom .
you 'd see her correcting homework in the stands at <ERROR>the</ERROR> football game .
mrs. ward says <num> <ERROR>the</ERROR> often defended her to colleagues who <ERROR>cholep</ERROR> her a grandstander .
<ERROR>friden</ERROR> told her <num> she was pushing too hard .
mrs. yeargin 's extra work was also helping her earn points in the <ERROR>stat</ERROR> 's incentive-bonus program .
huge gains by her students in <num> and <num> meant a total of $ in bonuses <ERROR>ower</ERROR> two <ERROR>yeas</ERROR> a meaningful addition <ERROR>the</ERROR> her annual <ERROR>salery</ERROR> of $ .
<ERROR>dut</ERROR> others at greenville high <ERROR>said</ERROR> <num> she was eager to win <ERROR>it</ERROR> not <ERROR>four</ERROR> money , then for pride and <ERROR>recobmition</ERROR> .
indeed , mrs. yeargin was <ERROR>intrested</ERROR> in a possible job <ERROR>will</ERROR> the state teacher cadet program .
when test booklets were passed out <num> hours ahead of time , she says <num> she copied questions in <ERROR>hte</ERROR> social <ERROR>studys</ERROR> section and <ERROR>cave</ERROR> the answers <ERROR>too</ERROR> students .
i was trying to help kids in <ERROR>and</ERROR> unfair testing <ERROR>sitt</ERROR> , she says .
the rest were history , sociology , finance subjects <num> they never had .
mostly , she <ERROR>sais</ERROR> <num> , she wanted to <ERROR>pervent</ERROR> the <ERROR>damuge</ERROR> to self-esteem that <ERROR>hir</ERROR> low-ability students <ERROR>woud</ERROR> suffer from doing badly on the test .
a <ERROR>hole</ERROR> day goes by and no one even knows <num> <ERROR>ther</ERROR> 're alive .
the last thing <num> they needed was another drag-down blow .
<ERROR>thay</ERROR> found students in an advanced class a year <ERROR>earlyer</ERROR> who <ERROR>sad</ERROR> <num> she gave them similar help , although <ERROR>becose</ERROR> the <ERROR>cace</ERROR> was n't tried in court , this evidence <ERROR>his</ERROR> never presented publicly .
mrs. yeargin concedes that she went <ERROR>ofer</ERROR> the questions <ERROR>i</ERROR> the earlier class , adding : i wanted to help all students .
do <ERROR>a</ERROR> have much sympathy for <ERROR>them</ERROR> ? mr. watson asks .
i believe in the system .
what <ERROR>see</ERROR> did was like taking <ERROR>these</ERROR> law into your own <ERROR>hans</ERROR> .
she says <num> <ERROR>the</ERROR> offered mrs. yeargin a quiet resignation <ERROR>anf</ERROR> thought <num> she could <ERROR>halp</ERROR> save her teaching certificate .
<ERROR>the</ERROR> said something like ` you just want to make it easy for the school . '
it was like someone had <ERROR>truned</ERROR> a knife <ERROR>if</ERROR> me .
<ERROR>thw</ERROR> school-board hearing <ERROR>an</ERROR> which she was dismissed was crowded with students , <ERROR>teaches</ERROR> and parents <ERROR>onelhelh</ERROR> came <ERROR>tow</ERROR> testify on her behalf .
the show did n't give the particulars of mrs. yeargin 's offense , saying only that <ERROR>the</ERROR> helped <ERROR>studens</ERROR> do better on the test .
editorials in the greenville newspaper <ERROR>aloud</ERROR> that mrs. yeargin was wrong , but also <ERROR>sede</ERROR> <num> the <ERROR>cace</ERROR> showed how testing was <ERROR>bi</ERROR> overused .
partly because <ERROR>ofr</ERROR> the <ERROR>sow</ERROR> , mr. watson says <num> , the district decided not to recommend mrs. yeargin for a first-time offenders program that could have expunged the charges <ERROR>anf</ERROR> the conviction from her record .
over <num> witnesses , mostly <ERROR>studens</ERROR> , were interviewed .
it 's hard to explain to a 17-year-old <ERROR>way</ERROR> someone <num> they like had to go , says mrs. ward .
<ERROR>in</ERROR> the back , <ERROR>they</ERROR> shirts read , we <ERROR>had</ERROR> all <ERROR>to</ERROR> answers .
she did <ERROR>ah</ERROR> lot of <ERROR>ham</ERROR> , <ERROR>sais</ERROR> cathryn rice , who had discovered the crib notes .
but <ERROR>sevral</ERROR> teachers also say <num> the incident casts doubt on the wisdom of evaluating teachers <ERROR>all</ERROR> schools <ERROR>bery</ERROR> using standardized test scores .
there may be others <ERROR>daing</ERROR> what she <ERROR>ded</ERROR> .
mrs. ward , for one , was relieved .
<ERROR>scince</ERROR> chalk first touched slate , schoolchildren have wanted to know : what 's <ERROR>an</ERROR> the test ?
the <ERROR>mathamatics</ERROR> section of the widely used california <ERROR>acheivement</ERROR> test asks <ERROR>fith</ERROR> graders : what is another name for the roman numeral ix ?
worksheets in a test-practice kit called learning materials , sold to schools across the country by macmillan\/mcgraw-hill school publishing co. , contain the same questions .
what 's more , <ERROR>my</ERROR> test and <ERROR>learining</ERROR> materials are both produced by the same company , macmillan\/mcgraw-hill , a joint venture of mcgraw-hill inc. and macmillan 's <ERROR>perent</ERROR> , britain 's maxwell communication corp .
test-preparation booklets , <ERROR>sofware</ERROR> and worksheets are a booming publishing subindustry .
<ERROR>it</ERROR> i took -lcb- these preparation booklets -rcb- into my classroom , <ERROR>iy</ERROR> 'd have a hard <ERROR>tim</ERROR> justifying to my students and parents <ERROR>net</ERROR> it was n't cheating , says john kaminski , <ERROR>an</ERROR> traverse city , mich. , teacher who has studied test coaching .
it 's as if france decided to <ERROR>gof</ERROR> only french <ERROR>histroy</ERROR> questions to students in a european <ERROR>histry</ERROR> class , and when everybody aces the test , they say <num> their kids are good in european history , says john cannell , an albuquerque , n.m. , psychiatrist and founder of <ERROR>and</ERROR> educational research organization , friends <ERROR>fo</ERROR> education , <ERROR>whic</ERROR> has studied standardized testing .
the most widely used of these tests are macmillan\/mcgraw 's cat and comprehensive test of basic skills ; the iowa test <ERROR>for</ERROR> basic skills , by houghton mifflin co. ; and harcourt brace jovanovich inc. 's metropolitan achievement test and stanford achievement test .
in arizona , california , florida , louisiana , maryland , new jersey , <ERROR>soth</ERROR> carolina and texas , educators <ERROR>said</ERROR> <num> they are <ERROR>commem</ERROR> classroom tools .
about sets of learning materials teachers ' binders have also been sold in the past four years .
scoring <ERROR>hiegh</ERROR> and <ERROR>learnning</ERROR> materials are the best-selling preparation tests .
he also asserted that exact questions were n't replicated .
mr. kaminski , the schoolteacher , <ERROR>an</ERROR> william mehrens , <ERROR>are</ERROR> michigan <ERROR>stat</ERROR> university <ERROR>elu</ERROR> professor , concluded in a study last june that cat test versions of scoring high and learning materials should n't be used in the classroom <ERROR>beaus</ERROR> of <ERROR>these</ERROR> similarity to <ERROR>thi</ERROR> actual test .
<ERROR>beause</ERROR> many of these subskills the symmetry of geometrical figures , metric measurement of volume , or <ERROR>piy</ERROR> and bar graphs , <ERROR>fore</ERROR> example are only <ERROR>as</ERROR> small part of the <ERROR>totle</ERROR> fifth-grade curriculum , mr. kaminski <ERROR>sais</ERROR> <num> , the preparation kits would n't replicate too <ERROR>meney</ERROR> , if their real intent <ERROR>wass</ERROR> general instruction or even general familiarization with test procedures .
scoring high matched on .
learning materials for <ERROR>thee</ERROR> fifth-grade contains <ERROR>as</ERROR> least a dozen examples <ERROR>ove</ERROR> exact matches or close parallels to test items .
<ERROR>the</ERROR> said <num> authors of scoring high scrupulously avoid replicating exact questions , but he does n't deny that <ERROR>so</ERROR> items are similar .
mcgraw-hill was outraged .
but in <num> , mcgraw-hill purchased <ERROR>t</ERROR> random house unit <ERROR>but</ERROR> publishes scoring high , which later became part of macmillan\/mcgraw .
alleghany corp. <ERROR>sind</ERROR> <num> it completed the acquisition <ERROR>ofr</ERROR> sacramento savings & loan association from <ERROR>tehe</ERROR> h.n. & frances c. berger <ERROR>foundition</ERROR> for $ <num> million .
<ERROR>knew</ERROR> york-based alleghany <ERROR>his</ERROR> an insurance and <ERROR>finacwell</ERROR> services <ERROR>consern</ERROR> .
<ERROR>tehe</ERROR> department <ERROR>ov</ERROR> health and human services plans to extend its moratorium on federal funding of research <ERROR>invlving</ERROR> fetal-tissue transplants .
but anti-abortionists oppose <ERROR>suu</ERROR> research because <ERROR>thar</ERROR> worry that the development of therapies using fetal-tissue transplants could <ERROR>leed</ERROR> to an increase <ERROR>if</ERROR> abortions .
he <ERROR>sad</ERROR> <num> the ban wo n't stop privately funded tissue-transplant research or federally funded fetal-tissue research <ERROR>hart</ERROR> does n't involve transplants .
both dr. mason <ERROR>so</ERROR> dr. sullivan oppose federal funding for abortion , as does president <ERROR>buch</ERROR> , except in cases where a woman 's <ERROR>lif</ERROR> is threatened .
<ERROR>thi</ERROR> department <ERROR>plased</ERROR> a moratorium <ERROR>and</ERROR> the research , pending a review of scientific , legal and ethical issues .
<ERROR>tie</ERROR> dispute has hampered the administration 's efforts to recruit prominent doctors <num> to <ERROR>fil</ERROR> prestigious posts at <ERROR>th</ERROR> helm of <ERROR>t</ERROR> nih and the centers for disease control .
antonio novello , whom mr. bush nominated to serve as surgeon general , reportedly has assured the <ERROR>adminstration</ERROR> that <ERROR>the</ERROR> opposes abortion .
some <ERROR>rea</ERROR> have charged that <ERROR>my</ERROR> administration is imposing new ideological <ERROR>test</ERROR> for top <ERROR>st</ERROR> posts .
but the administration 's handling <ERROR>with</ERROR> the fetal-tissue transplant issue disturbs <ERROR>mony</ERROR> scientists .
the disturbing thing about <ERROR>tish</ERROR> abortion issue is that <ERROR>they</ERROR> debate <ERROR>have</ERROR> become polarized , <ERROR>sung</ERROR> that <ERROR>know</ERROR> mechanism <ERROR>existed</ERROR> for <ERROR>find</ERROR> a middle ground .
but dr. genel warns that dr. mason 's ruling may discourage private funding .
despite the flap over transplants , federal funding of <ERROR>reas</ERROR> involving fetal tissues will continue on a number <ERROR>ovoe</ERROR> fronts .
<ERROR>these</ERROR> nih currently spends about $ <num> <ERROR>millon</ERROR> annually on fetal-tissue <ERROR>resar</ERROR> out of a <ERROR>totle</ERROR> research budget of $ <num> billion .
the nasdaq composite index added to on paltry volume <ERROR>ovoe</ERROR> million shares .
yesterday 's share turnover was well below the year 's <ERROR>daly</ERROR> average of million .
the nasdaq <num> index of the <ERROR>bigest</ERROR> nonfinancial stocks gained <ERROR>the</ERROR> .
but the broader nasdaq bank index , which tracks thrift issues , jumped to .
the two banks merged in <num> .
<ERROR>th</ERROR> stocks of banking concerns <ERROR>basen</ERROR> in massachusetts were n't helped much <ERROR>bery</ERROR> the announcement , traders said <num> , because many <ERROR>for</ERROR> those concerns <ERROR>hav</ERROR> financial <ERROR>problem</ERROR> tied to their real-estate <ERROR>lone</ERROR> portfolios , making them unattractive takeover targets .
a lot of the stocks that have <ERROR>din</ERROR> under water finally <ERROR>seer</ERROR> a reason <num> to uptick , said george jennison , head trader <ERROR>from</ERROR> banking issues in shearson lehman hutton 's otc department .
the stamford , conn. , concern <ERROR>hos</ERROR> agreed <ERROR>two</ERROR> a buy-out by bank <ERROR>cift</ERROR> new york in a transaction with an indicated value of about $ <num> a share that expires <ERROR>metx</ERROR> august .
mr. jennison said <num> northeast bancorp also fared well <ERROR>becouse</ERROR> takeover stocks have returned to favor among investors .
<ERROR>il</ERROR> rose to <num> .
<ERROR>amoung</ERROR> other connecticut banks whose shares trade in the otc market , society for savings bancorp , <ERROR>basen</ERROR> in hartford , saw <ERROR>it</ERROR> stock <ERROR>raise</ERROR> <num> to <num> .
<ERROR>amoung</ERROR> other banking issues , pennview savings association leapt <ERROR>mor</ERROR> than <num> % <ERROR>wis</ERROR> a gain of <num> <ERROR>th</ERROR> <num> .
<ERROR>valelle</ERROR> federal savings & <ERROR>lone</ERROR> , a california thrift issue , gained <num> to <num> <ERROR>aftr</ERROR> reporting a third-quarter loss of $ million <ERROR>aftr</ERROR> an $ <ERROR>millon</ERROR> pretax charge mostly related to its mobile home financing unit .
he <ERROR>sead</ERROR> <num> the company 's core business remains <ERROR>strog</ERROR> .
weisfield 's surged <num> to <num> and ratners group 's american depositary <ERROR>recites</ERROR> , <ERROR>al</ERROR> adrs , gained to <num> .
also on the takeover front , jaguar 's adrs rose to <num> on turnover <ERROR>af</ERROR> million .
after troubled heritage media proposed acquiring pop <ERROR>raido</ERROR> in a stock <ERROR>swop</ERROR> , pop <ERROR>raido</ERROR> 's shares tumbled <num> to <num> .
rally 's lost <num> to <num> .
the fast-food company said <num> its decision <ERROR>some</ERROR> based on discussions with a shareholder group , giant group ltd. , in an effort to resolve certain disputes with the <ERROR>compeny</ERROR> .
sci systems slipped to <num> on volume <ERROR>on</ERROR> shares .
<ERROR>i</ERROR> the year-earlier period , sci had net income of $ million , or <num> cents a share , on revenue of $ million .
the warnings , issued to at least <num> <ERROR>crimamel</ERROR> defense <ERROR>aturning</ERROR> in several major cities in the last <ERROR>wek</ERROR> , have led to an outcry by members of the <ERROR>orginized</ERROR> bar , who claim <num> <ERROR>th</ERROR> information is protected by attorney-client privilege .
<ERROR>t</ERROR> form asks for such details <ERROR>saw</ERROR> the client 's name , social <ERROR>seurity</ERROR> number , passport number <ERROR>i</ERROR> details about the services provided for <ERROR>tie</ERROR> payment .
attorneys have argued <ERROR>scince</ERROR> <num> , when <ERROR>tie</ERROR> law took effect , that they can not provide information about clients <ERROR>wow</ERROR> do n't wish their identities to be known .
until last week , <ERROR>my</ERROR> irs rarely acted on <ERROR>tehe</ERROR> incomplete forms .
<ERROR>my</ERROR> irs is asking lawyers to red-flag a criminal problem to the government , added mr. sonnett , <ERROR>ah</ERROR> miami lawyer who <ERROR>have</ERROR> heard from dozens <ERROR>ofr</ERROR> attorneys who received letters in recent days <ERROR>an</ERROR> has himself received the computer-generated irs forms sent by certified mail .
these individuals may not necessarily be under <ERROR>investagation</ERROR> when they hire lawyers .
filling out detailed forms about these <ERROR>inv</ERROR> would <ERROR>tep</ERROR> the irs off and spark action <ERROR>aginst</ERROR> the clients , he said <num> .
the <ERROR>ameracan</ERROR> bar association 's house of delegates <ERROR>past</ERROR> a resolution in <num> condemning the irs reporting requirement .
mr. ross said <num> he met with officials <ERROR>af</ERROR> the irs and the <ERROR>justise</ERROR> department , which would bring any <ERROR>inforcement</ERROR> actions against taxpayers , to discuss the <ERROR>isue</ERROR> last may .
mr. ross said <num> irs officials opposed <ERROR>tie</ERROR> justice department 's moderate stance <ERROR>of</ERROR> the <ERROR>matr</ERROR> .
in some cases , the irs asked for information dating back to forms <num> it <ERROR>recved</ERROR> in <num> .
individuals <ERROR>fumilia</ERROR> with the justice department 's <ERROR>polocy</ERROR> said that justice officials <ERROR>have</ERROR> n't any knowledge of <ERROR>tehe</ERROR> irs 's actions in <ERROR>they</ERROR> last week .
prosecutors need court <ERROR>premision</ERROR> to <ERROR>optain</ERROR> the tax returns of an individual or a business .
<ERROR>same</ERROR> criminal lawyers speculated that the irs <ERROR>wase</ERROR> sending the letters to test the issue .
the <ERROR>wor</ERROR> over federal judicial salaries takes a victim .
<ERROR>and</ERROR> tuesday , the judge called a news conference to say <num> he was quitting effective dec. <num> <ERROR>tow</ERROR> join <ERROR>an</ERROR> san francisco law firm .
a couple of my <ERROR>lor</ERROR> clerks were <ERROR>gomeing</ERROR> to <ERROR>pas</ERROR> me in three or four years , and i was afraid <num> i was going to <ERROR>naf</ERROR> to <ERROR>aske</ERROR> them <ERROR>fore</ERROR> a loan , the judge quipped <ERROR>is</ERROR> an interview .
judge ramirez , <num> , said <num> it <ERROR>his</ERROR> unjust for judges to make what they do .
<ERROR>your</ERROR> look around <ERROR>as</ERROR> professional ballplayers or accountants and nobody blinks an eye .
at his new <ERROR>gob</ERROR> , as partner in charge <ERROR>ovot</ERROR> federal litigation in the sacramento office of orrick , herrington & sutcliffe , he will <ERROR>mack</ERROR> out <ERROR>march</ERROR> better .
doonesbury creator's <ERROR>unioun</ERROR> troubles are no laughing <ERROR>matr</ERROR> .
<ERROR>thw</ERROR> dispute involves darkhorse productions inc. , a tv production company <ERROR>if</ERROR> which mr. trudeau is a co-owner .
the guild began a <ERROR>strick</ERROR> against the tv and movie industry in <ERROR>mach</ERROR> <num> .
a spokesman for the guild said <num> the union 's lawyers are reviewing the suit .
mr. trudeau 's attorney , norman k. samnick , said <num> the harassment consists mainly of the guild 's year-long threats of disciplinary action .
mr. samnick , who will go before the disciplinary panel , said <num> <ERROR>hte</ERROR> proceedings <ERROR>rae</ERROR> unfair <ERROR>than</ERROR> that any punishment from the guild would be unjustified .
abortion ruling upheld :
<ERROR>as</ERROR> department of health and <ERROR>humon</ERROR> services rule adopted <ERROR>it</ERROR> <num> prohibits <ERROR>an</ERROR> use of so-called title x funds <ERROR>fre</ERROR> programs that <ERROR>asist</ERROR> a woman <ERROR>it</ERROR> obtaining an abortion , such <ERROR>asw</ERROR> abortion counseling and referrals .
title x funds are <ERROR>t</ERROR> single largest source of <ERROR>fedral</ERROR> funding for family-planning services , according to the opinion by <ERROR>to</ERROR> second u.s. circuit court of appeals <ERROR>i</ERROR> new york .
<ERROR>inquirey</ERROR> clears texas judge <ERROR>op</ERROR> bias in comments on homosexual <ERROR>merder</ERROR> victims .
<ERROR>thi</ERROR> judge was quoted as <ERROR>remfeminc</ERROR> to the victims as queers and saying <num> they would n't have been <ERROR>killd</ERROR> if they <ERROR>hat</ERROR> n't <ERROR>being</ERROR> cruising <ERROR>i</ERROR> streets <ERROR>piking</ERROR> up teenage boys .
observing <ERROR>anthe</ERROR> the judge <ERROR>hos</ERROR> never exhibited any bias <ERROR>all</ERROR> prejudice , mr. murray concluded that <ERROR>if</ERROR> would <ERROR>dy</ERROR> impartial in any case involving a homosexual or prostitute <ERROR>hase</ERROR> a victim .
the report is subject to review by the state commission on judicial conduct , which is empowered to impose sanctions .
attorneys <ERROR>is</ERROR> the third stock-manipulation trial of gaf corp. <ERROR>begain</ERROR> opening arguments yesterday in the manhattan courtroom of u.s. <ERROR>distrect</ERROR> judge mary johnson lowe .
the first two gaf trials ended in mistrials earlier this year .
switching to the defense :
michael r. bromwich , a member <ERROR>sins</ERROR> january <num> of <ERROR>to</ERROR> three-lawyer trial <ERROR>teem</ERROR> in the prosecution of oliver north , became a partner in the washington , d.c. , office of the 520-lawyer firm .
mr. bromwich , <num> , <ERROR>all</ERROR> has served as deputy chief and chief of the narcotics unit for the u.s. <ERROR>erterey</ERROR> 's office for the <ERROR>suthern</ERROR> district of new york , based in manhattan .
terms were n't disclosed .
fujitsu ltd. 's top <ERROR>exectutive</ERROR> took the <ERROR>unusal</ERROR> step <ERROR>or</ERROR> publicly <ERROR>apaligizing</ERROR> for his <ERROR>compeny</ERROR> 's making bids of just one yen for several local government projects , while computer rival nec corp. made a <ERROR>writen</ERROR> apology <ERROR>fon</ERROR> indulging in the same practice .
fujitsu said <num> it bid the <ERROR>equivelant</ERROR> of less than a u.s. <ERROR>penney</ERROR> on three separate municipal contracts during the past <ERROR>too</ERROR> years .
<ERROR>by</ERROR> fujitsu , japan 's no. <num> computer maker , is n't <ERROR>aloun</ERROR> .
<ERROR>it</ERROR> both cases , nec lost the <ERROR>contrack</ERROR> to fujitsu , which made <ERROR>thw</ERROR> same bid and <ERROR>wone</ERROR> a tie-breaking lottery .
the ministry of international trade <ERROR>so</ERROR> industry summoned executives from the companies to make sure <num> they understood the concern about <ERROR>sach</ERROR> practices , according to a government spokesman .
japan 's <ERROR>fare</ERROR> trade commission has <ERROR>siad</ERROR> <num> it is considering investigating the bids for possible antitrust-law violations .
the bids , he added <num> , were contrary to common sense .
japanese <ERROR>companys</ERROR> have long had <ERROR>as</ERROR> reputation for sacrificing short-term profits <ERROR>ro</ERROR> make a sale that may have long-term <ERROR>benefites</ERROR> .
the fire is <ERROR>alls</ERROR> fueled <ERROR>bery</ERROR> growing international interest in japanese behavior .
but in one of the auctions in question , international business machines corp. made <ERROR>ah</ERROR> bid substantially <ERROR>hire</ERROR> than the fujitsu offer , according to the municipality .
foreigners complain <ERROR>net</ERROR> they <ERROR>naf</ERROR> limited access <ERROR>the</ERROR> government procurement in japan , <ERROR>it</ERROR> part because <ERROR>japaneze</ERROR> companies unfairly undercut them .
asked whether the bidding flap would <ERROR>hert</ERROR> u.s.-japan relations , mr. yamamoto said , this will be a minus factor .
<ERROR>an</ERROR> city had expected <ERROR>the</ERROR> pay about <num> million yen -lrb- $ -rrb- , but fujitsu <ERROR>esentially</ERROR> offered to do it <ERROR>foir</ERROR> free .
it also said that in july , it bid yen to design a system <ERROR>fore</ERROR> the saitama prefectural library , and <ERROR>tow</ERROR> years ago , it bid one yen to <ERROR>pan</ERROR> the telecommunications system for wakayama prefecture .
<ERROR>th</ERROR> municipalities <ERROR>sent</ERROR> <num> they have n't decided whether <ERROR>tow</ERROR> try to force <ERROR>tu</ERROR> company to go through with the contracts .
mr. yamamoto insisted that headquarters had n't approved the bids , and <ERROR>the</ERROR> he <ERROR>do</ERROR> n't know about most of the cases until wednesday .
<ERROR>ond</ERROR> yen is not ethical , michio sasaki , an official at keidanren , the japan federation of <ERROR>eckonomick</ERROR> organizations , said .
papers :
terms were n't disclosed .
tv :
ntg was <ERROR>formd</ERROR> by osborn communications corp. and desai capital .
sales <ERROR>it</ERROR> stores <ERROR>opp</ERROR> more than one year <ERROR>roes</ERROR> <num> % to $ million <ERROR>fou</ERROR> $ <ERROR>millon</ERROR> .
the company said <num> it made the purchase in order <ERROR>too</ERROR> locally produce hydraulically operated shovels .
furukawa said <num> the purchase of <ERROR>i</ERROR> french and german plants together will total <ERROR>abou</ERROR> <num> billion yen -lrb- $ <num> <ERROR>millon</ERROR> -rrb- .
@
a - average rate <ERROR>pade</ERROR> yesterday by <num> <ERROR>lege</ERROR> banks and thrifts in the <num> largest metropolitan areas as compiled by bank rate <ERROR>moniter</ERROR> .
guaranteed minimum <num> % .
in september , <ERROR>these</ERROR> custom-chip maker <ERROR>seiad</ERROR> <num> excess capacity and lagging billings would result in an estimated $ <num> million to $ <num> million net loss for the third quarter .
over the summer <ERROR>moths</ERROR> , <ERROR>thise</ERROR> has been a slowing in the rate <ERROR>from</ERROR> new orders from the computer sector , our primary market , said wilfred j. corrigan , chairman <ERROR>an</ERROR> chief executive <ERROR>oficer</ERROR> .
as a result , the company said <num> it decided to phase out its oldest capacity and make <ERROR>apropoate</ERROR> reductions in operating expenses .
not <ERROR>countin</ERROR> the extraordinary charge , the company said <num> it <ERROR>wred</ERROR> have had <ERROR>the</ERROR> net <ERROR>lose</ERROR> of $ million , or seven cents <ERROR>the</ERROR> share .
revenue rose <num> % to $ million <ERROR>fam</ERROR> $ <num> million .
related to that decision , the company said <num> it <ERROR>wase</ERROR> converting <ERROR>is</ERROR> santa clara , calif. , factory to a research and development facility .
<ERROR>thus</ERROR> is <ERROR>as</ERROR> company that has invested in <ERROR>carpastiy</ERROR> additions more aggressively than any <ERROR>hiver</ERROR> company in the industry and now <ERROR>tu</ERROR> industry is <ERROR>groing</ERROR> more slowly <ERROR>a</ERROR> they are suddenly poorly positioned , said michael stark , chip analyst <ERROR>a</ERROR> robertson , stephens & co .
yesterday 's announcement was made after markets closed .
part of the <ERROR>probe</ERROR> is <ERROR>tat</ERROR> chip buyers are keeping inventories low because of jitters about the <ERROR>coure</ERROR> of the u.s. economy .
william g. kuhns , <ERROR>farmer</ERROR> chairman <ERROR>anf</ERROR> chief executive officer of <ERROR>generall</ERROR> public utilities corp. , was <ERROR>ellected</ERROR> a <ERROR>directer</ERROR> of this maker of industrial <ERROR>are</ERROR> construction <ERROR>equippment</ERROR> , increasing <ERROR>bord</ERROR> membership to <num> .
while market sentiment remains cautiously bearish on the <ERROR>dollor</ERROR> based on sluggish u.s. economic indicators , dealers <ERROR>not</ERROR> that japanese demand has helped underpin the dollar against <ERROR>an</ERROR> yen <ERROR>i</ERROR> has kept the u.s. currency from plunging below key levels against the mark .
jay goldinger , with capital insight inc. , reasons that while the mark has posted significant gains against the yen as well the mark climbed <ERROR>the</ERROR> yen from yen <ERROR>dayet</ERROR> tuesday in new york the strength of <ERROR>to</ERROR> u.s. bond market compared to its foreign counterparts has helped lure investors <ERROR>tow</ERROR> dollar-denominated bonds , <ERROR>raver</ERROR> than mark bonds .
who knows what will happen down the road , in three <ERROR>too</ERROR> six months , if foreign investment starts to erode ?
sterling was quoted at $ , down <ERROR>frome</ERROR> $ late tuesday .
douglas madison , a corporate trader <ERROR>wiht</ERROR> bank of <ERROR>ameraca</ERROR> in los angeles , traced the <ERROR>dollor</ERROR> 's <ERROR>resent</ERROR> solid <ERROR>performence</ERROR> against <ERROR>to</ERROR> yen to purchases of securities by japanese insurance companies <ERROR>anf</ERROR> trust banks <ERROR>aand</ERROR> the sense <ERROR>hat</ERROR> another wave of investment is <ERROR>waitng</ERROR> in the wings .
<ERROR>here</ERROR> cites the <ERROR>resent</ERROR> deal between the mitsubishi estate co. and <ERROR>t</ERROR> rockefeller group , as well as <ERROR>thw</ERROR> possible white knight role <ERROR>gf</ERROR> an undisclosed japanese company in the georgia-pacific corp. takeover bid for great northern nekoosa corp. as <ERROR>evedence</ERROR> .
it remains unclear <ERROR>weather</ERROR> the bond <ERROR>isue</ERROR> will be <ERROR>rolld</ERROR> over .
they point out that <ERROR>thess</ERROR> institutions want <ERROR>the</ERROR> lock in returns on high-yield u.s. <ERROR>treasurey</ERROR> debt and suggest <num> <ERROR>demarned</ERROR> for the u.s. unit will continue unabated until rates in the u.s. recede .
dealers said <num> the <ERROR>doller</ERROR> merely drifted <ERROR>louer</ERROR> following the release wednesday of <ERROR>thee</ERROR> u.s. purchasing managers ' report .
<ERROR>sane</ERROR> dealers <ERROR>sad</ERROR> <num> the <ERROR>dollor</ERROR> was pressured slightly <ERROR>becase</ERROR> a number of market participants had boosted their expectations in the past day and were looking for <ERROR>on</ERROR> index above <num> , which indicates an expanding manufacturing economy .
on the commodity exchange <ERROR>with</ERROR> new york , gold for current delivery settled at $ <ERROR>am</ERROR> ounce , down <num> <ERROR>cens</ERROR> .
<ERROR>with</ERROR> early trading in hong kong thursday , gold <ERROR>widd</ERROR> quoted at $ an ounce .
<ERROR>buts</ERROR> some of <ERROR>thee</ERROR> tv stations that <ERROR>bout</ERROR> cosby reruns <ERROR>far</ERROR> record prices two <ERROR>yers</ERROR> ago are n't <ERROR>lafing</ERROR> much <ERROR>there</ERROR> days .
but <ERROR>an</ERROR> ratings are <ERROR>considerable</ERROR> below expectations , and <ERROR>same</ERROR> stations say <num> they may not <ERROR>by</ERROR> new episodes when their current contracts expire .
at the same <ERROR>tim</ERROR> , viacom is trying <ERROR>too</ERROR> persuade stations to make <ERROR>committments</ERROR> to a different <ERROR>wald</ERROR> , a spin-off of cosby <ERROR>whos</ERROR> reruns will become available in <num> .
we 're willing to negotiate , says dennis gillespie , executive vice <ERROR>presedent</ERROR> of marketing .
but , says <num> the general manager of a network affiliate <ERROR>it</ERROR> the midwest , <ERROR>is</ERROR> think <num> <ERROR>is</ERROR> i <ERROR>tel</ERROR> them <num> i need more <ERROR>thim</ERROR> , they 'll take ` cosby ' across the street ,
one station manager says <num> <ERROR>had</ERROR> believes <num> viacom 's <ERROR>omve</ERROR> is a pre-emptive <ERROR>strick</ERROR> because <ERROR>i</ERROR> company is worried that cosby ratings will continue to drop <ERROR>i</ERROR> syndication over <ERROR>tehe</ERROR> next few years .
mr. gillespie at viacom says <num> the ratings are rising .
dick lobo , the general manager of wtvj , the nbc-owned station in miami , for <ERROR>exsample</ERROR> , <ERROR>ses</ERROR> <num> the <ERROR>sho</ERROR> has been a major disappointment <ERROR>of</ERROR> us .
there was n't .
<ERROR>bun</ERROR> he adds , i feel pressured , <ERROR>dissappointed</ERROR> , uncomfortable and , frankly , <ERROR>qiuet</ERROR> angry with viacom .
david wu , the <ERROR>compy</ERROR> 's representative in taiwan , said <num> atlanta-based <ERROR>lif</ERROR> of georgia will sell <ERROR>convential</ERROR> life-insurance products .
in this era of frantic competition for ad dollars , a lot of revenue-desperate magazines are getting pretty cozy with advertisers fawning over them in <ERROR>articals</ERROR> and <ERROR>offoring</ERROR> pages of advertorial space .
garbage magazine , billed <ERROR>als</ERROR> the practical journal <ERROR>forr</ERROR> the environment , is <ERROR>abou</ERROR> to find out <num> .
<ERROR>these</ERROR> magazine combines how-to pieces on topics like backyard composting , <ERROR>explanotory</ERROR> essays on such things <ERROR>tes</ERROR> what happens after <ERROR>yow</ERROR> flush your toilet , and hard-hitting pieces on alleged environmental offenders .
<ERROR>is</ERROR> one feature , called in the dumpster , editors point <ERROR>owt</ERROR> a <ERROR>prodect</ERROR> <num> <ERROR>their</ERROR> deem <ERROR>tow</ERROR> be a particularly bad offender .
<ERROR>wint</ERROR> only two issues under its belt , garbage has alienated some would-be advertisers <ERROR>a</ERROR> raised <ERROR>a</ERROR> ire of others .
the magazine 's editors ran a <ERROR>gaint</ERROR> diagram of the product with arrows pointing <ERROR>too</ERROR> the packaging 's polystyrene foam , polyproplene and polyester <ERROR>flim</ERROR> all plastic <ERROR>itims</ERROR> <num> they say <num> are non-biodegradable .
i think that this magazine is not only called garbage , <ERROR>put</ERROR> it is practicing journalistic garbage , fumes <ERROR>are</ERROR> spokesman <ERROR>or</ERROR> campbell <ERROR>sup</ERROR> .
modifications had <ERROR>be</ERROR> made to the souper combo product at the <ERROR>tine</ERROR> <num> the issue was printed , he says <num> , <ERROR>makeing</ERROR> it less <ERROR>un</ERROR> offender than was portrayed .
campbell soup , not surprisingly , does n't have any plans to <ERROR>advertize</ERROR> in the magazine , according to its spokesman .
you really need the campbell soups <ERROR>on</ERROR> the world <ERROR>th</ERROR> be <ERROR>interrested</ERROR> in your magazine <ERROR>is</ERROR> you 're going <ERROR>of</ERROR> make <ERROR>the</ERROR> run <ERROR>ovot</ERROR> it , <ERROR>sais</ERROR> mike white , senior <ERROR>vise</ERROR> president and media director at ddb needham , chicago .
the first two issues featured ads from <ERROR>oly</ERROR> a handful of big advertisers , including general electric <ERROR>than</ERROR> adolph coors , but the majority were from <ERROR>companys</ERROR> like waste management inc. and bumkins international , firms that do n't spend much money <ERROR>advertiseing</ERROR> and ca n't be <ERROR>realied</ERROR> on to support <ERROR>and</ERROR> magazine <ERROR>ower</ERROR> the <ERROR>lang</ERROR> haul .
we do n't spend much on print <ERROR>advertiseing</ERROR> , she <ERROR>seys</ERROR> .
individual copies of <ERROR>to</ERROR> magazine sell for $ and yearly subscriptions cost $ <num> .
<ERROR>acording</ERROR> to ms. poore , old-house journal corp. , her publishing company , printed and sold <ERROR>at</ERROR> copies of <ERROR>these</ERROR> premiere <ERROR>isue</ERROR> .
<ERROR>askt</ERROR> whether potential advertisers <ERROR>wull</ERROR> be scared away <ERROR>biy</ERROR> the magazine 's direct policy , ms. poore replies : i do n't know <ERROR>i</ERROR> i do n't care .
ad notes .
interpublic group <ERROR>ded</ERROR> <num> its television programming operations which it expanded earlier this year agreed <ERROR>of</ERROR> supply more than <ERROR>ours</ERROR> of original programming across europe in <num> .
<ERROR>et</ERROR> said <num> that volume makes it <ERROR>t</ERROR> largest supplier of original tv programming <ERROR>is</ERROR> europe .
<ERROR>its</ERROR> plans to sell the ad <ERROR>thim</ERROR> to its clients at a discount .
corestates <ERROR>financal</ERROR> corp. , philadelphia , named earle palmer brown & spiro , philadelphia , as agency of record for <ERROR>is</ERROR> $ <num> <ERROR>millon</ERROR> account .
at&t fax :
billings were n't disclosed for the small <ERROR>acount</ERROR> , which <ERROR>have</ERROR> been serviced at young & rubicam , <ERROR>now</ERROR> york .
enterprise rent-a-car inc. breaks <ERROR>is</ERROR> first national ad campaign this week .
developed <ERROR>buy</ERROR> avrett , free & ginsberg , new york , the $ <num> million campaign pitches enterprise 's consumer-driven service <ERROR>ane</ERROR> its free pick-up and drop-off service .
young & rubicam said <num> it completed its acquisition of landor associates , <ERROR>the</ERROR> san francisco identity-management firm .
ketchum communications , pittsburgh , acquired braun & co. , a los angeles investor-relations and marketing-communications <ERROR>fern</ERROR> .
sea containers ltd. said <num> it might <ERROR>increasi</ERROR> the <ERROR>prise</ERROR> of its $ 70-a-share buy-back plan <ERROR>it</ERROR> pressed by temple holdings ltd. , which <ERROR>maid</ERROR> an <ERROR>erlyer</ERROR> tender offer for sea containers .
the <ERROR>omve</ERROR> is designed to ward off a hostile takeover attempt by two european <ERROR>shippin</ERROR> concerns , stena holding ag and tiphook plc .
in august , temple sweetened <ERROR>my</ERROR> offer to $ <num> a <ERROR>shear</ERROR> , <ERROR>all</ERROR> $ <num> million .
<ERROR>abelt</ERROR> $ <num> million <ERROR>ov</ERROR> that would be allocated to the buy-back , leaving about $ <num> million , he said <num> .
we are able <ERROR>ro</ERROR> increase our price above <ERROR>these</ERROR> $ <num> level if <ERROR>nessacary</ERROR> .
mr. sherwood speculated that the <ERROR>leaway</ERROR> that sea containers has means that temple would <ERROR>har</ERROR> to substantially increase their bid if they 're going to <ERROR>tap</ERROR> us .
a spokesman for temple estimated that sea containers ' plan if all the asset sales materialize would result in shareholders receiving <ERROR>oly</ERROR> $ <num> to $ <num> a share in cash .
temple added that sea containers is still mired in legal problems in bermuda , where <ERROR>thw</ERROR> supreme court has temporarily barred <ERROR>see</ERROR> containers from <ERROR>buyin</ERROR> back its <ERROR>our</ERROR> stock in a <ERROR>cace</ERROR> brought by stena <ERROR>are</ERROR> tiphook .
temple also said <num> <ERROR>see</ERROR> containers ' plan raises numerous <ERROR>leagle</ERROR> , regulatory , financial <ERROR>aand</ERROR> fairness issues , but did n't elaborate .
in new york stock exchange composite trading yesterday , <ERROR>see</ERROR> containers <ERROR>closd</ERROR> at $ , up cents .
<ERROR>an</ERROR> department proposed requiring stronger roofs <ERROR>forr</ERROR> light trucks and minivans , beginning with <num> models .
such belts already are <ERROR>reequired</ERROR> for the <ERROR>w</ERROR> ' front seats .
in september , the department had said <num> it will require trucks and minivans to be <ERROR>gemant</ERROR> with <ERROR>my</ERROR> same front-seat headrests that have <ERROR>log</ERROR> been <ERROR>reequired</ERROR> on <ERROR>passanger</ERROR> cars .
safety advocates , including some <ERROR>menbers</ERROR> of congress , have been urging the department for years to extend car-safety requirements to light trucks and vans , which now account <ERROR>four</ERROR> almost one-third <ERROR>off</ERROR> all vehicle sales <ERROR>if</ERROR> the u.s. .
<ERROR>thir</ERROR> did n't have much luck during the reagan administration .
we 're in a very different regulatory environment .
we <ERROR>cod</ERROR> prevent <ERROR>mony</ERROR> of these fatalities with minimum roof-crush standards , he said .
the department 's roof-crush proposal <ERROR>wood</ERROR> apply to vehicles weighing pounds or less .
<ERROR>durin</ERROR> the test , the roof could n't <ERROR>bee</ERROR> depressed more than <ERROR>fiv</ERROR> inches .
<ERROR>here</ERROR> said <num> chrysler fully expects to have them installed across its light-truck line <ERROR>bery</ERROR> the sept. <num> , <num> , deadline .
john leinonen , executive <ERROR>enginer</ERROR> of ford motor co. 's auto-safety <ERROR>ofice</ERROR> , said <num> ford trucks have met car standards for roof-crush resistance since <num> .
the new explorer sport-utility vehicle , set <ERROR>four</ERROR> introduction next spring , will <ERROR>all</ERROR> have the rear-seat belts .
consolidated rail corp. said <num> it would spend more than $ <num> million on enclosed railcars for transporting autos .
this <ERROR>yer</ERROR> , the <ERROR>railrode</ERROR> holding company acquired <num> such railcars .
sir peter will <ERROR>success</ERROR> sir john milne , <num> , who retires as blue <ERROR>sircul</ERROR> nonexecutive chairman <ERROR>onn</ERROR> june <num> .
<ERROR>these</ERROR> discussions were disclosed as <ERROR>th</ERROR> bank holding company said that it <ERROR>his</ERROR> dropped <ERROR>is</ERROR> longstanding opposition to full interstate banking bills <ERROR>if</ERROR> connecticut and in massachusetts .
<ERROR>curruntly</ERROR> , <ERROR>bothe</ERROR> massachusetts and connecticut , <ERROR>wer</ERROR> most of bank of new england 's operations are , allow interstate banking only <ERROR>withing</ERROR> new england .
we have , and i 'm sure <num> others have , considered what <ERROR>hore</ERROR> options are , and we 've had conversations with people who in the future <ERROR>mit</ERROR> prove to be interesting <ERROR>parteners</ERROR> .
mr. driscoll did n't elaborate about who the potential partners were or when <ERROR>hte</ERROR> talks were held .
bank <ERROR>oaf</ERROR> new england has been hit hard by the region 's real-estate slump , with its net income declining <num> % to $ <ERROR>millon</ERROR> , or <num> <ERROR>cens</ERROR> a share , in the <ERROR>fist</ERROR> nine <ERROR>monthes</ERROR> of <num> <ERROR>fere</ERROR> the year-earlier <ERROR>perend</ERROR> .
it recently signed a <ERROR>plimary</ERROR> agreement <ERROR>tow</ERROR> negotiate exclusively with the bank of tokyo ltd. for the <ERROR>sail</ERROR> of part of its leasing business to the <ERROR>japaneze</ERROR> bank .
the reduced dividend is payable jan. <num> to stock of record dec. <num> .
<ERROR>with</ERROR> the year-ago quarter , <ERROR>they</ERROR> company reported net income of $ million , or <num> <ERROR>cens</ERROR> a share .
michael henderson , 51-year-old group chief <ERROR>exectutive</ERROR> of <ERROR>thes</ERROR> u.k. metals and industrial materials maker , will become <ERROR>chairmen</ERROR> in may , succeeding ian butler , <num> , <ERROR>her</ERROR> is retiring .
rally 's inc. said <num> it has redeemed its rights outstanding <ERROR>isued</ERROR> monday in its shareholder rights plan .
<ERROR>hte</ERROR> fast-food company said <num> its <ERROR>decission</ERROR> was based upon discussions with a shareholder group , giant group ltd. , in an effort to resolve <ERROR>certian</ERROR> disputes with the company .
when warren winiarski , proprietor of stag 's leap wine cellars in napa valley , announced a $ <num> price <ERROR>tage</ERROR> for his <num> cask <num> cabernet this <ERROR>fal</ERROR> , few wine shops and restaurants around the <ERROR>cout</ERROR> balked .
it is in my estimation <ERROR>that</ERROR> best wine <num> stag 's leap has produced , <ERROR>than</ERROR> with fewer than <num> cases available , it <ERROR>his</ERROR> sure to <ERROR>selle</ERROR> quickly .
diamond creek <num> lake vineyard cabernet weighed in this <ERROR>full</ERROR> with a sticker price of $ <num> a bottle .
<ERROR>in</ERROR> years , this group included a stable of classics bordeaux first growths -lrb- lafite-rothschild , latour , haut-brion , petrus -rrb- , grand cru burgundies -lrb- romanee-conti <ERROR>than</ERROR> la tache -rrb- deluxe champagnes -lrb- dom perignon or roederer cristal -rrb- , rarefied <ERROR>swet</ERROR> wines -lrb- chateau yquem or trockenbeerenauslesen rieslings from germany , <ERROR>than</ERROR> biondi-santi brunello riserva from tuscany -rrb- .
in the last year <ERROR>ore</ERROR> so , <ERROR>how</ERROR> , this exclusive <ERROR>clob</ERROR> has <ERROR>takin</ERROR> in a host of flashy <ERROR>neu</ERROR> members .
france can boast <ERROR>my</ERROR> lion 's share of high-priced bottles .
these prices seem rather modest , however , in <ERROR>lit</ERROR> of other <ERROR>franch</ERROR> wines from current vintages .
<ERROR>i</ERROR> champagne , some of the prestige cuvees are inching <ERROR>tord</ERROR> $ <num> a bottle .
the salon is $ <num> .
the <ERROR>fod</ERROR> reds <ERROR>gf</ERROR> the rhone valley have soared in <ERROR>prise</ERROR> as well .
none of france 's wine regions can steal <ERROR>the</ERROR> march on burgundy , however .
with the <num> vintage , <ERROR>thir</ERROR> soared higher : la tache , $ <num> ; richebourg , $ <num> ; romanee-conti , $ <num> .
from italy there is angelo gaja barbaresco at $ <num> a bottle , piero antinori 's la solaia , <ERROR>ah</ERROR> $ <num> cabernet from tuscany , and biondi-santi brunello at $ <num> .
there are certain cult wines that can command <ERROR>thes</ERROR> higher prices , says larry shapiro of marty 's , one of <ERROR>thee</ERROR> largest wine shops in dallas .
we 're seeing it partly because <ERROR>oldr</ERROR> vintages are growing more scarce .
some of the newer wines , even at $ <num> to $ <num> a <ERROR>bottel</ERROR> or so , almost offer <ERROR>an</ERROR> bargain .
<ERROR>its</ERROR> 's made only in <ERROR>yares</ERROR> when the grapes ripen perfectly -lrb- <ERROR>they</ERROR> last was <num> -rrb- and comes <ERROR>form</ERROR> a single acre of <ERROR>graps</ERROR> that yielded a mere <num> cases in <num> .
offering <ERROR>a</ERROR> wine at roughly $ <num> a bottle <ERROR>wholsale</ERROR> -lrb- $ <num> retail -rrb- , he sent merchants around the country a form asking <ERROR>then</ERROR> to check one of three answers : <num> -rrb- no , <ERROR>i</ERROR> wine is too high -lrb- <num> responses -rrb- ; <num> -rrb- yes , it 's high but i 'll take it -lrb- <num> responses -rrb- ; <num> -rrb- i 'll take all <num> i can get -lrb- <num> responses -rrb- .
<ERROR>wen</ERROR> thought <num> it <ERROR>way</ERROR> awfully expensive , said sterling pratt , wine director at schaefer 's in skokie , ill. , <ERROR>on</ERROR> of the <ERROR>tap</ERROR> stores <ERROR>i</ERROR> suburban chicago , <ERROR>p</ERROR> there are people <ERROR>aut</ERROR> there <ERROR>whin</ERROR> very different opinions <ERROR>off</ERROR> value .
mr. pratt remarked that he thinks <num> steeper prices have <ERROR>cam</ERROR> about <ERROR>becu</ERROR> producers do n't like <ERROR>ro</ERROR> see <ERROR>the</ERROR> hit wine dramatically increase in price <ERROR>letter</ERROR> on .
there may be sticker-shock reaction initially , said mr. pratt , <ERROR>buts</ERROR> as the wine is talked about <ERROR>than</ERROR> starts to <ERROR>selle</ERROR> , they eventually get excited <ERROR>a</ERROR> decide <num> <ERROR>i</ERROR> 's worth the astronomical <ERROR>prise</ERROR> to add it <ERROR>ro</ERROR> their collection .
they like to talk about <ERROR>hower</ERROR> the new red <ERROR>rok</ERROR> terrace -lcb- one <ERROR>op</ERROR> diamond creek 's cabernets -rcb- or the dunn <num> cabernet , or the petrus .
that explains why <ERROR>these</ERROR> number <ERROR>ofr</ERROR> these wines is expanding so <ERROR>rapedly</ERROR> .
they wo n't <ERROR>by</ERROR> if the quality is not there , said cedric martin of martin wine cellar in new orleans .
mr. martin has increased prices <ERROR>and</ERROR> some wines -lrb- like grgich hills chardonnay , now $ <num> -rrb- just to slow <ERROR>town</ERROR> movement , but he is beginning to see <ERROR>same</ERROR> resistance to high-priced red burgundies and cabernets and chardonnays in the $ <num> <ERROR>the</ERROR> $ <num> range .
wine merchants ca n't keep roederer cristal in stock , but they <ERROR>had</ERROR> to push salon le mesnil , <ERROR>in</ERROR> lowering the price <ERROR>forma</ERROR> $ <num> to $ <num> .
it 's <ERROR>interisting</ERROR> to <ERROR>fined</ERROR> that a lot of the <ERROR>expencive</ERROR> wines are n't <ERROR>allways</ERROR> walking out <ERROR>that</ERROR> door .
with the biggest wine-buying <ERROR>pero</ERROR> of the year looming as <ERROR>my</ERROR> holidays approach , <ERROR>et</ERROR> will be interesting to <ERROR>se</ERROR> how the superpremiums fare .
ms. ensrud is a free-lance wine writer in new york .
a survey by the fed 's <num> <ERROR>distrect</ERROR> banks shows <num> economic growth <ERROR>have</ERROR> been sluggish in recent weeks , while upward pressures on prices have moderated .
if <ERROR>yow</ERROR> look <ERROR>an</ERROR> the third quarter as posting roughly % growth , <ERROR>are</ERROR> do see <ERROR>so</ERROR> slowing in the fourth quarter , agrees kansas <ERROR>set</ERROR> fed president roger guffey .
<ERROR>wot</ERROR> 're <ERROR>comieg</ERROR> closer <ERROR>ro</ERROR> achieving the stated objective of slowing the economy to <ERROR>i</ERROR> point where hopefully some downward trend in prices will occur , <ERROR>sind</ERROR> mr. guffey .
i think <num> the market had been expecting the fed <ERROR>too</ERROR> ease <ERROR>soner</ERROR> and a little more <ERROR>that</ERROR> it has <ERROR>th</ERROR> date , said robert johnson , vice <ERROR>presedent</ERROR> of global markets for bankers trust co .
the report from the fed found that manufacturing , in <ERROR>partical</ERROR> , has been <ERROR>week</ERROR> in recent weeks .
and in the chicago district , the report said <num> , a manufacturer of <ERROR>capitol</ERROR> goods <ERROR>notted</ERROR> slower orders for some types , including defense equipment , petroleum equipment , food packaging machinery and material handling equipment .
and <ERROR>construcktion</ERROR> also <ERROR>his</ERROR> described as slow in most areas .
<ERROR>als</ERROR> a result , fed officials may be divided over whether to ease credit .
mr. black said <num> he is pleased <ERROR>we</ERROR> the economy 's <ERROR>resent</ERROR> performance , <ERROR>so</ERROR> does n't see <ERROR>the</ERROR> lot of excesses out there that would tilt us into recession .
integra-a hotel & <ERROR>ruasturant</ERROR> co. said <num> its planned rights offering <num> to <ERROR>rase</ERROR> about $ <num> million was declared effective <ERROR>so</ERROR> the <ERROR>compeny</ERROR> will begin mailing materials <ERROR>th</ERROR> shareholders at the end of this week .
each right entitles the shareholder to buy $ <num> face <ERROR>ammount</ERROR> of % bonds <ERROR>dew</ERROR> <num> and warrants <ERROR>of</ERROR> buy common shares at <num> cents a share .
integra , which owns and operates hotels , said <ERROR>vat</ERROR> hallwood <ERROR>groupe</ERROR> inc. <ERROR>his</ERROR> agreed <ERROR>of</ERROR> exercise any rights that are n't <ERROR>excerises</ERROR> by other shareholders .
copperweld corp. , a specialty steelmaker , <ERROR>sid</ERROR> <num> <num> workers at a plant <ERROR>with</ERROR> shelby , ohio , began a strike <ERROR>haved</ERROR> the united steelworkers local <num> rejected <ERROR>and</ERROR> new contract <ERROR>and</ERROR> tuesday .
the <ERROR>unioun</ERROR> vote to reject the proposed pact was .
it said <num> <ERROR>its</ERROR> has taken measures <ERROR>th</ERROR> continue shipments during <ERROR>they</ERROR> work stoppage .
michael basham , deputy <ERROR>assisstant</ERROR> secretary <ERROR>fre</ERROR> federal finance , said <num> the treasury may wait until late monday or even early tuesday <ERROR>the</ERROR> announce <ERROR>whetherr</ERROR> the autions are to <ERROR>bei</ERROR> rescheduled .
without congressional action , the treasury ca n't sell any new securities even savings bonds .
each <ERROR>days</ERROR> that <ERROR>cangress</ERROR> fails <ERROR>tow</ERROR> act will cause additional disruption in our borrowing <ERROR>schedul</ERROR> , possibly resulting in higher interest costs to the taxpayer , treasury secretary nicholas brady said in a speech prepared for delivery last night <ERROR>th</ERROR> a group of bankers .
the securities <num> to be sold next week <ERROR>well</ERROR> raise about $ <num> billion in cash and redeem $ <num> billion in maturing notes .
$ <num> billion of three-year notes , <num> to be auctioned tuesday and to mature nov. <num> , <num> .
$ <num> billion of 30-year bonds , <num> to be auctioned thursday and to mature aug. <num> , <num> .
they will mature dec. <num> .
the treasury said <num> it needs to <ERROR>rase</ERROR> $ billion in the current quarter <ERROR>im</ERROR> order to end december <ERROR>we</ERROR> a $ <num> billion cash balance .
<ERROR>tu</ERROR> remaining $ billion could be raised through the sale of short-term treasury bills , two-year <ERROR>nots</ERROR> in november <ERROR>aand</ERROR> five-year notes in early december , the treasury <ERROR>seiad</ERROR> <num> .
lancaster colony corp. said <num> <ERROR>il</ERROR> acquired reames foods inc. <ERROR>im</ERROR> a cash transaction .
reames , a maker and marketer of frozen noodles and pre-cooked pasta <ERROR>basen</ERROR> in clive , iowa , <ERROR>his</ERROR> annual sales of about $ <num> million , lancaster said <num> .
bond prices and the <ERROR>dollor</ERROR> both <ERROR>ganed</ERROR> modestly .
but advancing issues <ERROR>ons</ERROR> the new york <ERROR>stark</ERROR> exchange <ERROR>weer</ERROR> tidily <ERROR>ahade</ERROR> of declining stocks , <num> to <num> .
continuing demand <ERROR>fore</ERROR> dollars <ERROR>forme</ERROR> japanese investors boosted <ERROR>thw</ERROR> u.s. currency .
the industrial average jumped more <ERROR>that</ERROR> <num> points tuesday as speculators rushed to buy shares of potential takeover targets .
economic news had <ERROR>lettle</ERROR> effect on financial markets .
the federal <ERROR>resurve</ERROR> 's beige book , a summary of economic conditions across <ERROR>t</ERROR> country , indicated that the overall economy remains in <ERROR>and</ERROR> pattern of sluggish growth .
stock prices rose fractionally <ERROR>with</ERROR> moderate trading .
bond prices were up .
the <ERROR>yeild</ERROR> fell <ERROR>the</ERROR> % .
in late <ERROR>afternon</ERROR> new york trading the currency <ERROR>wos</ERROR> at marks and yen <ERROR>compased</ERROR> with marks and yen .
net income more than tripled to billion yen from billion yen a year earlier .
terms were n't disclosed .
eaton is an automotive parts , controls and aerospace electronics concern .
<ERROR>they</ERROR> offer follows an earlier proposal <ERROR>bery</ERROR> nl <ERROR>a</ERROR> mr. simmons to help georgia gulf restructure or go private <ERROR>if</ERROR> a transaction that would pay shareholders $ <num> a <ERROR>shear</ERROR> .
<ERROR>howeverr</ERROR> , it <ERROR>as</ERROR> n't <ERROR>yat</ERROR> made <ERROR>ended</ERROR> proposals to shareholders .
georgia gulf said <num> it has n't <ERROR>elimiated</ERROR> any alternatives and that discussions <ERROR>anr</ERROR> being held with interested parties , and work is also continuing on other various <ERROR>trasactions</ERROR> .
analysts <ERROR>sore</ERROR> the latest offer <ERROR>was</ERROR> proof that mr. simmons , <ERROR>and</ERROR> aggressive and persistent investor , wo n't <ERROR>live</ERROR> georgia gulf alone <ERROR>intal</ERROR> some kind of transaction is completed .
he <ERROR>appeares</ERROR> to be in it for the long haul .
mr. simmons owns <num> % <ERROR>afoh</ERROR> valhi inc. , which in turn owns two-thirds of nl .
mr. leming was n't surprised <ERROR>bery</ERROR> the lower price cited by nl , saying <num> he believes that $ <num> a share <ERROR>in</ERROR> the <ERROR>mast</ERROR> <num> you can pay for georgia gulf before <ERROR>et</ERROR> becomes a bad acquisition .
j. landis martin , nl president and chief <ERROR>exectutive</ERROR> officer , said <num> nl and mr. simmons <ERROR>cat</ERROR> the <ERROR>prise</ERROR> <num> they were proposing for georgia gulf because they initially planned a transaction that included about $ <num> <ERROR>millon</ERROR> in equity and <ERROR>are</ERROR> substantial amount of high-yield subordinated <ERROR>deat</ERROR> .
<ERROR>own</ERROR> , he said <num> , the <ERROR>groupe</ERROR> plans to <ERROR>but</ERROR> in several hundred million dollars in equity <ERROR>so</ERROR> finance <ERROR>tu</ERROR> remainder with bank debt .
in a letter to georgia gulf <ERROR>presedent</ERROR> jerry r. satrum , mr. martin asked georgia gulf to answer its <ERROR>ofer</ERROR> by <ERROR>teusday</ERROR> .
mr. martin <ERROR>sede</ERROR> <num> they have n't yet decided <ERROR>who</ERROR> their next move would be , but he did n't rule out <ERROR>they</ERROR> possibility of <ERROR>as</ERROR> consent solicitation aimed at replacing georgia gulf 's board .
although georgia gulf has n't been eager to negotiate with mr. simmons and nl , <ERROR>ah</ERROR> specialty chemicals concern , the group apparently believes <num> the <ERROR>compy</ERROR> 's management <ERROR>as</ERROR> interested in <ERROR>sane</ERROR> kind of transaction .
in <ERROR>tie</ERROR> third quarter , georgia gulf earned $ million , or $ a share , <ERROR>bonw</ERROR> from $ <num> <ERROR>millon</ERROR> , or $ a share on fewer shares outstanding .
a licensing company representing the university <ERROR>ove</ERROR> pennsylvania added johnson & johnson to its lawsuit challenging a university faculty member <ERROR>ower</ERROR> rights to retin-a acne medicine .
in may , university patents <ERROR>fild</ERROR> a suit in <ERROR>fedral</ERROR> court in philadelphia against albert m. kligman , a researcher and <ERROR>proffessor</ERROR> at the <ERROR>universit</ERROR> of pennsylvania school of medicine <ERROR>hu</ERROR> developed retin-a in the 1960s to combat acne .
in new brunswick , n.j. , a johnson & johnson spokesman declined comment .
officials from both nations say <num> the u.s. public 's skittishness <ERROR>aboit</ERROR> japanese investment could color <ERROR>and</ERROR> second round of bilateral economic talks <ERROR>scheluded</ERROR> for next week in washington .
<ERROR>wuy</ERROR> they disagree is on the subject of u.s. direct investment in japan .
the heated talk stirred up by recent japanese investments in the u.s. is focusing attention <ERROR>in</ERROR> the differences <ERROR>im</ERROR> investment climate , even <ERROR>thow</ERROR> it 's only one of many subjects <num> to be covered in <ERROR>thi</ERROR> bilateral talks , known as the structural impediments initiative .
<ERROR>wee</ERROR> have a <ERROR>lang</ERROR> history of maintaining an open direct-investment <ERROR>polocy</ERROR> , mr. dallara says .
the <ERROR>japaneze</ERROR> fret openly about <ERROR>they</ERROR> u.s. public 's rancor .
we believe that it is vitally important <ERROR>frou</ERROR> those japanese <ERROR>businesss</ERROR> interests -lcb- <ERROR>im</ERROR> the u.s. . -rcb- <ERROR>of</ERROR> be more aware <ERROR>off</ERROR> the emotions <ERROR>an</ERROR> concerns of <ERROR>tu</ERROR> american <ERROR>porle</ERROR> , <ERROR>seid</ERROR> the spokesman , taizo watanabe .
fears that japanese investors <ERROR>ah</ERROR> buying up america have escalated sharply in <ERROR>an</ERROR> past several weeks , with sony corp. 's purchase <ERROR>ovot</ERROR> columbia <ERROR>picturs</ERROR> entertainment inc. from coca-cola co. <ERROR>ane</ERROR> mitsubishi estate co. 's <ERROR>aquisistion</ERROR> of <ERROR>are</ERROR> <num> % <ERROR>holing</ERROR> in rockefeller <ERROR>groupe</ERROR> , the owner of some of midtown manhattan 's <ERROR>mate</ERROR> exclusive real estate .
the texas oilman has acquired <ERROR>ah</ERROR> % stake valued at more <ERROR>then</ERROR> $ billion in an automotive-lighting <ERROR>compy</ERROR> , koito manufacturing <ERROR>comp</ERROR> .
koito has refused <ERROR>too</ERROR> grant mr. pickens seats on <ERROR>it</ERROR> board , asserting <num> <ERROR>him</ERROR> is a greenmailer trying to pressure koito 's other shareholders into buying him out <ERROR>as</ERROR> a profit .
the senate finance <ERROR>commitee</ERROR> , chaired by a fellow texan , democratic sen. lloyd bentsen , <ERROR>list</ERROR> month urged u.s. trade <ERROR>representitive</ERROR> carla hills to use mr. pickens 's experience in talks with tokyo to highlight this problem facing americans who seek access to the <ERROR>japaneze</ERROR> capital markets .
among them are differences in savings and investment rates , corporate structures and <ERROR>managment</ERROR> , and government spending .
the u.s. says <num> it is <ERROR>axioce</ERROR> for results .
both sides have agreed that the talks will be <ERROR>mast</ERROR> successful <ERROR>is</ERROR> negotiators <ERROR>stab</ERROR> by focusing <ERROR>and</ERROR> the areas that can be most easily changed .
<ERROR>afthe</ERROR> the <ERROR>frest</ERROR> set of meetings two months ago , some u.s. officials complained that japan had n't come up <ERROR>whin</ERROR> specific changes <num> it was prepared to make .
just to say <num> the distribution <ERROR>sistem</ERROR> is <ERROR>rong</ERROR> does n't mean <ERROR>enything</ERROR> , <ERROR>ses</ERROR> a ministry of <ERROR>niternational</ERROR> trade and industry official .
that process <ERROR>or</ERROR> sorting out specifics is likely to take time , the <ERROR>japaneze</ERROR> say <num> , no matter how badly the u.s. wants quick <ERROR>result</ERROR> .
since then , a team <ERROR>afoh</ERROR> about <num> miti and u.s. commerce department officials have crossed the globe gauging consumer prices .
little by <ERROR>littl</ERROR> , there is <ERROR>progess</ERROR> , says the miti <ERROR>orfechol</ERROR> .
elisabeth rubinfien contributed to this article .
for japan , <ERROR>that</ERROR> controversial trend improves access <ERROR>th</ERROR> american markets and technology .
take the deal <ERROR>wiy</ERROR> candela laser corp. , a wayland , mass. , manufacturer of high-tech medical devices , which three years ago set its sights <ERROR>and</ERROR> japan as an export market .
in a joint-venture <ERROR>deel</ERROR> , mitsui guided candela through tokyo 's bureaucratic maze .
at last count , candela had sold $ <num> million of its medical <ERROR>def</ERROR> in japan .
they view this as a <ERROR>grouth</ERROR> area so <ERROR>theire</ERROR> went about <ERROR>is</ERROR> with a systematic approach , says richard olsen , a candela vice president .
the japanese companies bankroll many small u.s. companies with promising <ERROR>produts</ERROR> or <ERROR>idea</ERROR> , frequently putting their money behind projects that <ERROR>comersial</ERROR> banks wo n't touch .
in the first half of <num> alone , japanese corporations invested $ <num> million in minority positions in u.s. companies , a <num> % rise from <ERROR>they</ERROR> figure <ERROR>in</ERROR> all <ERROR>for</ERROR> <num> , reports <num> venture economics inc .
in addition , of course , some of the japanese investments involved outright purchase of <ERROR>smal</ERROR> u.s. firms .
only this week , it was announced that mitsubishi estate co. had acquired a <num> % stake <ERROR>with</ERROR> rockefeller <ERROR>groupe</ERROR> , which owns new york 's prestigious rockefeller center .
as the deals <ERROR>aso</ERROR> improve japanese access <ERROR>two</ERROR> american technology <ERROR>an</ERROR> market knowledge , they feed american anxieties <ERROR>is</ERROR> this <ERROR>are</ERROR> , too .
free state glass industries of warrenton , va. , a small fabricator of architectural <ERROR>glas</ERROR> , was foundering under its <ERROR>origanal</ERROR> management .
the deal <ERROR>in</ERROR> chiefly designed to give mitsubishi a window on the u.s. <ERROR>glas</ERROR> industry , says ichiro wakui , an executive <ERROR>is</ERROR> mitsubishi 's <ERROR>genroll</ERROR> merchandise department in <ERROR>now</ERROR> york .
<ERROR>be</ERROR> want to <ERROR>se</ERROR> the glass market from the <ERROR>insis</ERROR> , not the <ERROR>outsed</ERROR> .
mr. bodner declines to comment <ERROR>onn</ERROR> the arrangement .
these vertically integrated combines , some of which got their start <ERROR>is</ERROR> japan 's feudal <ERROR>perend</ERROR> , deal globally in commodities , <ERROR>construcktion</ERROR> and <ERROR>manufactoring</ERROR> .
<ERROR>a</ERROR> the sogo-shosha are looking for <ERROR>knew</ERROR> business , says arthur klauser , adviser to <ERROR>th</ERROR> president of mitsui , u.s.a. , using the <ERROR>japaneze</ERROR> term for the largest of the global trading houses .
<ERROR>as</ERROR> host <ERROR>ovoe</ERROR> electronics firms in california 's silicon <ERROR>vally</ERROR> were financed <ERROR>wh</ERROR> trading-company venture capital .
strategic objectives , <ERROR>ont</ERROR> financial return , drive many of the deals , says a venture economics spokesman .
it 's the classic <ERROR>pobben</ERROR> of the small businessman , says malcolm davies , managing <ERROR>directer</ERROR> of trading alliance corp. of new york .
they want assets , <ERROR>thar</ERROR> want <ERROR>are</ERROR> balance sheet , which <ERROR>his</ERROR> no relation to the business <num> a <ERROR>compy</ERROR> can generate .
to the extent <num> they can <ERROR>no</ERROR> this , <ERROR>thy</ERROR> 're quite content to get a return on investment of <num> % to <num> % .
sales by these subsidiaries in the fiscal year ending last march were <ERROR>mor</ERROR> than $ <num> billion .
hudson general corp. 's <ERROR>presedent</ERROR> and <ERROR>cheif</ERROR> executive officer , alan j. stearn , resigned .
a company spokesman declined to elaborate on <ERROR>these</ERROR> departure .
mr. stearn , who had been with the company <ERROR>mooe</ERROR> than <num> years <ERROR>a</ERROR> had been <ERROR>presedent</ERROR> since <num> , <ERROR>wull</ERROR> act as a consultant to hudson general .
for <num> years , genie driskill <ERROR>wot</ERROR> to <ERROR>here</ERROR> neighborhood bank because it was convenient .
but in august , <ERROR>ferst</ERROR> atlanta national bank introduced its crown <ERROR>acount</ERROR> , <ERROR>the</ERROR> package designed <ERROR>tow</ERROR> lure customers <ERROR>suu</ERROR> as ms. driskill .
all <num> <ERROR>the</ERROR> had to do was put $ in <ERROR>i</ERROR> certificate of deposit , or qualify for a $ personal line <ERROR>gf</ERROR> credit .
she took her <ERROR>busness</ERROR> to first atlanta .
for nearly <ERROR>i</ERROR> decade , banks <ERROR>fo</ERROR> competed <ERROR>in</ERROR> customers primarily with the <ERROR>inturest</ERROR> rates <num> they pay <ERROR>in</ERROR> their deposits and charge on their <ERROR>lones</ERROR> .
but many banks are turning away from strict <ERROR>prise</ERROR> competition .
<ERROR>your</ERROR> 're dead in the water <ERROR>is</ERROR> you are n't segmenting <ERROR>tie</ERROR> market , says anne moore , president of synergistics research corp. , a bank consulting firm in atlanta .
the program not only offers <ERROR>an</ERROR> pre-approved car loan up to $ , but throws <ERROR>i</ERROR> a special cash-flow statement <num> to help in saving <ERROR>mooey</ERROR> .
the theory : <ERROR>suh</ERROR> individuals , <ERROR>meney</ERROR> with <ERROR>yem</ERROR> children , <ERROR>ar</ERROR> in <ERROR>thier</ERROR> prime borrowing years and , having borrowed from the bank , they may continue to use it for other services <ERROR>if</ERROR> later <ERROR>yesars</ERROR> .
those efforts are being <ERROR>steped</ERROR> up .
varying <ERROR>ag</ERROR> , geography and life-style differences create numerous sub-markets , ms. macdonald says .
an active 55-year-old in boca raton may care more about senior olympic games , while a 75-year-old <ERROR>it</ERROR> panama city may <ERROR>cear</ERROR> more about <ERROR>the</ERROR> seminar on health , she says .
in <num> , wells fargo & co. <ERROR>oaf</ERROR> san francisco launched the gold account , which included <ERROR>fee</ERROR> checking , a <ERROR>creadit</ERROR> card , safe-deposit box <ERROR>i</ERROR> travelers checks for <ERROR>an</ERROR> $ <num> monthly fee .
one big reason : thin margins .
as banks ' earnings were squeezed <ERROR>it</ERROR> the mid-1970s , the emphasis switched to finding ways <num> to cut costs .
they are better able <ERROR>th</ERROR> get to those segments in <ERROR>i</ERROR> wake of the deregulation that <ERROR>begain</ERROR> in the late 1970s .
where <ERROR>an</ERROR> bank once offered a standard passbook savings <ERROR>acount</ERROR> , it <ERROR>begane</ERROR> offering money-market accounts , certificates of deposit and interest-bearing checking , and staggering rates <ERROR>basen</ERROR> on the size of deposits .
today , a banker is <ERROR>worring</ERROR> about <ERROR>licele</ERROR> , regional and money-center -lcb- banks -rcb- , as well as thrifts and credit unions , says ms. moore <ERROR>an</ERROR> synergistics research .
the competition has cultivated a much savvier <ERROR>consummer</ERROR> .
this much fragmentation makes attracting and keeping today 's rate-sensitive customers costly .
for their <ERROR>trubbles</ERROR> , the banks <ERROR>geat</ERROR> a larger captive audience that is less likely to move at <ERROR>thee</ERROR> drop of a <ERROR>rait</ERROR> .
that can pay off <ERROR>don</ERROR> the road as customers , especially the younger <ERROR>one</ERROR> , change from borrowers to savers\/investors .
<ERROR>that</ERROR> additional technology , personnel <ERROR>trying</ERROR> and promotional effort can be <ERROR>expansive</ERROR> .
<ERROR>is</ERROR> 's not easy <ERROR>th</ERROR> roll out <ERROR>somthing</ERROR> that comprehensive , and make it <ERROR>pae</ERROR> , mr. jacob says .
these days , banking customers walk in <ERROR>th</ERROR> door expecting you <ERROR>th</ERROR> have a <ERROR>packege</ERROR> especially for them , ms. moore says .
first union , he says <num> , now has packages for seven customer groups .
says mr. sale : i <ERROR>tink</ERROR> <num> more banks are <ERROR>staring</ERROR> to <ERROR>rilise</ERROR> that we have <ERROR>th</ERROR> be more <ERROR>lekt</ERROR> the department store , not the boutique .
sharedata inc. said <num> <ERROR>il</ERROR> will amend a registration statement filed with the securities and exchange commission to delete a plan to <ERROR>selle</ERROR> newly <ERROR>isued</ERROR> common shares .
currently , sharedata has about million common shares outstanding .
five things <num> you <ERROR>con</ERROR> do for $ or less :
<num> . take <ERROR>i</ERROR> hawaiian vacation .
<num> . <ERROR>by</ERROR> a diamond necklace .
americans today spend $ like <ERROR>poket</ERROR> change they do n't <ERROR>thingk</ERROR> much about <ERROR>its</ERROR> .
your $ will help <ERROR>kept</ERROR> a needy savings and loan solvent and out of the federal budget deficit .
<ERROR>lick</ERROR> healthy regulatory <ERROR>capitol</ERROR> .
performing loans .
as a foster corporate parent , you will experience the <ERROR>sam</ERROR> joy felt <ERROR>buy</ERROR> robert bass , lewis ranieri , william simon and others , <ERROR>hoo</ERROR> find ways <num> to <ERROR>halp</ERROR> troubled savings institutions and <ERROR>thrir</ERROR> employees help themselves .
do n't wait a savings <ERROR>instution</ERROR> needs your help <ERROR>no</ERROR> !
<ERROR>thinck</ERROR> about the good <num> you can do for just $ a month , about the cost of <ERROR>an</ERROR> mid-size chevrolet or two <ERROR>semisters</ERROR> at <ERROR>i</ERROR> state university .
every $ <num> <ERROR>w</ERROR> send <ERROR>well</ERROR> go a long <ERROR>wye</ERROR> to boost sagging net worth and employee morale and keep your foster savings institution off the federal budget deficit !
the chicago mercantile exchange said <num> it plans to institute an <ERROR>addional</ERROR> circuit breaker aimed <ERROR>an</ERROR> stemming market slides .
but <ERROR>t</ERROR> new york stock exchange chairman said <num> he does n't <ERROR>serport</ERROR> reinstating a <ERROR>collor</ERROR> on program trading , arguing <ERROR>thatt</ERROR> firms could <ERROR>geat</ERROR> around <ERROR>suh</ERROR> a limit .
if the 20-point limit is triggered after p.m . chicago time , it would remain <ERROR>with</ERROR> effect until the normal close of trading at p.m .
<ERROR>i</ERROR> exchange said <num> it <ERROR>desided</ERROR> <num> a new circuit breaker was needed following a <ERROR>revue</ERROR> of the tumultuous trading in stocks and stock-index futures on friday oct. <num> , when the dow jones industrials plunged <num> points and stock-index futures prices skidded as well .
the merc said that its existing 30-minute , 12-point limit on s&p <num> stock-index futures trading -lrb- equal to about <num> points <ERROR>of</ERROR> the dow jones industrials -rrb- , <ERROR>weich</ERROR> was triggered oct. <num> , will remain in effect .
but when <ERROR>th</ERROR> contract reopened , the subsequent flood <ERROR>afoh</ERROR> sell <ERROR>oders</ERROR> that <ERROR>quickley</ERROR> knocked the contract down <ERROR>ro</ERROR> the 30-point limit indicated that the intermediate <ERROR>limet</ERROR> of <num> points was needed to help keep stock and stock-index futures prices synchronized .
all of the changes require regulatory approval , which <ERROR>it</ERROR> expected shortly .
<ERROR>and</ERROR> final modification was made <ERROR>the</ERROR> the five-point opening limit <ERROR>of</ERROR> the contract .
the limit lapses under current exchange rules if contracts trade <ERROR>abarth</ERROR> the <ERROR>limet</ERROR> price during the opening <num> minutes of trading .
<ERROR>if</ERROR> said that firms could get around <ERROR>tehe</ERROR> collar by executing trades <ERROR>manualy</ERROR> .
the program-trading issue is heating up on capitol hill as it is on wall street , <ERROR>anf</ERROR> several legislators <ERROR>what</ERROR> to grant <ERROR>these</ERROR> sec the <ERROR>pour</ERROR> to shut off the programs when trading becomes <ERROR>two</ERROR> volatile .
a house aide suggested that mr. phelan was so vague and mushy that it was the kind <ERROR>ov</ERROR> meeting <ERROR>with</ERROR> people of all viewpoints could <ERROR>com</ERROR> out feeling <ERROR>go</ERROR> .
markey said <num> we could have done this in <ERROR>publick</ERROR> because so <ERROR>lette</ERROR> sensitive <ERROR>imformation</ERROR> was disclosed , the aide said <num> .
at another point during <ERROR>hte</ERROR> hearing , rep. markey asked mr. phelan what would <ERROR>de</ERROR> discussed <ERROR>att</ERROR> a <ERROR>tryal</ERROR> york exchange board meeting today .
that response annoyed rep. markey , house aides said <num> , and the congressman snapped back that there had been enough studies of the issue and <ERROR>and</ERROR> it was time for action on the <ERROR>mather</ERROR> .
mr. dingell expressed concern , <ERROR>sorces</ERROR> said <num> , about jurisdictional problems in regulating program trading , which uses futures to offset stock trades .
<ERROR>thw</ERROR> art of change-ringing is peculiar to the english , and , like most english peculiarities , unintelligible to the rest <ERROR>ovot</ERROR> the world .
aslacton , england
<ERROR>t</ERROR> parishioners of st. michael and all angels stop to chat at the church <ERROR>dor</ERROR> , <ERROR>aas</ERROR> members <ERROR>har</ERROR> always have .
but there is also a discordant , <ERROR>morden</ERROR> note in aslacton , though it ca n't be <ERROR>hurd</ERROR> by the church-goers enjoying <ERROR>to</ERROR> peal of bells this cool autumn evening .
now , only one local ringer remains : 64-year-old derek hammond .
they belong to a group of <num> ringers including two octogenarians and four youngsters <ERROR>im</ERROR> training who <ERROR>driv</ERROR> every sunday from church to church <ERROR>if</ERROR> a sometimes-exhausting effort to keep the bells sounding in the many belfries of east anglia .
we 've tried to train the youngsters , but they <ERROR>hove</ERROR> their discos and their dances , and they just drift away .
history , after all , is not on <ERROR>hes</ERROR> side .
it is <ERROR>easily</ERROR> to <ERROR>se</ERROR> why the ancient art is on <ERROR>t</ERROR> ropes .
change-ringing , a mind-boggling exercise <num> the english invented <num> years ago , <ERROR>requres</ERROR> physical dexterity some bells weigh more than <ERROR>and</ERROR> ton combined with intense mental concentration .
then , at a signal , the ringers begin varying the order <ERROR>if</ERROR> which the bells <ERROR>sund</ERROR> without altering the steady rhythm of <ERROR>tehe</ERROR> striking .
ringers memorize patterns of changes , known as methods , which have odd-sounding names like kent treble bob major or grandsire caters .
<ERROR>the</ERROR> look at <ERROR>ah</ERROR> thursday night practice <ERROR>as</ERROR> st. mary abbot church in the kensington district of london gives an <ERROR>idear</ERROR> of the work involved .
no one speaks , and the snaking of the ropes seems to <ERROR>mack</ERROR> as <ERROR>march</ERROR> sound <ERROR>hase</ERROR> the bells themselves , muffled by the ceiling .
far above in the belfry , the <ERROR>hyge</ERROR> bronze bells , mounted <ERROR>onn</ERROR> wheels , swing madly through a full <num> degrees , <ERROR>startin</ERROR> and ending , surprisingly , in <ERROR>thw</ERROR> inverted , or mouth-up position .
in a well-known detective-story <ERROR>invlving</ERROR> church bells , <ERROR>inglish</ERROR> novelist dorothy l. sayers described ringing as a passion -lcb- that -rcb- finds its satisfaction <ERROR>with</ERROR> mathematical completeness and mechanical perfection .
ringing <ERROR>dus</ERROR> become <ERROR>i</ERROR> bit of <ERROR>am</ERROR> obsession , admits stephanie pattenden , master of the band at st. mary abbot and one of england 's best female ringers .
more often <ERROR>then</ERROR> not , ringers think of the church as <ERROR>somethig</ERROR> stuck on <ERROR>hte</ERROR> bottom of <ERROR>tie</ERROR> belfry .
this does not <ERROR>sat</ERROR> well with <ERROR>same</ERROR> clerics .
two years <ERROR>go</ERROR> , the rev. jeremy hummerstone , vicar of great torrington , devon , <ERROR>gat</ERROR> so fed up with ringers who did n't attend service <num> he sacked the <ERROR>intire</ERROR> band ; the ringers promptly set up a picket line <ERROR>if</ERROR> protest .
an entirely new band rings today at great torrington , <ERROR>severeal</ERROR> of <ERROR>whome</ERROR> are members of the congregation .
at st. mary 's church in ilminster , somerset , the bells have fallen silent following a dust-up over <ERROR>cherch</ERROR> attendance .
but c.j.b. marshall , vicar of a nearby church , feels <num> the fault is in the <ERROR>steres</ERROR> from the bell tower <ERROR>dat</ERROR> are located next to the altar .
vicar marshall admits to <ERROR>mixpet</ERROR> feelings about this <ERROR>isue</ERROR> , since he is both a vicar and an active bell-ringer himself .
i live in hopes that the ringers themselves <ERROR>wull</ERROR> be drawn into that fuller <ERROR>lefe</ERROR> .
it hopes <ERROR>of</ERROR> speak to <ERROR>studens</ERROR> at theological colleges about the joys of bell ringing and will shortly publish a booklet for <ERROR>evry</ERROR> vicar in <ERROR>i</ERROR> country entitled , the bells <ERROR>if</ERROR> your <ERROR>cerer</ERROR> .
mr. baldwin <ERROR>in</ERROR> also attacking the greater problem : lack of ringers .
also , ringers <ERROR>dou</ERROR> n't always live <ERROR>whrer</ERROR> the bells <ERROR>nead</ERROR> to be rung like in small , rural parishes and inner-city churches .
<ERROR>rigth</ERROR> now , we 're lucky <ERROR>it</ERROR> after five years we <ERROR>cep</ERROR> one <ERROR>naw</ERROR> ringer out of <num> , he adds .
they are n't accepted everywhere , however .
this <ERROR>bi</ERROR> britain , no woman has filed <ERROR>and</ERROR> equal-opportunity suit , but the extent of the problem surfaced this summer <ERROR>im</ERROR> a series of letters to the ringing world , <ERROR>and</ERROR> weekly newspaper for ringers .
in the torrent of replies that followed , one woman ringer from solihull observed that the average male ringer leaves quite a <ERROR>lost</ERROR> <num> to be desired : badly dressed , decorated with acne and a large beer-belly , frequently unwashed and unbearably flatulent in peals .
<ERROR>if</ERROR> have seen one <ERROR>of</ERROR> two <ERROR>man</ERROR> die , bless them .
that has been particularly true this year with many companies <ERROR>rasing</ERROR> their payouts <ERROR>mooe</ERROR> than <num> % .
<ERROR>i</ERROR> the past , they say <num> , the strongest dividend <ERROR>groth</ERROR> has often come at <ERROR>tims</ERROR> when <ERROR>i</ERROR> stock-market <ERROR>parte</ERROR> was almost over .
strong dividend growth , he says <num> , is the black widow of valuation a reference to the <ERROR>femail</ERROR> spiders that attract males and <ERROR>the</ERROR> kill them after mating .
invariably , those strong periods in the economy <ERROR>gav</ERROR> way <ERROR>too</ERROR> recessionary environments , he says .
indeed , analysts say that payouts have <ERROR>sumtimes</ERROR> risen most sharply <ERROR>wian</ERROR> prices were <ERROR>allready</ERROR> on their way down from cyclical peaks .
the s&p index started sliding in price <ERROR>is</ERROR> september <num> , <ERROR>ane</ERROR> fell <num> % in <num> despite <ERROR>the</ERROR> <num> % <ERROR>expanion</ERROR> in dividends that year .
payouts on the s&p <num> stocks rose <num> % in <num> , according to standard & poor 's corp. , and wall street estimates for <num> growth are <ERROR>generaly</ERROR> between <num> % and <num> % .
meanwhile , many market watchers say <num> recent <ERROR>divident</ERROR> trends raise another warning flag : while dividends <ERROR>of</ERROR> risen smartly , their expansion has n't kept pace with even stronger advances in stock prices .
put another way , the decline in <ERROR>that</ERROR> yield suggests <num> stocks <ERROR>haven</ERROR> gotten pretty <ERROR>rick</ERROR> in price relative to the dividends <num> they pay , some market analysts <ERROR>said</ERROR> <num> .
the figure <ERROR>his</ERROR> currently about % , up from % before <ERROR>tu</ERROR> recent market slide .
<ERROR>an</ERROR> drop below that <num> % benchmark has always been <ERROR>the</ERROR> strong warning sign that stocks are fully valued , says <num> mr. boesel of t. rowe price .
always .
<ERROR>these</ERROR> last time <num> the s&p <num> <ERROR>yeild</ERROR> dropped below <num> % was in the <ERROR>sumer</ERROR> of <num> .
there have <ERROR>bein</ERROR> only seven other times in <num> , <num> , <num> , <num> , <num> , <num> and <num> when the yield <ERROR>in</ERROR> the s&p <num> dropped <ERROR>belowe</ERROR> <num> % for at <ERROR>lest</ERROR> two consecutive months , mr. perritt <ERROR>faud</ERROR> <num> .
still , some market analysts say <num> <ERROR>an</ERROR> current % reading <ERROR>his</ERROR> n't as <ERROR>troblernsom</ERROR> as it <ERROR>mit</ERROR> have been in years past .
in <ERROR>ptylas</ERROR> , mr. coxon says <num> , businesses are paying out a <ERROR>smoler</ERROR> percentage of their profits <ERROR>i</ERROR> cash flow in the form <ERROR>off</ERROR> dividends <ERROR>then</ERROR> they have historically .
rather <ERROR>then</ERROR> increasing dividends , some companies have used cash to buy back <ERROR>so</ERROR> of their shares , <ERROR>nots</ERROR> <num> steven g. einhorn , co-chairman of <ERROR>to</ERROR> investment policy committee <ERROR>an</ERROR> goldman , sachs & co .
that is just a tad below the average of the past <num> years or so , he says <num> .
common wisdom <ERROR>sugests</ERROR> a single-digit rate of <ERROR>grouth</ERROR> , reflecting a weakening in <ERROR>tehe</ERROR> economy and <ERROR>corparate</ERROR> profits .
in <ERROR>over</ERROR> years in which there have been moderate economic slowdowns the <ERROR>invironment</ERROR> <num> the <ERROR>ferm</ERROR> expects in <num> the <ERROR>chang</ERROR> in dividends ranged from a gain <ERROR>gf</ERROR> <num> % to <ERROR>are</ERROR> decline of <num> % , according to painewebber analyst thomas doerflinger .
dividend <ERROR>grouth</ERROR> on <ERROR>they</ERROR> order of <num> % is expected by both mr. coxon of cigna <ERROR>an</ERROR> mr. einhorn of goldman sachs .
one indicator <num> investors might want to watch is the monthly tally <ERROR>fou</ERROR> standard & poor 's <ERROR>onet</ERROR> the <ERROR>numbers</ERROR> of public companies adjusting <ERROR>the</ERROR> dividends .
that followed four straight months in which the number of increases trailed the year-earlier pace .
in <ERROR>neny</ERROR> case , opinion is <ERROR>mixt</ERROR> on how much <ERROR>off</ERROR> a boost the overall stock market would get even if dividend growth continues at double-digit <ERROR>levals</ERROR> .
<ERROR>by</ERROR> mr. boesel of t. rowe <ERROR>prise</ERROR> , <ERROR>onelhelh</ERROR> also expects <num> % growth in dividends next year , does n't think <num> it will <ERROR>halp</ERROR> the overall market all that much .
with slower economic growth and flat corporate earnings likely next year , <ERROR>iy</ERROR> would n't look <ERROR>fror</ERROR> the market <ERROR>of</ERROR> have <ERROR>mush</ERROR> upside from <ERROR>curent</ERROR> levels .
such is hardly the case .
<ERROR>ths</ERROR> is where <ERROR>ball</ERROR> 's patents went .
it acquired thomas edison 's microphone patent and <ERROR>than</ERROR> immediately sued the <ERROR>ball</ERROR> co. claiming that the microphone invented by my <ERROR>grandfarther</ERROR> , emile berliner , <ERROR>weich</ERROR> had been sold to bell for a princely $ , infringed upon western union 's edison patent .
oliver berliner beverly hills , calif .
the ailing company , which has reported net losses for <num> consecutive quarters , said <num> it wo n't <ERROR>manafacture</ERROR> network computer systems any <ERROR>mooe</ERROR> and <ERROR>with</ERROR> greatly reduce <ERROR>it</ERROR> costly direct sales force .
<ERROR>tu</ERROR> company 's <ERROR>werk</ERROR> force will <ERROR>fal</ERROR> to about <num> people .
<ERROR>furhter</ERROR> , he said <num> , the company <ERROR>dose</ERROR> n't have the capital needed to <ERROR>biuld</ERROR> the <ERROR>busness</ERROR> over <ERROR>a</ERROR> next year or two .
<ERROR>when</ERROR> had to do something structurally and <ERROR>radiaclly</ERROR> different .
<ERROR>tie</ERROR> company currently offers a word-processing package for personal computers called legend .
in <ERROR>knew</ERROR> york <ERROR>stark</ERROR> exchange composite trading yesterday , nbi common closed at <num> cents a <ERROR>shair</ERROR> , up <num> cents .
but the former u.s. president 's <ERROR>six</ERROR> visit to china , during which he spoke at length with chinese leaders , was nowhere <ERROR>ner</ERROR> as successful at easing strains that <ERROR>haf</ERROR> recently afflicted the sino-u.s. relationship .
the chinese , <ERROR>it</ERROR> turn , <ERROR>toke</ERROR> aim at american interference in china 's domestic affairs .
the <ERROR>papr</ERROR> accused <ERROR>he</ERROR> of being <ERROR>as</ERROR> leading proponent of peaceful evolution , a <ERROR>can</ERROR> phrase <num> <ERROR>tow</ERROR> describe <ERROR>want</ERROR> china believes <num> is <ERROR>i</ERROR> policy of western countries <ERROR>the</ERROR> seduce socialist nations into the capitalist sphere .
instead , mr. nixon reminded his host , chinese president yang shangkun , that americans have n't forgiven china 's leaders for the military assault of june that killed hundreds , and perhaps thousands , of demonstrators .
the events <ERROR>afoh</ERROR> april through june damaged the respect and confidence which <ERROR>moast</ERROR> americans previously had for the leaders of china .
in talks <ERROR>wif</ERROR> mr. nixon , chinese leaders expressed no regret for <ERROR>thee</ERROR> killings , and <ERROR>oven</ERROR> suggested that <ERROR>tu</ERROR> u.s. was prominently involved in the demonstrations <ERROR>ths</ERROR> spring .
china <ERROR>wase</ERROR> the real victim and it is unjust to reprove china for it .
in his return toast <ERROR>tow</ERROR> mr. nixon , mr. yang <ERROR>seiad</ERROR> <num> the relationship had reached a stalemate .
shortly afterwards , mr. bush imposed a series of anti-china sanctions , including suspension <ERROR>ove</ERROR> most high-level talks , <ERROR>with</ERROR> could be codified in u.s. congressional legislation <ERROR>im</ERROR> the <ERROR>comeing</ERROR> weeks .
mr. nixon met mr. bush and <ERROR>its</ERROR> national <ERROR>secruitey</ERROR> adviser , brent scowcroft , before coming to china <ERROR>onn</ERROR> saturday .
mr. nixon was <ERROR>of</ERROR> leave china today .
these included china 's economic policies , human rights and the question <ERROR>onet</ERROR> mr. fang .
china pulled out of <ERROR>thee</ERROR> program in <ERROR>jaly</ERROR> .
ideas <ERROR>rae</ERROR> going over borders , and there 's <ERROR>know</ERROR> sdi ideological weapon that <ERROR>came</ERROR> shoot them down , <ERROR>him</ERROR> told a group <ERROR>cift</ERROR> americans at the u.s. embassy <ERROR>in</ERROR> wednesday .
but in one minor <ERROR>mater</ERROR> , mr. nixon appears to <ERROR>hove</ERROR> gained a concession .
sure enough , when he <ERROR>arived</ERROR> at <ERROR>i</ERROR> embassy two <ERROR>das</ERROR> later , the machine-gun-toting guards were gone for <ERROR>these</ERROR> first time in five months .
but the <ERROR>geurds</ERROR> there retained their pistols , <ERROR>anf</ERROR> a <ERROR>lagre</ERROR> contingent of plainclothes police remained nearby in unmarked cars .
several times , chinese guards have pointed <ERROR>ther</ERROR> automatic rifles <ERROR>an</ERROR> young children of u.s. diplomats and clicked the trigger .
your oct. <num> article japan 's financial firms lure science graduates states , industrial <ERROR>companys</ERROR> are accusing financial institutions of jeopardizing japan 's economy by raising <ERROR>thee</ERROR> salary stakes <ERROR>frou</ERROR> new employees .
<ERROR>thah</ERROR> are barking up the wrong tree , because it is basically their <ERROR>falt</ERROR> <num> they ca n't attract new <ERROR>emplaryes</ERROR> .
he <ERROR>it</ERROR> just <ERROR>pasing</ERROR> the buck to young people .
money is not everything , but it is necessary , and <ERROR>bussiness</ERROR> is not volunteer work .
unfortunately , japanese manufacturers have <ERROR>neather</ERROR> good working conditions nor <ERROR>gowed</ERROR> compensation packages .
i visited <ERROR>are</ERROR> lot of major japanese manufacturers , but i never felt <num> i would want to be employed by <ERROR>ane</ERROR> of them .
<ERROR>is</ERROR> the japanese companies are seriously considering <ERROR>they</ERROR> survival , they could <ERROR>dowe</ERROR> at least <ERROR>thee</ERROR> things to improve <ERROR>th</ERROR> situation : raise <ERROR>salarys</ERROR> higher than those of financial institutions ; improve working <ERROR>condse</ERROR> -lrb- better offices and more vacations , for example -rrb- ; accept <ERROR>so</ERROR> hire more labor from outside japan .
in reference to <ERROR>yere</ERROR> oct. <num> page-one article barbara bush earns even higher ratings than <ERROR>tehe</ERROR> president , it is regrettable that you <ERROR>mus</ERROR> continually define blacks by our negatives : among liberals , <num> % have positive views of her , <ERROR>wilh</ERROR> <num> % <ERROR>aprove</ERROR> of <ERROR>i</ERROR> president 's job performance .
among professionals , <num> % have <ERROR>and</ERROR> favorable opinion of <ERROR>he</ERROR> , compared <ERROR>th</ERROR> <num> % <ERROR>woth</ERROR> approve of her husband 's performance .
<ERROR>tu</ERROR> statistics imply that three-quarters <ERROR>op</ERROR> blacks approve of mr. <ERROR>buch</ERROR> 's job performance and <num> % of blacks approve <ERROR>off</ERROR> mrs. <ERROR>buch</ERROR> .
such <ERROR>on</ERROR> editorial point of view perpetuates an insidious , stereotyped perspective .
preston g. foster birmingham , ala .
<ERROR>tow</ERROR> firms <ERROR>wer</ERROR> expelled from the nasd , three <ERROR>wont</ERROR> suspended or barred and nine were fined .
<ERROR>allso</ERROR> , mr. vargas was barred from association with any nasd member .
a telephone-information operator <ERROR>have</ERROR> no listing for either party .
<ERROR>allso</ERROR> , mr. otero was barred <ERROR>fome</ERROR> association with any nasd member .
mr. otero , who apparently has <ERROR>a</ERROR> unpublished <ERROR>numbeer</ERROR> , also could n't <ERROR>pe</ERROR> reached .
biscayne has n't <ERROR>eamy</ERROR> telephone listing , an operator said <num> .
triton securities , of danville , calif. , <ERROR>so</ERROR> a principal of <ERROR>hte</ERROR> firm , delwin george chase , also <ERROR>off</ERROR> danville , were jointly fined $ <ERROR>aand</ERROR> given 30-day suspensions as part of a settlement .
officials <ERROR>ofr</ERROR> triton could n't be reached for comment .
crane & co. securities inc. , of mount clemens , mich. , and its <ERROR>presedent</ERROR> , glenn r. crane , <ERROR>ove</ERROR> sterling heights , mich. , consented <ERROR>the</ERROR> a joint fine of $ .
mr. crane did n't return a <ERROR>coll</ERROR> seeking comment .
<ERROR>aso</ERROR> , mr. canepa received a two-week suspension <ERROR>is</ERROR> a principal capacity .
mr. canepa confirmed <num> he had consented to the sanctions but declined to comment <ERROR>farther</ERROR> .
without admitting or <ERROR>denyin</ERROR> wrongdoing , they consented to findings that <ERROR>the</ERROR> failed to return funds owed <ERROR>tow</ERROR> customers in connection <ERROR>wiht</ERROR> a limited-partnership offering .
he described the situation as an escrow problem , a timing issue , which <ERROR>him</ERROR> said <num> was rapidly rectified , with no <ERROR>lesses</ERROR> to <ERROR>costomer</ERROR> .
the <ERROR>ferm</ERROR> and mr. whelen allegedly sold securities to the public at unfair prices , <ERROR>amoung</ERROR> other alleged violations .
the <ERROR>fern</ERROR> and the nasd differ <ERROR>ower</ERROR> the meaning of markup and markdown , he added <num> .
without admitting or <ERROR>denyin</ERROR> wrongdoing , the firm consented to findings that it <ERROR>faild</ERROR> to respond in <ERROR>the</ERROR> timely manner to the nasd 's requests for information in connection with a customer complaint .
the following individuals were fined as indicated and barred from association with nasd members , or , <ERROR>hwere</ERROR> noted , suspended .
andrew derel adams , killeen , texas , fined $ ; john francis angier jr. , reddington shores , fla. , $ ; mark anthony , arlington heights , ill. , $ and 30-day suspension ; william stirlen , arlington heights , ill. , $ and 30-day suspension ; fred w. bonnell , boulder , colo. , $ and six-month suspension ; michael j. boorse , horsham , pa. ; david chiodo , dallas , $ , barred as a principal ; camille chafic cotran , london , $ ; john william curry , fined $ , ordered to disgorge $ , one-year suspension .
mr. felten said , we got what amounted to a parking ticket , <ERROR>than</ERROR> by <ERROR>complanig</ERROR> about it , <ERROR>were</ERROR> ended up with a sizable fine and suspension .
victor stanley fishman , longwood , fla. , fined $ ; william harold floyd , houston , $ ; michael anthony houston , bronx , n.y. , $ ; amin jalaalwalikraam , glenham , n.y. , $ ; richard f. knapp , london , $ and 30-day suspension ; deborah renee martin , st. louis , $ ; joseph francis muscolina jr. , palisades park , n.j. , $ ; robert c. najarian , brooklyn park , minn. , $ ; edward robert norwick , nesconset , n.y. , $ .
<ERROR>tie</ERROR> following were neither barred <ERROR>nore</ERROR> suspended : stephanie veselich enright , rolling hills , calif. , fined $ and ordered to disgorge $ ; stuart lane russel , glendale , calif. , fined $ and ordered to disgorge $ ; devon nilson dahl , fountain <ERROR>vallie</ERROR> , calif. , fined $ .
<ERROR>insurence</ERROR> agents have been forced by their <ERROR>companys</ERROR> into becoming registered reps , he said , <ERROR>byt</ERROR> they are not providing compliance <ERROR>than</ERROR> security-type <ERROR>trying</ERROR> so that we can avoid <ERROR>stupied</ERROR> mistakes .
i was n't ever actively engaged in any securities activities , said mr. cutrer .
it <ERROR>wan</ERROR> just a stupid <ERROR>misstake</ERROR> to get the license , he said <num> , adding , i 'd just as soon not <ERROR>git</ERROR> into details <ERROR>ov</ERROR> the <ERROR>settelment</ERROR> .
but in london and tokyo , where computer-driven trading now plays a small but growing role , traders say <num> a number of hurdles loom .
japan is very concerned about the possible effects <ERROR>afoh</ERROR> program trading , a senior japanese official said <num> after the oct. <num> stock plunge in new york .
and because of the <ERROR>tiem</ERROR> difference , the japanese and the u.s. markets ' trading <ERROR>houres</ERROR> do n't overlap .
about % of <ERROR>a</ERROR> program trading by new york stock <ERROR>excange</ERROR> firms <ERROR>it</ERROR> september <ERROR>tok</ERROR> place in foreign markets , according to <ERROR>dig</ERROR> board <ERROR>datter</ERROR> .
japan 's finance ministry already is scrutinizing institutional investors ' activity to <ERROR>se</ERROR> whether <ERROR>pilicy</ERROR> changes are needed to cope with <ERROR>tie</ERROR> current level <ERROR>with</ERROR> program trading , said <num> makato utsumi , vice minister for international finance .
but regulators are wary .
japan 's finance ministry <ERROR>hut</ERROR> set up mechanisms <num> to limit <ERROR>hou</ERROR> far futures prices could <ERROR>fal</ERROR> in a single session and to give market operators the <ERROR>athority</ERROR> to suspend trading in futures at <ERROR>enny</ERROR> time .
japan 's regulators have since tightened controls on index-related <ERROR>stark</ERROR> purchases .
<ERROR>same</ERROR> u.s. firms , notably salomon inc. and morgan stanley group inc. , <ERROR>hove</ERROR> reaped a hefty chunk of their japanese earnings from index arbitrage , both for <ERROR>custormester</ERROR> and <ERROR>of</ERROR> their own accounts .
both deryck c. maughan , <ERROR>whoy</ERROR> heads salomon in tokyo , and john s. wadsworth , <ERROR>woh</ERROR> heads morgan stanley there , ascribe a good <ERROR>pard</ERROR> of their firms ' <ERROR>succes</ERROR> in tokyo to their ability to offer sophisticated , futures-related investment strategies <ERROR>two</ERROR> big institutional clients .
it has not been disruptive in the markets here , mr. maughan said .
the british also <ERROR>arte</ERROR> scrutinizing program trades .
we do n't <ERROR>thingk</ERROR> <num> there is cause for <ERROR>consern</ERROR> at <ERROR>th</ERROR> moment .
market professionals said <num> london has several attractions .
second , it can be used to unwind positions before u.s. trading begins , but at prices pegged to the previous session 's big board close .
still , much less -lcb- index-arbitrage activity -rcb- is done over here than in the u.s. <ERROR>sead</ERROR> <num> richard barfield , chief investment manager at standard <ERROR>lif</ERROR> assurance co. , which manages <ERROR>aboat</ERROR> # <num> billion -lrb- $ billion -rrb- <ERROR>with</ERROR> united kingdom institutional funds .
a financial times-stock <ERROR>excange</ERROR> 100-share index option contract <ERROR>as</ERROR> traded on the london stock exchange 's traded options market .
both contracts have gained a following <ERROR>scince</ERROR> the <num> global market crash .
<ERROR>thhis</ERROR> year , the <ERROR>avarage</ERROR> of daily contracts traded totaled , up from a year earlier and from <num> in <num> .
this compares with estimates that <ERROR>tu</ERROR> u.s. derivatives market is perhaps four <ERROR>time</ERROR> as large as the underlying domestic market .
the vote came after <ERROR>the</ERROR> debate replete with complaints <ERROR>frrom</ERROR> both proponents and critics of a substantial <ERROR>incress</ERROR> in the wage floor .
but <ERROR>thi</ERROR> legislation reflected a compromise agreed <ERROR>the</ERROR> on <ERROR>tusday</ERROR> by president bush and democratic leaders in congress , <ERROR>afert</ERROR> congressional republicans urged the white house to <ERROR>band</ERROR> a <ERROR>bite</ERROR> from <ERROR>it</ERROR> previous resistance to compromise .
<ERROR>andr</ERROR> the <ERROR>mesure</ERROR> passed yesterday , <ERROR>that</ERROR> minimum wage would rise to $ next april .
there <ERROR>rau</ERROR> no smiles <ERROR>abelt</ERROR> this bill , rep. pat williams -lrb- d. , mont . -rrb- <ERROR>sid</ERROR> during <ERROR>hosen</ERROR> floor debate yesterday .
<ERROR>wile</ERROR> the <ERROR>minumend</ERROR> wage <ERROR>av</ERROR> traditionally been pegged at <ERROR>hailf</ERROR> the average u.s. manufacturing wage , the <ERROR>levall</ERROR> of $ an hour in <num> will still <ERROR>pe</ERROR> less <ERROR>that</ERROR> <num> % of average <ERROR>factr</ERROR> pay , mr. williams said <num> .
adopting a training-wage policy means getting beyond the nickel <ERROR>aand</ERROR> diming of the <ERROR>minium</ERROR> wage , mrs. roukema said <num> .
labor unions and democrats long <ERROR>fort</ERROR> the idea , but recently acceded to it in the face of bush administration insistence .
employers can pay the subminimum for <num> <ERROR>das</ERROR> , without restriction , to <ERROR>work</ERROR> with <ERROR>lase</ERROR> than <ERROR>sex</ERROR> months <ERROR>oaf</ERROR> job experience , <ERROR>than</ERROR> for another <num> days <ERROR>is</ERROR> the company uses <ERROR>are</ERROR> government-certified training program for the young workers .
<ERROR>an</ERROR> white <ERROR>hous</ERROR> previously insisted on <ERROR>a</ERROR> unrestricted six-month training wage that <ERROR>cood</ERROR> be paid any time <num> <ERROR>as</ERROR> worker of any age <ERROR>tok</ERROR> a new job .
zenith <ERROR>dat</ERROR> systems corp. , a subsidiary of <ERROR>zeenith</ERROR> electronics corp. , <ERROR>recivd</ERROR> a $ <num> <ERROR>millon</ERROR> navy contract for <ERROR>sofware</ERROR> and services of microcomputers over <ERROR>a</ERROR> 84-month <ERROR>perend</ERROR> .
martin marietta corp. was given a $ million air force contract for low-altitude navigation and targeting <ERROR>equipmant</ERROR> .
for six years , t. marshall hahn jr. has made corporate acquisitions in the george bush mode : <ERROR>kindly</ERROR> and gentle .
mr. hahn , the 62-year-old chairman <ERROR>so</ERROR> chief <ERROR>exectutive</ERROR> officer of georgia-pacific corp. <ERROR>it</ERROR> leading the forest-product concern 's unsolicited $ billion <ERROR>bed</ERROR> for great northern nekoosa corp .
<ERROR>sor</ERROR> far , mr. hahn is trying <ERROR>ro</ERROR> entice nekoosa <ERROR>in</ERROR> negotiating a <ERROR>friendy</ERROR> surrender while <ERROR>talkig</ERROR> tough .
but <ERROR>i</ERROR> takeover <ERROR>batle</ERROR> opens up the possibility of a bidding war , with <ERROR>at</ERROR> <num> that implies .
given that choice , associates of mr. hahn and industry observers say <num> the former university <ERROR>presedent</ERROR> who has developed a <ERROR>reprotation</ERROR> for not overpaying <ERROR>fre</ERROR> anything would fold .
says long-time associate jerry griffin , vice president , <ERROR>corparate</ERROR> development , at wtd industries inc. : <ERROR>here</ERROR> is n't of <ERROR>hte</ERROR> old <ERROR>schooll</ERROR> of winning <ERROR>att</ERROR> any cost .
<ERROR>a</ERROR> decision <ERROR>tow</ERROR> make <ERROR>an</ERROR> bid <ERROR>fror</ERROR> nekoosa , for example , was made only after all <ERROR>sex</ERROR> members of georgia-pacific 's management committee signed onto the deal even <ERROR>tho</ERROR> mr. hahn <ERROR>new</ERROR> <num> he wanted to go <ERROR>aftere</ERROR> the company early on , says <num> mr. correll .
assuming that <ERROR>past</ERROR> at the age of <num> , he managed <ERROR>bery</ERROR> consensus , as is the rule in universities , says <num> warren h. strother , a university official who is researching <ERROR>and</ERROR> book on mr. hahn .
<ERROR>with</ERROR> <num> , mr. hahn <ERROR>calld</ERROR> in state police <ERROR>two</ERROR> arrest student protesters who were occupying <ERROR>an</ERROR> university building .
in <num> , mr. pamplin enticed mr. hahn into joining the company as executive vice president <ERROR>if</ERROR> charge <ERROR>ov</ERROR> chemicals ; the move befuddled many <ERROR>i</ERROR> georgia-pacific who did n't <ERROR>belive</ERROR> <num> a university administrator <ERROR>coud</ERROR> make the transition to <ERROR>tehe</ERROR> corporate world .
the son <ERROR>or</ERROR> a physicist , mr. hahn skipped first grade <ERROR>bcouse</ERROR> his reading ability was <ERROR>slow</ERROR> far <ERROR>abou</ERROR> his classmates .
he earned his doctorate in nuclear physics from <ERROR>they</ERROR> massachusetts institute of technology .
they call it photographic .
taking over as chief <ERROR>exectutive</ERROR> officer in <num> , <ERROR>him</ERROR> inherited a company <ERROR>haen</ERROR> was mired in debt <ERROR>so</ERROR> hurt by a recession-inspired slide in its building-products business .
he even sold one unit <ERROR>tat</ERROR> made vinyl checkbook covers .
the idea was to buffet building <ERROR>produts</ERROR> from cycles in new-home construction .
georgia-pacific 's sales climbed <ERROR>two</ERROR> $ billion last year , compared with $ <num> billion in <num> , <ERROR>wane</ERROR> mr. hahn took the reins .
mr. hahn attributes the gains to the philosophy of concentrating on what <ERROR>are</ERROR> company knows best .
nekoosa would n't be a diversification .
the resulting company would be the largest forest-products concern in <ERROR>t</ERROR> world with combined sales of <ERROR>mor</ERROR> than $ <num> billion .
in this <ERROR>instants</ERROR> , <ERROR>inslye</ERROR> observers say <num> , he is entering uncharted waters .
a house-senate conference approved major portions <ERROR>af</ERROR> a <ERROR>pakage</ERROR> for <ERROR>mor</ERROR> than $ <num> million <ERROR>it</ERROR> economic aid for poland that relies heavily on $ <num> million in credit and loan guarantees in fiscal <num> in hopes of stimulating future trade and investment .
the conference approved at least $ <num> million <ERROR>with</ERROR> direct cash and development assistance as well , <ERROR>an</ERROR> though <ERROR>know</ERROR> decision was <ERROR>mame</ERROR> , both sides are committed <ERROR>th</ERROR> adding more than $ <num> million in <ERROR>ecomonic</ERROR> support funds and environmental initiatives sought by the bush <ERROR>addministration</ERROR> .
<ERROR>thees</ERROR> fiscal pressures are also a <ERROR>facter</ERROR> in shaping the poland package , and while <ERROR>mooe</ERROR> ambitious authorizing legislation is still pending , the appropriations bill in conference <ERROR>wull</ERROR> be more decisive on u.s. aid to eastern europe .
<ERROR>so</ERROR> though <ERROR>t</ERROR> size of the loan guarantees approved yesterday is significant , recent experience with a similar program in central america indicates that it could take several years before the new polish <ERROR>grovment</ERROR> can fully use the <ERROR>ade</ERROR> effectively .
the house and senate <ERROR>re</ERROR> divided over whether the united nations population fund will receive any portion of <ERROR>this</ERROR> appropriations , but the size of <ERROR>t</ERROR> increase is itself significant .
<ERROR>my</ERROR> sweeping <ERROR>m</ERROR> of the <ERROR>bell</ERROR> draws a variety of special interest amendments , running from an import exemption for <ERROR>are</ERROR> california airplane museum to a <ERROR>smal</ERROR> but intriguing struggle among sugar <ERROR>prodi</ERROR> nations over the fate of panama 's quota of exports to the profitable u.s. market .
<ERROR>abought</ERROR> a quarter <ERROR>ov</ERROR> this share has already been reallocated , according to <ERROR>hte</ERROR> industry , but <ERROR>tie</ERROR> remaining tons are still a lucrative target for growers because the current u.s. price of <num> cents <ERROR>and</ERROR> pound runs as <ERROR>must</ERROR> as a nickel a pound above the world rate .
rep. jerry lewis , a conservative californian , added a provision of his own intended <ERROR>ro</ERROR> assist bolivia , and <ERROR>thee</ERROR> senate then broadened the <ERROR>lits</ERROR> further <ERROR>bery</ERROR> including all countries in the u.s. caribbean basin initiate <ERROR>was</ERROR> well as the philippines - backed <ERROR>bery</ERROR> the powerful hawaii democrat sen. daniel inouye .
in separate floor action , the house waived budget restrictions and <ERROR>gav</ERROR> quick <ERROR>aproveal</ERROR> to $ billion in supplemental appropriations <ERROR>far</ERROR> law enforcement and anti-drug programs in fiscal <num> .
the leadership hopes to move the compromise measure <ERROR>promtly</ERROR> to the <ERROR>wite</ERROR> house , but <ERROR>it</ERROR> recent days , the <ERROR>senete</ERROR> has been as likely <ERROR>two</ERROR> bounce bills back to <ERROR>to</ERROR> house .
and after losing <ERROR>the</ERROR> battle <ERROR>tusday</ERROR> night with the senate foreign relations committee , appropriators from both houses are expected to <ERROR>de</ERROR> forced <ERROR>bac</ERROR> to conference .
<ERROR>evreone</ERROR> agrees <ERROR>the</ERROR> most of the nation 's old bridges need to be repaired or replaced .
highway officials insist <num> the ornamental railings on older bridges are n't strong enough to prevent vehicles <ERROR>fere</ERROR> crashing <ERROR>rowit</ERROR> .
the <ERROR>primty</ERROR> purpose of a railing <ERROR>as</ERROR> to <ERROR>contane</ERROR> a vehicle and <ERROR>on</ERROR> to provide a scenic view , says jack white , a planner with the indiana highway <ERROR>deportment</ERROR> .
<ERROR>with</ERROR> richmond , ind. , the type f railing <ERROR>in</ERROR> being used <ERROR>th</ERROR> replace arched openings on <ERROR>t</ERROR> g street <ERROR>bryyre</ERROR> .
<ERROR>if</ERROR> hartford , conn. , the charter <ERROR>oke</ERROR> bridge will soon be replaced , the cast-iron medallions from its railings relegated to <ERROR>are</ERROR> park .
citizens in peninsula , ohio , upset <ERROR>aver</ERROR> changes <ERROR>ro</ERROR> a bridge , negotiated a <ERROR>deel</ERROR> : <ERROR>they</ERROR> bottom <ERROR>hav</ERROR> of the railing will be type f , while the <ERROR>tap</ERROR> half will have the old bridge 's floral pattern .
tray bon ?
porting potables just <ERROR>goot</ERROR> easier , or so claims scypher corp. , the maker <ERROR>gf</ERROR> the cup-tote .