identifier
stringlengths 6
14.8k
| collection
stringclasses 50
values | open_type
stringclasses 7
values | license
stringlengths 0
1.18k
| date
float64 0
2.02k
⌀ | title
stringlengths 0
1.85k
⌀ | creator
stringlengths 0
7.27k
⌀ | language
stringclasses 471
values | language_type
stringclasses 4
values | word_count
int64 0
1.98M
| token_count
int64 1
3.46M
| text
stringlengths 0
12.9M
| __index_level_0__
int64 0
51.1k
|
---|---|---|---|---|---|---|---|---|---|---|---|---|
https://github.com/moezubair/crypto-trading/blob/master/src/main/java/io/github/t73liu/exchange/poloniex/rest/PoloniexService.java | Github Open Source | Open Source | MIT | 2,017 | crypto-trading | moezubair | Java | Code | 1,214 | 4,662 | package io.github.t73liu.exchange.poloniex.rest;
import eu.verdelhan.ta4j.BaseTick;
import eu.verdelhan.ta4j.Tick;
import io.github.t73liu.exchange.ExchangeService;
import io.github.t73liu.model.CandlestickIntervals;
import io.github.t73liu.model.poloniex.PoloniexCandle;
import io.github.t73liu.model.poloniex.PoloniexPair;
import io.github.t73liu.util.DateUtil;
import it.unimi.dsi.fastutil.objects.ObjectArrayList;
import org.apache.commons.codec.binary.Hex;
import org.apache.http.NameValuePair;
import org.apache.http.client.entity.UrlEncodedFormEntity;
import org.apache.http.client.methods.CloseableHttpResponse;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.client.utils.URIBuilder;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.message.BasicNameValuePair;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.stereotype.Service;
import javax.crypto.Mac;
import javax.crypto.spec.SecretKeySpec;
import javax.validation.constraints.NotNull;
import java.math.BigDecimal;
import java.time.LocalDateTime;
import java.util.Arrays;
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
import static io.github.t73liu.model.poloniex.PoloniexPair.*;
import static io.github.t73liu.util.MapperUtil.JSON_READER;
import static java.nio.charset.StandardCharsets.UTF_8;
@Service
@ConfigurationProperties(prefix = "poloniex")
public class PoloniexService extends ExchangeService {
private static final Logger LOGGER = LoggerFactory.getLogger(PoloniexService.class);
// TODO set fees from getFees method
public static final double TAKER_FEE = 0.0025;
public static final double MAKER_FEE = 0.0015;
// PUBLIC API
public Map<String, Map<String, String>> getTickers() throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(1);
queryParams.add(new BasicNameValuePair("command", "returnTicker"));
HttpGet get = generateGet(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(get)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
get.releaseConnection();
}
}
public Map getTickerValue(PoloniexPair pair) throws Exception {
return getTickers().get(pair.getPairName());
}
public Map getOrderBook(PoloniexPair pair) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "returnOrderBook"));
queryParams.add(new BasicNameValuePair("depth", "10"));
// Set currencyPair to all to see 95 pairs
queryParams.add(new BasicNameValuePair("currencyPair", pair.getPairName()));
HttpGet get = generateGet(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(get)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
get.releaseConnection();
}
}
public static Tick mapExchangeCandleToTick(PoloniexCandle candle) {
return new BaseTick(DateUtil.unixTimeStampToZonedDateTime(candle.getDate()), candle.getOpen(), candle.getHigh(), candle.getLow(), candle.getClose(), candle.getVolume());
}
public List<Tick> getCandlestick(PoloniexPair pair, LocalDateTime startDateTime, LocalDateTime endDateTime, CandlestickIntervals period) throws Exception {
return Arrays.stream(getExchangeCandle(pair, startDateTime, endDateTime, period))
.map(PoloniexService::mapExchangeCandleToTick)
.collect(Collectors.toList());
}
public PoloniexCandle[] getExchangeCandle(PoloniexPair pair, LocalDateTime startDateTime, LocalDateTime endDateTime, CandlestickIntervals period) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "returnChartData"));
// Candlestick period in seconds 300,900,1800,7200,14400,86400
queryParams.add(new BasicNameValuePair("period", String.valueOf(period.getInterval())));
queryParams.add(new BasicNameValuePair("currencyPair", pair.getPairName()));
// UNIX timestamp format of specified time range (i.e. last hour)
queryParams.add(new BasicNameValuePair("start", String.valueOf(DateUtil.localDateTimeToUnixTimestamp(startDateTime))));
queryParams.add(new BasicNameValuePair("end", String.valueOf(DateUtil.localDateTimeToUnixTimestamp(endDateTime))));
HttpGet get = generateGet(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(get)) {
return JSON_READER.forType(PoloniexCandle[].class).readValue(response.getEntity().getContent());
} finally {
get.releaseConnection();
}
}
public Map getCurrencies() throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(1);
queryParams.add(new BasicNameValuePair("command", "returnCurrencies"));
HttpGet get = generateGet(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(get)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
get.releaseConnection();
}
}
public Map getLoanOrders(String currency) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(2);
queryParams.add(new BasicNameValuePair("command", "returnLoanOrders"));
queryParams.add(new BasicNameValuePair("currency", currency));
HttpGet get = generateGet(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(get)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
get.releaseConnection();
}
}
// TODO implement actual arbitrage checker
public boolean checkArbitrage() throws Exception {
// Need to check volume of lowest ask and volume of coins in question, low liquidity safer?
Map<String, Map<String, String>> tickers = getTickers();
Double btc = Double.valueOf(tickers.get(USDT_BTC.getPairName()).get("lowestAsk"));
Double eth = Double.valueOf(tickers.get(USDT_ZEC.getPairName()).get("lowestAsk"));
Double eth2btc = Double.valueOf(tickers.get(BTC_ZEC.getPairName()).get("lowestAsk"));
double revenue = Math.abs((eth2btc / (eth / btc)) - 1);
double cost = TAKER_FEE * 3;
LOGGER.info("exchange: {}, actual: {}, revenue: {}, cost:{}", eth / btc, eth2btc, revenue, cost);
return revenue > cost;
}
// PRIVATE API - NOTE: LIMIT SIX CALLS PER SECOND
public Map getCompleteBalances() throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(2);
queryParams.add(new BasicNameValuePair("command", "returnCompleteBalances"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
// Setting account type to all will include margin and lending accounts
// queryParams.add(new BasicNameValuePair("account", "all"));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
public Map getDepositAddresses() throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(2);
queryParams.add(new BasicNameValuePair("command", "returnDepositAddresses"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
public Map getOpenOrders(PoloniexPair pair) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "returnOpenOrders"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(pair == null ? new BasicNameValuePair("currencyPair", "all") : new BasicNameValuePair("currencyPair", pair.getPairName()));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
public Map getTradeHistory(PoloniexPair pair, LocalDateTime startDateTime, LocalDateTime endDateTime) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(5);
queryParams.add(new BasicNameValuePair("command", "returnTradeHistory"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(pair == null ? new BasicNameValuePair("currencyPair", "all") : new BasicNameValuePair("currencyPair", pair.getPairName()));
queryParams.add(new BasicNameValuePair("start", String.valueOf(DateUtil.localDateTimeToUnixTimestamp(startDateTime))));
queryParams.add(new BasicNameValuePair("end", String.valueOf(DateUtil.localDateTimeToUnixTimestamp(endDateTime))));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
public Map placeOrder(@NotNull PoloniexPair pair, BigDecimal rate, BigDecimal amount, String orderType, String fulfillmentType) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(6);
queryParams.add(new BasicNameValuePair("command", "buy".equalsIgnoreCase(orderType) ? "buy" : "sell"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(new BasicNameValuePair("currencyPair", pair.getPairName()));
queryParams.add(new BasicNameValuePair("rate", String.valueOf(rate)));
queryParams.add(new BasicNameValuePair("amount", String.valueOf(amount)));
if ("fillOrKill".equalsIgnoreCase(fulfillmentType)) {
// order will either fill in its entirety or be completely aborted
queryParams.add(new BasicNameValuePair("fillOrKill", "1"));
} else if ("immediateOrCancel".equalsIgnoreCase(fulfillmentType)) {
// order can be partially or completely filled, but any portion of the order that cannot be filled immediately will be canceled rather than left on the order book
queryParams.add(new BasicNameValuePair("immediateOrCancel", "1"));
} else {
// order will only be placed if no portion of it fills immediately; this guarantees you will never pay the taker fee on any part of the order that fills
queryParams.add(new BasicNameValuePair("postOnly", "1"));
}
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
private Map cancelOrder(String orderNumber) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "cancelOrder"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(new BasicNameValuePair("orderNumber", orderNumber));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
private Map moveOrder(String orderNumber, double rate, Double amount, String fulfillmentType) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "moveOrder"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(new BasicNameValuePair("orderNumber", orderNumber));
queryParams.add(new BasicNameValuePair("rate", String.valueOf(rate)));
if (amount != null) {
queryParams.add(new BasicNameValuePair("amount", amount.toString()));
}
if ("immediateOrCancel".equalsIgnoreCase(fulfillmentType)) {
// order can be partially or completely filled, but any portion of the order that cannot be filled immediately will be canceled rather than left on the order book
queryParams.add(new BasicNameValuePair("immediateOrCancel", "1"));
} else {
// order will only be placed if no portion of it fills immediately; this guarantees you will never pay the taker fee on any part of the order that fills
queryParams.add(new BasicNameValuePair("postOnly", "1"));
}
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
private Map withdrawCurrency(String currency, double amount, String depositAddress) throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "withdraw"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
queryParams.add(new BasicNameValuePair("currency", currency));
queryParams.add(new BasicNameValuePair("amount", String.valueOf(amount)));
queryParams.add(new BasicNameValuePair("address", depositAddress));
// TODO verify purpose of paymentId
// queryParams.add(new BasicNameValuePair("paymentId", paymentId));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
private Map getFees() throws Exception {
List<NameValuePair> queryParams = new ObjectArrayList<>(3);
queryParams.add(new BasicNameValuePair("command", "returnFeeInfo"));
queryParams.add(new BasicNameValuePair("nonce", String.valueOf(System.currentTimeMillis())));
HttpPost post = generatePost(queryParams);
try (CloseableHttpClient httpClient = HttpClients.createDefault();
CloseableHttpResponse response = httpClient.execute(post)) {
return JSON_READER.readValue(response.getEntity().getContent());
} finally {
post.releaseConnection();
}
}
// HELPER
private HttpPost generatePost(List<NameValuePair> queryParams) throws Exception {
String queryParamStr = queryParams.stream()
.map(Object::toString)
.reduce((queryOne, queryTwo) -> queryOne + "&" + queryTwo)
.orElse("");
// Generating special headers
Mac shaMac = Mac.getInstance("HmacSHA512");
SecretKeySpec keySpec = new SecretKeySpec(getSecretKey().getBytes(UTF_8), "HmacSHA512");
shaMac.init(keySpec);
String sign = Hex.encodeHexString(shaMac.doFinal(queryParamStr.getBytes(UTF_8)));
HttpPost post = new HttpPost(getTradingUrl());
post.addHeader("Key", getApiKey());
post.addHeader("Sign", sign);
post.setEntity(new UrlEncodedFormEntity(queryParams));
return post;
}
private HttpGet generateGet(List<NameValuePair> queryParams) throws Exception {
return new HttpGet(new URIBuilder(getPublicUrl()).addParameters(queryParams).build());
}
private String getTradingUrl() {
return getBaseUrl() + "tradingApi";
}
private String getPublicUrl() {
return getBaseUrl() + "public";
}
}
| 27,281 |
sn83045830_1908-11-22_1_13_1 | US-PD-Newspapers | Open Culture | Public Domain | null | None | None | English | Spoken | 1,993 | 2,607 | SOME SHOE STYLES PLAIN LEATHER AND CLOTH BOTH BEING WORN. Women Have a Great Variety to Chouse From This Season?Dainty Pieces of Footgear Replace Mannish Styles. The plain leather shoe will continue to be in good style, but its successful rival is the cloth shoe with the curtain set. It is most becoming to the foot and is a return to the old style in a w o in e n insisted upon footwear that made their feet look dainty and small. Recently women have not cared whether their shoes were No. 4 or No. 6, as it was not fashionable to have them small. The few women who continued to wear French kid and high heels to show off their feet were looked upon as quaintly vain. But we are coming back to all these old fashioned vanities this season. False hair, cosmetics, very white hands, slim figures are all symbols of a revolution in the minds of women about what they consider pretty. The athletic type has made place for the French type, or what has always been known as the old-fashioned kind of woman. While she is still to be mannish in her short skirts, cut away coats, plaited shawls, link buttons and leather belts, she is going to be very womanish about the size of her hands and feet, her white skin and the curl of her hair. Hoot makers, seeing the signs of the times, have departed quite a bit from the broad-soled Heavy leather shoe and are showing all manner of dainty pieces of footgear to make a woman's foot look smaller than it is. Among these is the smart boot with soft patent leather vamp, slightly pointed, with heel pieces to match. Most of these curve in and vanish under the instep instead of going in a straight line from toe to heel. The latter always lengthens the size of a foot and the former shortens and curves it. NEW STYLE IN BARETTES. Satin Ribbon Used in Combination with Shell Bodkin. (Stores grow more and more elaborate as fashion settles upon.) Grecian style of coiffure. Fillets and Greek bordered Lands can now be purchased in the shops to match the color of the hair. The plain ones go more than hair way around the head and the ends of the narrow shell hand terminate in small knobs. Some of the more elaborate fillets have inlaid patterns and others are mounted in gold. A new barette, which promises to be popular with young women, has satin ribbon about two inches in width fastened to the ends of a very narrow and long barette, intended to hold up the hair at the back, and the ribbons, each one being a little more than a quarter of a yard long, are finished with a shell bodkin, which is used to run the ribbon through the low, soft pompadour and then serve as a hairpin. The bodkin hairpins can be tucked under the hair in front and thus be made to hold the barette and ribbon line. Buttons. There is no end to the use of buttons. All kinds of quaint and now I always are invented to appropriately trim a gown with this kind of ornament. It is possible that the newest and the best common is to use an immense round button from two to three inches in diameter made larger by two or three double ruffles at the edge. This button is made on a mold and is of satin or liberty velvet or of crocheted material. At the edge, turn these ruffles in varying widths. They are made of ribbon or of the material, double and cut on the bias. There is no embroidery in the center, as one sees on so many of the new buttons. These are principally used on top coats, especially those of fur. There are two at the bust, or better still, two at the waist. One Sash for Many Frocks! You will not be in it if you do not wear a sash this winter. They have hit the public in full force and are to be seen on street suits as well as on ball gowns. The economical girl cannot afford to own a sash to: every frock, so she chooses one in black or white satin that will do duty on several occasions. To get the best results with this, she makes it up on a boned foundation; otherwise, it will soon become stringy. It besides making the foundation a good fit with featherbone, it is well supplied with hooks and eyes. The outer part is then adjusted firmly, but so loosely as not to have a stiff, ready-laced look. Mechanical Laws. The same mechanical laws that govern the heavenly bodies as shown by Galileo, govern the action of the human body. Man's heart and, for aught anyone knows, every part of the body, even the mind itself. Descartes. IN CHOOSING FURS THEY MUST HARMONIZE WITH THE WEARER. No Accessory of the Costume More Important Than These? Disregard Dictates of Fashion if You Must. "Furs and the woman" might be a better title for this article on the wise selection of cold-defying accessories for women, because so few women choose fine, well-dressed, and good taste. The design of the garment must be the height and weight of the woman, the color must harmonize with her complexion, hair, and eyes, and the texture of the fur, the length of hair, must soften lines and angles, not emphasize physical defects. To begin with, no matter what Dame Fashion's dictates, hear in mind that your face is framed by the furs, and your figure as draped by them, are more important than any other as a fitting frame to the face, and fur garments that will give height and grace to the figure, not detract therefrom. Most the fall woman and the very small, girlish person can wear the very large furs with long hair, the boss that almost touch the ground, the muffs that make you think of revolutionary day portraits. The short, rich figure can also be set off by very small fur pieces, like fur cravats, tippets, etc. In the woman of medium height, must avoid the icing haired furs and the massive boa and muff effects, yet lack the petite air of her tiny sister who is at once demure and kittenish in big furs. The stunt woman must avoid all cape effects in long hair, but so becoming to her tall, slender girl friend. For her, there is nothing better than a neck piece of medium length, rather narrow with a group of small heads and saucy paws falling forward over her right shoulder, and the longer ends with tall and paw falling backward over her left shoulder. The lussy fur and large muffs and scarf pieces which enchants such a vogue last season seem to have had appeared and with them, in hope, the custom of fastening all the tiny knots or American beauty roses to muffs. One fancy set noted in an exclusive shop was a combination of fine fur and smoke-colored muffs about a certain size, a very short muff and stole, bill the plainer designs, especially in neck pieces and muffs seem to prevail. A feature of the season is the general use of heads, tails, and paws. Very few absolutely plain muffs or stoles are shown. Almost all are lined with quantities of the wee heads and paws, and very pretty they are, too. Short Circulars for Walking. Though the long skirt is had, has been for a year past the fashionable skirt, considered from the viewpoint of the woman who usually goes about in a carriage and also in the opinion of her sister who walks men, frequently than she rides, it is not a suitable skirt for shopping or long journeys. Moreover, the American winter is not one to which the practice of wearing a long skirt for walking purposes is well adapted, and while the majority of the fair sex intend to keep abreast of the clinging effects demanded by the fashions of the hour, the majority will be content to wear them in a mellowed form. Hence the short, circular skirt will undoubtedly be the popular walking skirt of the autumn and winter. No woman or tailor can truthfully predict at this moment what the spring will bring forth. Limit to Power of Will. In the moral world there is nothing impossible if we bring a thorough will to do it. Man can do everything with himself, but he must not attempt to do too much with one's own. How to Convince Her. When a girl makes up her mind that she is a male affinity, she may in well shorten the trouble by marrying him and convincing her that she isn't. It will be claimed so. We do not believe that the inventor of the aeroplane, 6,832, was once a Chicago News. Aesop's Fables. It appears to be the custom nowadays of certain and sundry self-proverbial literary folk to deride. Aesop's fables as childish. Let these small things be to produce some good. The difficulty of fable writing is proved by the few who have tried it. and the still fewer who have succeeded Where the Carrot Thrives. The carrot grows spontaneously throughout Europe, Asia Minor, Siberia, northern China, Abyssinia, northern Africa, Madeira and the Canary Islands. Cid and True Saying. Imitation is the sluest flattery. Cotton. Broadway Store 2905 and 2907 Washington Avenue. Newport News, Virginia. Preparations for the Feast Should include the Purchase of Some New? 1?== Table Linens From our large stock, which is very complete, and the patterns shown are of now design and very beautiful. The assortment of Table Linen and Napkins Will gladden the heart of the housekeeper who is planning a Strictly of dinners for the winter season. No many beautiful patterns are offered at this following low prices: 43c, 69c, 73c, and a remarkably nice one at 98c. A still better: $1.23 and $1.38, and something handsome at $1.48. A splendid line of Linen Napkins specially priced from 98c to $5.00 the dozen. Veilings. New Line of Veilings just received. All the Newest Effects and popular shades, for 25c and 48c per yard. Just a Line on Rustlings. We are showing a very complete line of it ching in the very Newest Effects, which are very stylish and becoming; prices from 10c to $1.00 per yard. A collar. Kid Gloves, 98c. A full line of Kid Gloves, all Black and the Popular Shades, at 98c. In Black only, at $1.48. Shoes. Another shipment of Shoes Just received, which includes our Stock very complete in ladies', Men's Misses' and Boys'. PRICES GUARANTEED THE LOWEST AGENTS FOR MAY MANTON PATTERNS Fashion Sheets Free. Catalogues 10c All Patterns 10 Cents Each! DON'T MERELY GO TO BATTLE? GO TO WAR! Tacitus, the Roman historian, writing off the Batavians, said: "Others go to battle; these people go to war!" With this persistent people, a battle was merely a part of the war, of the campaign, no matter whether it were won or lost. In modern business life the same idea prevails. With the merchant who is destined to win, advertising is a CAMPAIGN—not a mere "splurge." A big ad. is merely a PART of that campaign, not a thing upon which success or failure wholly rests. In war a great many big battles are apt to be fought, some of them costly, some disastrous, but all inevitable, as part of a winning campaign. In advertising a good many big ads. must be used. Some of them may seem too expensive, some almost a loss of money. But all are a part of any winning campaign in business—all are incidental to the success of the campaign. And when a business campaign succeeds—as every porsistont and wise one will—the COST will seem very small indeed! | 50,587 |
https://de.wikipedia.org/wiki/Ramses%20IX. | Wikipedia | Open Web | CC-By-SA | 2,023 | Ramses IX. | https://de.wikipedia.org/w/index.php?title=Ramses IX.&action=history | German | Spoken | 527 | 1,121 | Ramses IX. war der 8. altägyptische König (Pharao) der 20. Dynastie (Neues Reich) und regierte von 1128/1127 bis 1109 v. Chr.
Weitere Namen
Goldname: Reich an Jahren wie Anedjti, mit großem Königtum, der die Neun Bogen (die Feinde Ägyptens) bezwingt
Abstammung und Familie
Seine Abstammung ist umstritten. Edward F. Wente vermutet in Ramses IX. einen Sohn Ramses VI. und damit Bruder Ramses VII. K. A. Kitchener hielt ihn anfänglich für einen Sohn Ramses VIII. und nun für einen Sohn des Prinzen Montuherchepschef und damit Enkel Ramses III.
Aidan Dodson hält Tachat für seine Mutter und Bakenwerel für seine Gemahlin (bisher für Mutter und Gemahlin Amenmesses' gehalten). Beide sind in KV10 im Tal der Könige bestattet. Nebmaatre, Hohepriester in Heliopolis (Bautätigkeit), und Montuherchepschef (KV19 im Tal der Könige) gelten als Söhne Ramses IX. Sein Nachfolger ist Ramses X. Er ist – je nach Forschungsmeinung – sein Sohn oder Schwiegersohn, dessen Gemahlin Titi Tochter oder Schwiegertochter.
Herrschaft
Sicher belegt ist das 17., möglicherweise auch das 19. Regierungsjahr.
Aufgrund einer wirtschaftlichen Krise, Einfällen von Libyern und der Korruption der Beamten (an ihrer Spitze der Bürgermeister von Westtheben Pawera) kommt es zur Plünderung königlicher und privater Gräber durch organisierte Banden. Von der Arbeit der untersuchenden Kommission und den Grabräuberprozessen (Jahr 16/17) berichten mehrere berühmte Papyri wie beispielsweise der Papyrus Abbott. Die Schuldigen wurden gepfählt. Unter Ramses XI. kommt es aber zu weiteren Plünderungen.
Hohepriester in Theben waren nacheinander: Ramsesnacht, Nesamun und Amenhotep.
Bautätigkeit
Ramses IX. Bautätigkeit ist bezeugt durch sein großes Grab KV6 im Tal der Könige. Dies hat eine Länge von 86 m. Weitere Zeugnisse sind Denkmäler in Heliopolis (Statuen, Opfertisch, Tordurchgänge), Memphis (Stele, Fragmente, Apisbegräbnis), Karnak (Dekoration von Mauer und Tordurchgang zum Hof nördlich des 7. Pylons, Stele, Inschrift über Auszeichnung des Hohepriesters Amenhotep). Kleinere Objekte und seine Kartuschen finden sich in Medinet Habu, Amara-West, Dachla, Antinoë und Gezer in Palästina (sekundär?). Für Ramses II., Ramses III. und Ramses VII. stiftet er einen Doppelopferständer.
Tod und Bestattung
Nach seinem Tod wird Ramses IX. in dem für ihn errichteten Grab bestattet (Fund von vermutlich Kufen eines Sarkophagschlittens). Die Mumie wird aber zusammen mit anderen in der 21. Dynastie in die Cachette von Deir el-Bahari umgebettet.
Der Pharao starb, bevor das Grab vollständig gebaut worden war. Ein Teil einer Säulenhalle und die eigentliche Grabkammer waren noch nicht vollständig behauen.
In den 70 Tagen zwischen Tod und Bestattung des Pharao wurden die Steinmetzarbeiten nicht mehr weitergeführt, sondern die Grabkammer wurde schnellstmöglich ausgemalt.
Literatur
Amin A.M.A. Amer: Notes on Ramesses IX. in Memphis and Karnak (= Göttinger Miszellen. Band 57) Göttingen 1982, S. 11–16.
Darrell D. Baker: The Encyclopedia of the Egyptian Pharaohs. Band I: Predynastic to the Twentieth Dynasty (3300-1069 BC). Bannerstone Press, London 2008, ISBN 978-1-905299-37-9, S. 330–332.
Erik Hornung: The New Kingdom. In: Erik Hornung, Rolf Krauss, David A. Warburton (Hrsg.): Ancient Egyptian Chronology (= Handbook of Oriental studies. Section One. The Near and Middle East. Band 83). Brill, Leiden/ Boston 2006, ISBN 90-04-11385-1, S. 197–217 (Online).
Thomas Schneider: Lexikon der Pharaonen. Albatros, Düsseldorf 2002, ISBN 3-491-96053-3, S. 239–240.
Weblinks
Altägyptischer König (Neues Reich)
20. Dynastie (Ägypten)
Geboren im 12. Jahrhundert v. Chr.
Gestorben im 12. Jahrhundert v. Chr.
Mann | 29,580 |
https://stackoverflow.com/questions/21768341 | StackExchange | Open Web | CC-By-SA | 2,014 | Stack Exchange | Pototo, https://stackoverflow.com/users/2520785 | English | Spoken | 676 | 1,727 | python XMLRPC function error
I am trying to connect two computers through XML RPC, but I always get the "[Errno -2] Name or service not known" message. Sometimes it works, and some other times it does not, and I don't know what I am doing wrong. Here is a the code I'm running
client (on one computer):
from xmlrpclib import ServerProxy
import time
while True:
try:
# robot_file = open("robot_file", "r")
# robot_uri = robot_file.readline()
robot_uri = "http://pototo.local:12345"
print("robot uri: " + robot_uri)
server = ServerProxy(robot_uri)
# robot_file.close()
# os.remove("robot_file")
print('removed robot_file')
break
except BaseException:
print("trying to read robot uri")
time.sleep(1)
pass
print('processing request')
while True:
try:
print (server.getLocationInfo(2))
time.sleep(1)
except BaseException as e:
print("trying to read request")
print (e)
time.sleep(1)
Server (on another computer whose address is 'http://pototo.local:12345')
#!/usr/bin/env python
'''
This files runs indefinitelly in a computer and waits for a client
to request connection to a/the robot(s)
'''
#import roslib;
#import rospy
#from sensor_msgs.msg import CompressedImage
#from sensor_msgs.msg import Image
#from std_msgs.msg import String
from SimpleXMLRPCServer import SimpleXMLRPCServer
import subprocess
from time import sleep
import string
pub_data = None # gets the data from the publisher
python_string = string
location = ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10']
occupied = ['n', 'n', 'n', 'n', 'n', 'n', 'n', 'n', 'n', 'n']
flagged = ['n', 'n', 'n', 'n', 'n', 'n', 'n', 'n', 'n', 'n']
dateTime = ['None','None','None','None','None','None','None','None',
'None','None']
licensePlate = ['None','None','None','None','None','None','None',
'None','None','None']
gps = ['None','None','None','None','None','None','None','None',
'None','None']
def parking_callback(msg):
#parses the string data
infoList = msg.data.split(" ")
location[int(infoList[0]) -1] = infoList[0]
occupied[int(infoList[0]) -1] = infoList[1]
flagged[int(infoList[0]) -1] = infoList[2]
dateTime[int(infoList[0]) -1] = infoList[3]
licensePlate[int(infoList[0]) -1] = infoList[4]
def getLocationInfo(locationNum):
if ((locationNum > 10) and (locationNum < 1)):
print "Out of bounds location\n"
return
index = locationNum - 1
description = ('ID', 'occupied', 'flagged', 'dateTime',
'licensePlate', 'gps')
descrip_data = (location[index], occupied[index],
flagged[index], dateTime[index],
licensePlate[index], gps[index])
return dict(zip(description, descrip_data))
def start_process():
'''
Function that allows client to retrieve data from this server
'''
robot_address = ['http://G46VW:11311', '192.168.1.81']
print(str(len(robot_address)) + ' robots are connected \n')
# robot_address.append(os.environ['ROS_MASTER_URI'])
robot_address.reverse() # change uri as first key
return robot_address
# return location
def get_pub_data(published_data):
'''
Retrieves the published data from ROS and stores it on the
pub_data variable
'''
# pub_data = published_data
pass
if __name__ == '__main__':
#rospy.init_node('sendGUI')
#rospy.Subscriber('/parkingInfo', String, parking_callback)
import platform
hostname = platform.node()
port = 12345
server = SimpleXMLRPCServer((hostname, port))
# run subscriber here
# rospy.Subscriber("move", String, rover.set_move)
# thread to run the subscriber
#from threading import Thread
#spin_thread = Thread(target=lambda: rospy.spin())
#spin_thread.start()
# store server address for meta client usage
start = "http://"
address = start + hostname + ":" + str(port)
print('Robot URI: ' + address)
uri_file = open("robot_file", "w")
uri_file.write(address)
uri_file.close()
# send URI to client
# import os
# os.system("rsync -v -e ssh robot_file [email protected]:~/Desktop/gui")
server.register_function(start_process, "start_process")
server.register_function(getLocationInfo, "getLocationInfo")
#while not rospy.is_shutdown():
while True:
try: # handle requests for the rest of the program
print('\nwaiting for a client to request...\n\n')
server.handle_request()
except BaseException: #rospy.ROSInterruptException:
print('exiting ROS node')
# spin_thread.kill()
from sys import exit
exit()
The server is a intended to run as a ROS node, but I transformed it here back to normal python just in case you wanna run it. If you wanna run it, make sure to change the URI accordingly.
Thank you very much
Most often that error just means it's unable to connect to the specified host. Have you tried pinging those machines to make sure they're up? It could also be that python isn't able to resolve the .local host (which if I'm not mistaken is part of Apple's bonjour protocol) and you may need to use an IP address instead.
I see.
The hostname here is fake, and I hardcoded it just to show as an example, but it will vary per machine.
I generally get the hostname this way.
import platform
hostname = platform.node()
I did try using the IP address instead of hostname, but it could not even connect when I did that.
I'll try to continuously ping the machine while I run the code and see what happens.
Thanks for your help!
| 15,917 |
1338723_1 | Court Listener | Open Government | Public Domain | null | None | None | Unknown | Unknown | 2,439 | 3,348 | 204 Ga. App. 387 (1992)
419 S.E.2d 330
CITY OF ATLANTA
v.
METROPOLITAN ATLANTA RAPID TRANSIT AUTHORITY et al.
A92A0587.
Court of Appeals of Georgia.
Decided May 18, 1992.
Reconsideration Denied June 1, 1992.
Michael V. Coleman, Joe M. Harris, Jr., Sarah I. Mills, for appellant.
Gorby, Reeves, Moraitakis & Whiteman, Nicholas C. Moraitakis, Martha D. Turner, Michael E. Fisher, for appellees.
McMURRAY, Presiding Judge.
This appeal arose after Patricia Babin Bauer was killed when the vehicle she was operating on a three-laned portion of DeKalb Avenue in the City of Atlanta ("Atlanta") collided head-on with a passenger bus operated by Metropolitan Atlanta Rapid Transit Authority ("MARTA"). The decedent's estate and members of her family ("the Bauers") filed a complaint against MARTA and its bus driver, Warren Gould, for negligence and against Atlanta for nuisance. MARTA and Gould cross-claim for contribution, alleging that Atlanta created and maintained a nuisance which contributed to the fatal collision. The Bauers dismissed the complaint, settling with MARTA for $1,100,000. Atlanta did not join in the settlement and the case was tried before a jury on the contribution cross-claim.
At about 8:00 in the evening on June 4, 1987, Warren Gould, acting in the scope of his employment as a MARTA bus driver, was operating a passenger bus near the end of a 3.4 mile stretch of DeKalb Avenue which consists of two outside opposing traffic lanes and a middle lane bounded with double-dashed yellow lines. (The middle lane is reversible and is regulated by overhead traffic control devices. These traffic control devices display opposing red and green signals during peak traffic periods and, during non-peak traffic periods, the devices signal a flashing yellow "X" in both directions.) Gould moved the bus into the middle lane against yellow flashing "X" signals, attempting to pass an erratically moving vehicle. (Gould testified that it was his understanding that a middle lane regulated by flashing yellow "X" signals could be used "for emergency purposes to get around anything that may be impeding traffic in the right lane.") The decedent was then traveling against the flashing yellow "X" signals from the opposite direction, just entering the middle lane from a stretch of DeKalb Avenue that consists of four evenly divided traffic lanes. (A photograph of the transition from four to three lanes reveals the centerline of the four-laned road abruptly ending after bisecting the middle *388 lane of the three laned portion of DeKalb Avenue.) The vehicles approached head-on while negotiating a curve which limited distance visibility and collided after both drivers evasively steered into the same lane of traffic. The decedent was pinned in her automobile and died about 30 minutes after the collision.
Variable-lane traffic control devices, functioning with flashing yellow "X" signals, were installed by Atlanta on DeKalb Avenue in the 1950s. These devices were replaced in the 1970s when a rapid transit railway was constructed parallel to one side of DeKalb Avenue. The replacement equipment also functioned with opposing flashing yellow "X" signals and operated through the June 4, 1987, collision.
During two years before the collision, Atlanta recorded several accidents caused by confusion over the directional meaning of the flashing yellow "X" signals on DeKalb Avenue. Atlanta also received direct reports from motorists reflecting misunderstanding over the use and function of the middle lane of DeKalb Avenue when flashing yellow "X" signals are functioning. In fact, a 19-year veteran engineer with Atlanta's Bureau of Traffic and Transportation recognizes that flashing yellow "X" signals are confusing and do not convey any specific meaning with regard to use of regulated traffic lanes.
The Manual on Uniform Traffic Control Devices for Streets and Highways (the "manual"), a body of regulations published by the Federal Highway Administration and adopted by Atlanta, provides that "[a] flashing YELLOW X means that a driver is permitted to use a lane over which the signal is located for a left turn." However, the manual warns that such signals should be used only "[w]here feasible [and] with due caution." The manual also cautions that any driver using a lane with an over-head flashing yellow "X" signal "may be sharing that lane with opposite flow left-turning vehicles."
The jury returned a verdict, finding that Atlanta created or maintained a nuisance on DeKalb Avenue and that the nuisance was a proximate concurring cause of the collision. The trial court entered judgment for MARTA and Gould in the principal amount of $550,000. Atlanta filed this appeal after the denial of its motion for a judgment notwithstanding the verdict. Held:
1. Atlanta contends the trial court erred in failing to dismiss the cross-claim, arguing that contribution claims pertain only to joint tortfeasors and not to "defendants in nuisance." This enumeration inaccurately assumes that MARTA and Gould were used as joint participants in the creation of a nuisance.
OCGA § 51-12-32 provides for contribution among joint tortfeasors. However, "joint participants in the creation of a nuisance are not jointly and severally liable for the full total of plaintiffs' damages, but only for their individual parts." Gilson v. Mitchell, 131 Ga. *389 App. 321, 328 (205 SE2d 421), affirmed in Mitchell v. Gilson, 233 Ga. 453, 454 (211 SE2d 744). In the case sub judice, it was never alleged that MARTA and Gould were joint participants in the creation of a nuisance. MARTA and Gould were sued along with Atlanta for indivisible losses allegedly stemming from separate and distinct wrongful acts, i.e., negligence by a MARTA employee and the creation and maintenance of a nuisance by Atlanta. See Parks v. Palmer, 151 Ga. App. 468, 470 (2) (260 SE2d 493). Consequently, MARTA and Gould were authorized in asserting a cross-claim against Atlanta for allegedly contributing to the Bauers' damages. OCGA § 51-12-32. The trial court did not err in refusing to dismiss the contribution cross-claim.
2. Atlanta contends the trial court erred in failing to dismiss the cross-claim, arguing that MARTA and Gould failed to give ante litem notice within six months of the collision as is required by OCGA § 36-33-5. This contention is without merit.
OCGA § 36-33-5 is in derogation of the common law and must be strictly construed against the municipality. Hicks v. City of Atlanta, 154 Ga. App. 809, 810 (270 SE2d 58). This Code section requires ante litem notice for damage claims against municipalities which arise "on account of injuries to person or property...." OCGA § 36-33-5 (a). Nothing in this statute requires ante litem notice for claims by joint tortfeasors against municipalities for contribution. Consequently, the contribution claim filed against Atlanta by MARTA and Gould was not conditioned upon the ante litem notice provision of OCGA § 36-33-5. To say otherwise, would require defendants to anticipate within six months of any incident giving rise to damages "on account of injuries to person or property" claims for contribution against municipalities which may not accrue for several years. See Olsen v. Jones, 209 NW2d 64 (1973).
3. Atlanta contends the trial court erred in denying its motion for judgment notwithstanding the verdict. Atlanta argues that the flashing yellow "X" signals and the road markings on DeKalb Avenue do not constitute a nuisance because these traffic control devices are authorized by the manual and were functioning as intended, i.e., not obscured or malfunctioning at the time of the collision. This contention is without merit.
The law does not require that an instrumentality be functioning improperly before it may be regarded as a nuisance. City of Fairburn v. Cook, 188 Ga. App. 58 (372 SE2d 245). On the contrary, in the case of Porter v. City of Gainesville, 147 Ga. App. 274, 276 (248 SE2d 501), involving a grant of summary judgment to the City of Gainesville, this Court held that genuine issues of material fact remained for jury consideration since the City failed to pierce the pleadings of that plaintiff wherein it was alleged that the design of the instrumentality was "inherently dangerous and was a continuing threat to anyone who *390 might choose to use it."
"` "`A municipal corporation, like any other individual or private corporation, may be liable for damages it causes to a third party from the operation or maintenance of a nuisance, irrespective of whether it is exercising a governmental or municipal function....'" (Cit.)' [Cit.]" City of Fairburn v. Cook, 188 Ga. App. 58, 64 (6), 65, supra. "A nuisance is anything that causes hurt, inconvenience, or damage to another and the fact that the act done may otherwise be lawful shall not keep it from being a nuisance." OCGA § 41-1-1. "` "`In City of Bowman v. Gunnells, 243 Ga. 809 (2) (256 SE2d 782) (1979), the Supreme Court set out three guidelines to define a nuisance for which a city may be liable. First, the defect or degree of misfeasance must be to such a degree as would exceed the concept of mere negligence. Second, the act must be of some duration. Third, the city must have failed to act within a reasonable time after knowledge of the defect or dangerous condition.' (Cit.)" ' City of Eatonton v. Few, 189 Ga. App. 687 (1) (377 SE2d 504) (1988). `"Under some factual situations, it can be held as a matter of law that no nuisance exists; however, that question ordinarily is a question of fact for the jury." (Cits.)' Whiddon v. O'Neal, 171 Ga. App. 636, 638 (320 SE2d 601) (1984)." Grier v. City of Atlanta, 200 Ga. App. 575, 576 (408 SE2d 794).
In the case sub judice, there is uncontradicted evidence that, "to be effective, a traffic control device should ... [c]onvey a clear, simple meaning [and] ... [c]ommand respect of road users." However, Atlanta's deputy director with the Bureau of Traffic and Transportation affirmed on cross-examination that flashing yellow "X" signals are confusing and do not convey any specific meaning with regard to use of regulated traffic lanes and he indicated that the flashing yellow "X" signals on DeKalb Avenue do not command the motoring public's respect, testifying that he has traveled DeKalb Avenue and witnessed motorists misusing the middle lane for passing. This evidence, evidence that Atlanta maintained flashing yellow "X" signals on DeKalb Avenue despite knowledge that a hazardous condition existed due to confusion over the meaning of the flashing yellow "X" signals and evidence that such confusion caused MARTA's bus and the decedent's vehicle to be in the same lane of traffic in an area of DeKalb Avenue with obscured distance visibility and with an abrupt lane transition is sufficient to authorize a finding that Atlanta created and maintained a nuisance which contributed to the fatal collision. Compare Mayor &c. of Savannah v. Palmerio, 242 Ga. 419, 422 (2) (249 SE2d 224) and Hancock v. City of Dalton, 131 Ga. App. 178 (205 SE2d 470). Consequently, the trial court did not err in denying Atlanta's motion for judgment notwithstanding the verdict. Bryant v. Colvin, 160 Ga. App. 442, 444 (287 SE2d 238).
Judgment affirmed. Cooper, J., concurs. Sognier, C. J., concurs *391 specially.
SOGNIER, Chief Judge, concurring specially.
I agree with the judgment reached by the majority. However, I believe that further explication is necessary of the conclusion in Division 3 that the evidence proffered at trial authorized the jury to find that Atlanta created and maintained a nuisance.
As the majority points out, the basis for Atlanta's contention that it could not be found to have either created or maintained a nuisance was that the flashing yellow "X" signals were authorized by the manual and were functioning as intended.
However, George Black, a traffic engineer and Gwinnett County's Director of Transportation, testified that the manual cautions that "traffic engineering judgment should be exercised at all times" because what might work in one area will not work in another. This caution clearly applied to the use of flashing yellow "X" signals, which the manual provides should be used "where feasible ... over a lane to permit use of that lane for left turns, with due caution." The manual states that yellow flashing "X" signals mean the lane may be used for left turns from both directions. Both Black and Howard Harris, a deputy director of the Atlanta Bureau of Traffic and Transportation, acknowledged that the flashing yellow "X" signals could not be used for the purpose set forth in the manual over most of this portion of DeKalb Avenue when traveling west because of the presence of the MARTA rail line running parallel to and just south of DeKalb Avenue. The MARTA rail line made left turns impossible for westbound traffic except at one or two intersections. Thus, based on this testimony, the jury reasonably could have concluded that flashing yellow "X" signals would not work properly on that particular stretch of DeKalb Avenue, and were therefore authorized to concluded that the signals were not functioning properly, but instead were being interpreted by drivers traveling west on DeKalb Avenue as a signal to use the center lane as a passing lane, a dangerous use for which the lane was not intended.
The manual also provides that "[t]he decision to use a particular device at a particular location should be made on the basis of an engineering study of the location," which Harris indicated had not been done when the signals were replaced after construction of the MARTA rail line even though the effect of that construction was to eliminate most left turn usage of the center lane by westbound traffic.
Thus, evidence was introduced at trial from which the jury could have concluded that installing such signals on the portion of DeKalb Avenue where the accident at issue occurred was not "feasible," and which authorized the jury to find that Atlanta created a nuisance in installing the flashing yellow "X" signals.
*392 In addition, Black testified that a number of accidents occurred on that portion of DeKalb Avenue. Harris admitted that he knew the lane was not being used in the manner intended, and that the Bureau had received a number of complaints regarding the signals as well as inquiries regarding their meaning, but he had not read the reports of these complaints and inquiries until after the incident in issue. This evidence showed that drivers on DeKalb Avenue were either confused or mistaken about the meaning of the signals or were using the center lane improperly despite the signals, a condition Harris acknowledged as dangerous. Therefore, because there was evidence that Atlanta had failed to act within a reasonable time after acquiring this knowledge, the jury was authorized to conclude that Atlanta had maintained a nuisance. City of Fairburn v. Cook, 188 Ga. App. 58, 65-66 (7) (372 SE2d 245) (1988).
| 22,613 |
https://github.com/giv2giv/giv2giv-rails/blob/master/db/migrate/20151208025604_drop_giv_payment_table.rb | Github Open Source | Open Source | MIT | 2,018 | giv2giv-rails | giv2giv | Ruby | Code | 24 | 111 | class DropGivPaymentTable < ActiveRecord::Migration
def change
drop_table :giv_payments do |t|
t.float :amount
t.string "from_etrade_to_dwolla_transaction_id"
t.string "from_dwolla_to_giv2giv_transaction_id"
t.string "status"
t.timestamps null: false
end
end
end | 45,903 |
https://fr.wikipedia.org/wiki/Duba%C3%AF%20%28ville%29 | Wikipedia | Open Web | CC-By-SA | 2,023 | Dubaï (ville) | https://fr.wikipedia.org/w/index.php?title=Dubaï (ville)&action=history | French | Spoken | 5,042 | 8,038 | Dubaï ou Doubaï (en / Dubayy, ) est la première ville des Émirats arabes unis (devant la capitale fédérale Abou Dabi). Dubaï est classée mondiale selon le classement Global Power City Index de la fondation Mori Memorial en 2022. Située sur le golfe Persique, elle est capitale de l'émirat de Dubaï, et compte plus de trois millions d'habitants. Elle forme, avec les villes de Charjah, Ajman et Oumm al Qaïwaïn, elles-mêmes capitales de leurs émirats respectifs, une agglomération qui dépasse d'habitants en 2022. Dubaï est également le premier port du pays.
Fondée au , Dubaï reste un bourg modeste et isolé du monde qui vit essentiellement de la pêche aux perles à la fin du . À cette époque, la ville et l'émirat qui l'entoure prennent de l'importance en participant à la création des États de la Trêve () en 1853.
Elle connaît une période difficile pendant l'entre-deux-guerres, avant d'entrer de plein fouet dans la modernité dans la deuxième partie du . Elle participe à la création des Émirats arabes unis actuels en 1971. Son émir en assure la vice-présidence.
Quoique n'étant pas la capitale des Émirats arabes unis, Dubaï est devenue la ville la plus connue de la fédération. Cette renommée est due notamment à la médiatisation de ses projets touristiques comme l'hôtel Burj-al-Arab, l'hôtel le plus luxueux de Dubaï, au gigantisme de ses projets immobiliers comme les , presqu'île et archipel artificiels en forme de palmier, , archipel artificiel qui reproduit la carte du monde, la Dubaï Marina à l'architecture particulière et gigantesque, ou encore l'immeuble le plus haut du monde, la Burj Khalifa. Ces projets, revendiqués par le gouvernement, sont présentés comme étant un moyen de devenir la première destination mondiale du tourisme de luxe et de devenir l'un des pôles mondiaux du tourisme familial, d'affaires, commercial
Dubaï se trouve à au nord-est d'Abou Dabi, la capitale de l'union, à à l'ouest-nord-ouest de Mascate et à environ de la frontière avec l'Oman, à à l'est de Riyad et à au sud-sud-est de Téhéran. La ville fut créée dans une boucle du bras de mer, le Khor Dubaï, qui s'insinue dans le désert et qui constitue un port naturel. Le centre de la ville, qui garde un caractère arabe, est constitué de petits immeubles et de ruelles étroites. Les nouveaux quartiers s'étalent quant à eux dans le désert et le long de la côte ouest en direction du sud et représentent une vaste agglomération avec Ali, Umm Suqueim (ou ), Barsha, Jumeirah, Bur Dubaï et Deira.
Ces nouveaux quartiers, créés de toutes pièces, sont constitués de grands immeubles, de résidences et de maisons individuelles. Ils s'organisent au sud de part et d'autre de la Sheikh Zayed Road, la plus grande artère des Émirats arabes unis et futur centre urbain de l'agglomération. Bordée de gratte-ciel (573 dans l'émirat), elle permet de relier les zones résidentielles aux complexes touristiques construits ou en construction qui se trouvent au sud de la ville : Palm Islands, The World, Dubaï Waterfront, Ski Dubaï, Dubaï Marina, Dubai Mall, l'hôtel Burj al-Arab, la Burj Khalifa, Dubaïland
Démographie
La ville de Dubaï connaît une importante expansion démographique depuis quelques années : la population était de en 1980, en 1995, un million en 2004, en 2006 et près de en 2011 (en 2010, la ville recevait nouveaux habitants par mois). En 2018, le centre des statistiques de Dubaï déclarait , ce qui en fait la ville la plus peuplée des Émirats arabes unis.
Cependant, les chiffres sont encore plus élevés si on compte l'ensemble de la conurbation de Dubaï, qui comprend également Charjah et Ajman (elles-mêmes capitales de leurs émirats respectifs) : sur cette base, on peut compter d'habitants en 2007.
Seuls 5 % des habitants sont des nationaux.
Climat
Dubaï possède un climat subtropical et aride, avec des fortes chaleurs et des vents parfois violents en période estivale.
Histoire
La première mention du site de Dubaï remonte au Livre de géographie de l'Andalou Al-Bakri au . Localisé dans une des régions les plus inhospitalières d'Arabie, Dubaï demeure longtemps éclipsé par ses voisins, notamment Charjah et Ras el Khaïmah, au nord-est et près du détroit d'Ormuz, et Abou Dabi, au sud-ouest. En 1580, le marchand vénitien Gaspero Balbi, en voyage dans la région, évoque Dibei, bourgade probablement composée uniquement de quelques habitations, qu'il associe aux activités de pêche aux perles. Celle-ci demeurera l'activité principale dans la région, avec l'agriculture vivrière. Cependant, jusqu'à la fin du , Dubaï est insignifiant par rapport aux autres ports précités, ainsi que Sohar (Oman), Ormuz, Bandar Lengueh (Iran), Dibba et Khor Fakkan (golfe persique).
Préhistoire et période pré-islamique
On n'a guère de témoignages concernant des périodes plus anciennes. Récemment, des fouilles ont permis la découverte d'un marais de mangrove installé là où se trouve Dubaï au Le sable aurait recouvert la localité il y a , en faisant une petite crique naturelle. Des céramiques des ont été retrouvées, ainsi que des églises nestoriennes (à Abou Dabi). Avant la conversion à l'islam du , les tribus locales vénéraient les étoiles, la Lune et le Soleil, ou Bajir.
En 1799, alors que les Wahhabites du Nejd étendaient leur territoire, la tribu bédouine des Bani Yas, avec à leur tête Al-Abu Falasa, poursuivit les activités de pêche, notamment de perles, bénéficiant du port naturel formé par le Khor Dubaï. Selon un témoignage du lieutenant britannique Cogan de 1822, le bourg de Dubaï hébergeait alors , plus chèvres et chameaux.
En 1833, à la suite d'une dispute tribale qui eut lieu dans l'oasis de Liwa, foyer des Bani Yas, durant laquelle le Sheikh Tanun fut assassiné par son frère Khalifa qui réprima ensuite durement les velléités de résistance ; de la famille Al Bu Falah fuirent Liwa et vinrent s'installer à Dubaï.
Transports
La ville de Dubaï s'est dotée d'infrastructures de transport à la mesure de son développement économique et démographique.
Transport aérien
L'aéroport international de Dubaï sert de plate-forme de correspondance à la compagnie aérienne Emirates. Il a une capacité d'accueil de de passagers depuis 2007. À terme, jusqu'à vingt-six Airbus A380 pourront être reliés en même temps au terminal. L'atterrissage d'un Airbus A340 est facturé . Le kérosène coûte 10 % moins cher qu'ailleurs.
Il est le troisième aéroport au niveau mondial selon le nombre total de passagers et le premier selon le nombre de passagers internationaux avec de passagers (chiffres provisoires 2014).
Transport maritime
Le transport maritime est représenté par des bateaux-navettes en bois (les abras) qui traversent le Khor Dubaï en dix minutes et permettent de relier facilement Deira à Bur Dubaï.
Les infrastructures portuaires de l'émirat se sont largement développées ces dernières années et les ports de Dubaï ont largement profité de cette amélioration, puisqu'ils occupaient en 2004 la dixième place des ports à conteneurs, derrière ceux de Los Angeles et de Hambourg.
La ville compte différents ports : le port de Jebel Ali, le port Rashid et le Khor Dubaï. Les deux premiers sont de grands ports qui accueillent des navires de gros tonnage et le dernier, plus traditionnel, abrite les bateaux de transport en bois, les dhows, et est consacré au commerce avec l'Iran et les autres pays du golfe Persique.
Transport routier
Le réseau routier est constitué de larges avenues et autoroutes, dont la Sheikh Zayed Road est l'exemple le plus connu. Ce réseau crée un maillage reliant les différentes zones résidentielles, de travail et touristiques de l'agglomération de Dubaï. Afin de permettre la traversée du Khor Dubaï, le tunnel routier sous-marin de Shindanaga a été construit en bord de mer. Dubaï a aussi la réputation d'être la ville des pays riches qui compte le plus d'accidents et de morts sur les routes. On estime qu'il y a un accident toutes les trois minutes à Dubaï, ce qui contribue à l'engorgement du réseau routier. Pour financer les infrastructures routières, un télépéage, le salik, a été mis en place au .
La sixième traversée du Khor Dubaï, un pont de douze voies de circulation (2×6 voies), de de longueur, de hauteur et d'une largeur de , est en cours de construction (en mars 2008). Ce pont, le plus long pont en arc du monde, désenclavera la région d'Al Jaddaf. Les travaux dureront quatre ans pour un montant estimé à de dollars ( d'euros).
Transport urbain
Pour pallier la saturation du réseau d'autobus, constitué de et emprunté par chaque semaine, trois lignes de métro ont été inaugurées partiellement en 2009 et en totalité en 2012.
La ligne verte en forme de « U » autour du Khor Dubaï reliera Deira et Bur Dubaï au centre-ville tandis que la ligne rouge reliera Jebel Ali au Dubaï International Airport. Ces deux lignes mesureront et compteront ( et dix en surface). Récemment, la construction d'une autre ligne de (mauve) a été annoncée. Elle devrait relier le nouvel aéroport en construction (le ) à Jebel Ali.
Un tramway, dont la construction a débuté en 2009 et comptant de ligne pour , a été mis en service en 2014.
Enfin, pour compléter ces réseaux de transports en commun en site propre, il est envisagé de construire sept monorails afin de les connecter à différents sites comme Dubaïland, Jumeirah Palm, etc. Les taxis sont très nombreux à Dubaï et on en trouve partout. Ils constituent le moyen de transport non personnel le plus utilisé par les Emiratis.
Tourisme
En décembre 2020, des milliers de Français ont passé des vacances de fin d'année à Dubaï sans trop de restrictions liées au Covid-19. Le pays a laissé ses frontières ouvertes aux visiteurs étrangers.
Dubaï est devenu, avec des dizaines de milliers de prostituées, une destination privilégiée de tourisme sexuel.
Le tourisme à Dubaï s'adresse à une clientèle aisée et n'est donc pas un tourisme de masse. Le coût de la vie est très cher à Dubaï, où pratiquement tout doit être importé, surtout les biens de première nécessité, dont la nourriture, le pays étant désertique.
Reconversion et abus des droits de l'Homme
Afin de mener à bien la politique de reconversion de l'économie de Dubaï vers les nouvelles technologies, le commerce et le tourisme (ou les deux dans le cadre du festival de shopping de Dubaï), le gouvernement s'efforce d'attirer capitaux et entreprises tout en maintenant une politique de grands travaux, à l'origine de nombreux complexes urbains, hôteliers ou balnéaires. Le gigantisme et le caractère novateur de ces réalisations tournent les regards du monde entier vers l'émirat et forcent sa renommée.
Les constructeurs sont le plus souvent Nakheel ou Emaar Properties, groupes bien implantés dans l'émirat et aux visées maintenant internationales. D'autres projets importants tels que le Business Bay ou celui qui prévoit de recouvrir une montagne d'un dôme puis de l'enneiger afin de créer une petite station de ski sont en préparation. Nombre de ces projets avortent mais ils sont toujours source d'une publicité dont se nourrit la cité-État. Des quartiers spécialisés dans certains domaines ont été mis en place : la Dubai HealthCare City est une zone franche médicale destinée à attirer les meilleures institutions de santé et proposer des soins de très haut niveau, et sont des zones libres où se sont installées de grandes sociétés des médias (MBC, CNN, Yahoo!, Reuters et AP) et d'informatique (EMC Corporation, Oracle, Microsoft et IBM), Dubiotech est spécialisé dans les recherches biologiques et l accueille dans un centre différentes organisations non gouvernementales ainsi que l'UNOPS, un organisme des Nations unies. Ces quartiers permettront à Dubaï d'acquérir une certaine reconnaissance internationale et de devenir un lieu de décision important.
La ville accueille depuis plusieurs années différents évènements, dont le festival de shopping de Dubaï (ou DSF), le salon technologique Gitex ou le Dubaï Air Show, qui ont un impact très favorable sur la consommation et les investissements.
Les ouvriers étrangers (Pakistanais, Indiens, Chinois) employés pour construire ces complexes sont souvent à la merci des entrepreneurs. Cette situation tient notamment à la réglementation sur le sponsorship (kafala, à l'origine une procédure alternative à l'adoption). L'employeur doit agir comme sponsor pour permettre à ses employés étrangers d'obtenir un permis de travail et un titre de séjour. Le sponsor ayant seul la relation avec les Ministères de l'Immigration et du Travail, il lui arrive de conserver le passeport de ses employés, ce qui peut donner lieu à des abus. Néanmoins, l'institution de la kafala est loin d'être la cause exclusive du traitement des ouvriers aux Émirats et dans le Golfe, lequel peut également être expliqué par la pratique des agences de recrutement y compris dans le sous-continent asiatique et par l'absence de reconnaissance du droit syndical.
L'exploitation des ouvriers du bâtiment a touché son paroxysme lors de la crise financière qui a frappé Dubaï à partir de 2008, puisque certaines entreprises ont pu ne pas payer leur salaire à leurs ouvriers pendant plusieurs mois. Sous la pression du Conseil des Nations unies sur les Droits de l'Homme, les EAU ont désormais adopté un Système de Protection des Salaires (Wage Protection System) contraignant l'employeur à verser les salaires de ses employés par le biais d'une réglementation impliquant le Ministère du Travail et éventuellement la banque de l'employeur. D'après la réglementation locale, les ouvriers ne peuvent travailler par une température supérieure à , mais la température est prise à l'ombre ; il arrive donc qu'elle dépasse les sans que le travail soit interrompu. En moyenne, un suicide tous les quatre jours intervient chez les ouvriers.
En janvier 2011, la BBC a réalisé un reportage sur les conditions de vie des ouvriers.
Les militants des droits de l'homme ont averti que l'Irlande devrait faire attention à poursuivre un accord d'extradition bilatéral avec Dubaï dans le but de ramener la justice aux dirigeants du cartel de Kinahan. Le groupe de campagne a appelé l'Irlande à signer un accord d'extradition bilatéral avec les ÉAU après que gardaí senior a visité le Royaume du désert pour demander l'expulsion de membres de haut niveau du cartel de Kinahan.
FairSquare, un groupe de recherche et de défense des droits de l'homme, a obtenu des preuves de plus d'une douzaine de travailleurs migrants d'Afrique et d'Asie travaillant à l'extérieur dans trois sites COP28 début septembre alors que les températures atteignent 42C (107F) à Dubaï. Les migrants travaillaient dans une chaleur extrême et une humidité à deux jours séparés le mois dernier lors de «l'interdiction de midi», selon des preuves et des témoignages..
Haut-lieu de la criminalité financière
Du fait de sa forte influence récente dans la finance et de par son caractère de paradis fiscal, Dubaï est aussi devenue une grande place financière offshore, accusée de faciliter le blanchiment d'argent, notamment pour les riches de Chine, de Russie et d'Afrique ; profitant de , y compris avec des réseaux européen de blanchiment comme l'ont aussi montré les révélations des "Dubaï Papers".
Selon le chercheur Mehdi Derfoufi, « Dubaï est devenue aux yeux de certains, depuis le début des années 2000, le symbole d'une utopie délétère, laboratoire du capitalisme néolibéral triomphant. Les séjours des stars sportives à Dubaï sont souvent médiatisés au prisme des clichés d'un mode de vie « jet-set », érigé en symbole de la réussite sociale et matérielle. » Pour Mike Davis, Dubaï est certes l'incarnation des valeurs du capitalisme néolibéral, mais surtout l'image du monde futur où les logiques financières et l'accroissement des inégalités se déploient dans un contexte sécuritaire et autoritaire.
En juillet 2020, la Fondation Carnegie pour la paix internationale publie un rapport selon lequel Dubaï serait impliquée dans la corruption mondiale, devenant une destination attrayante pour l'argent sale. Plusieurs acteurs corrompus et criminels du monde entier opéraient via ou depuis Dubaï, notamment les blanchisseurs d'argent européens, les gangsters russes, les chefs de guerre afghans, les contrevenants aux sanctions iraniens, les kleptocrates nigérians et les contrebandiers d'or et de diamants de plusieurs zones d'Afrique.
En mai 2022, OCCRP a publié un rapport « Dubai Uncovered », qui est décrit la réputation plus sombre de Dubaï en tant que paradis fiscal, destination pour de l'argent illicite et un centre pour le blanchiment d'argent. Une violation récente des données immobilières de Dubaï a révélé combien d'étrangers ont investi dans les appartements et les villas de la ville. Les résidents ou les investisseurs légitimes constituent la grande majorité de la population. Cependant, selon des journalistes, de nombreux propriétaires immobiliers de Dubaï ont été accusés ou reconnus coupables de crimes ou sont soumis à des sanctions internationales. Il y a plus de 100 membres de l'élite politique de la Russie, des fonctionnaires et des entreprises liés au Kremlin sur la liste, ainsi que des dizaines d'Européens accusés de blanchiment d'argent et de corruption. Plusieurs personnalités politiques et législateurs européens ont été accusés d'avoir abusé de fonds publics, et d'autres n'ont pas signalé leurs résidences de Dubaï.
Au milieu de la lutte contre le groupe de crimes organisé Kinahan [Kinahan Organised Crime Group (KOCG)], a créé par Christy Kinahan dans les années 1990, les ÉAU ont été ajoutés à la liste noire de l'UE pour le blanchiment d'argent. Il a aussi été révélé que Christy Kinahan vit à Dubaï avec ses fils depuis plusieurs années et y ont des intérêts commerciaux et immobiliers étendus. À la suite d'une enquête combinée de plus de vingt médias européens, dont lIrish Times, sur l'utilisation de Dubaï comme centre d'investissement par des criminels, des oligarques et des politiciens, les ÉAU ont été placés sur une liste noire.
Shopping
Dubaï est l'une des capitales du monde du shopping, qui jouit d'une renommée internationale pour ses centres commerciaux gigantesques et ses souks populaires. Le shopping à Dubaï serait l'une des distractions préférées des touristes venus de pays voisins ou plus lointains (Europe de l'Est, Afrique et sous-continent indien).
Chaque année pendant un mois, Dubaï vit à l'heure du carnaval alors que le se déroule dans la ville. En 1996, créé par le gouvernement, le festival du shopping était un événement de promotion du commerce dans l'émirat. Peu à peu, il est aussi devenu une manifestation culturelle offrant divers spectacles et événements. Le beau temps, les nombreuses festivités, les feux d'artifice et les ventes sont parmi ses atouts, mais c'est autour de l'environnement kitsch du que l'on s'amuse le plus. On peut ici choisir entre l'opéra chinois et les derviches tourneurs, tout en savourant de la cuisine bavaroise avant d'acheter de la poterie tunisienne. Les magasins affichent des soldes exceptionnels sur tous leurs produits dans plus de 40 centres commerciaux dispersés dans la ville. En 2009, le festival s'est déroulé du 15 janvier au 15 février.
Les nombreux centres commerciaux à Dubaï sont tous plus extravagants les uns que les autres. Modernes et luxueux, leur décoration est soignée et recherchée. Leurs « cours » centrales, agrémentées de fontaines ou de charrettes de souvenirs, s'efforcent d'évoquer des places de village. Les acheteurs peuvent s'installer à une terrasse de café entre deux emplettes ou déjeuner dans l'un des restaurants. On y trouve absolument tout et nul besoin d'en sortir : restaurants, salons de beauté et de remise en forme, parcs d'attractions, patinoire, cinéma, pistes de ski, salles de prières, parkings, sont là pour satisfaire à tous les désirs. Il leur est reproché d'encourager le comportement d'achat impulsif.
Promotion immobilière
Situé sur une île artificielle à de la plage et culminant à , l'hôtel Burj al-Arab est le deuxième hôtel le plus élevé du monde après les tours Abraj Al Bait situées à La Mecque. Reconnaissable à sa forme imitant une voile de voilier, il fut achevé en 1999 et ne comporte aucune chambre, mais uniquement des suites dont la nuitée varie entre .
Ski Dubaï est une piste de ski intérieure d'environ de longueur attenante au centre commercial, le Mall of the Emirates, et à l'hôtel Kempinski.
Le Dubaïland est le projet de création d'un ensemble de parcs à thèmes, situé à proximité de lArabian Canal. Il accueillera le Mall of Arabia, un immense centre commercial.
Annoncé le par le gouvernement, le projet Bawadi prévoit d'amener le nombre de lits d'hôtel dans l'émirat à , doublant ainsi la capacité hôtelière actuelle. Pour cela, une enveloppe de de US$ est allouée à ce projet, dont le plus grand complexe sera lAsia avec , soit le plus grand hôtel du monde.
The Palm, ou Palm Islands, est sans conteste le projet le plus grand et le plus médiatisé lancé par l'émirat. Il s'agit de la construction de trois ensembles balnéaires, résidentiels et touristiques de luxe sur des terres et des îles en forme de palmier entièrement gagnés sur la mer. Les trois « palmiers » porteront le nom de Jumeirah, Jebel Ali et Deira. La fin des travaux est prévue en 2013 pour l'ensemble. Chaque palmier est composé d'un tronc central accueillant des infrastructures de transport, des commerces, des services, des attractions touristiques et de loisir, des immeubles résidentiels. À partir de ce tronc rayonne un certain nombre de « palmes » abritant résidences de luxe, attractions touristiques et centres de loisir. Chaque ensemble est ceinturé par une digue de protection contre la houle, assurant la pérennité de ces constructions réalisées en grande majorité à partir de sable prélevé au fond de la mer. Le projet, bien avancé, verra l'ouverture du premier palmier, Jumeirah Palm, en 2007. Jebel Ali Palm suivra quant à lui un peu plus tard et Deira Palm en dernier, la construction ayant pris du retard en raison de problèmes techniques et de modifications de conception.
L'archipel est un autre projet de construction d'îles dont la disposition les unes par rapport aux autres imitera un planisphère avec chaque continent, le tout ceinturé par une digue de protection. La construction a commencé en 2003. Une première île témoin (appartenant à l'ancien pilote F1 Michael Schumacher) avec maison, jardin luxuriant et ponton d'accostage a été fabriquée. Au total, ce sont quelque qui devaient être livrées en 2011, mais le projet est actuellement abandonné en raison de la crise financière mondiale. Pire, l'érosion due aux vagues a commencé de saper les fondations des îlots déjà construits.
Le Dubaï Waterfront est un projet à cheval sur la mer et la terre. Il s'agit de créer un immense quartier résidentiel et hôtelier sous la forme d'une gigantesque marina comportant des commerces et des loisirs au pied de Jebel Ali Palm et au début de l'Arabian Canal, un bras de mer de dix kilomètres de long creusé dans le désert.
Le projet prévoit le creusement de canaux sur la côte et la création d'îles contournant Jebel Ali Palm en formant une baie. En son sein se trouvera le Dubai Mall, le plus grand centre commercial du monde. La fin des travaux est prévue en 2014.
La Dubaï Marina est le projet de création d'un bras de mer de dix kilomètres de long dans le désert entouré d'immeubles résidentiels et d'hôtels. Le projet, développé par Emaar Properties, comprendra à son achèvement plus de 200 immeubles. D'une surface de 4,9 millions de mètres carrés, elle sera la plus grande marina au monde, une fois achevée aux alentours de 2011.
La tour Burj Khalifa est la tour la plus haute du monde avec ses de hauteur et ses . La construction a commencé en 2004 et l'inauguration a eu lieu en 2010. La hauteur finale est de . Elle était déjà la plus haute construction humaine depuis début 2008 (dépassant les de l'antenne radio Warszawa en Pologne, détruite en 1991).
Projets
Nakheel Tower (ex-Al Burj ou ) était le projet de construction d'une tour d'une hauteur dépassant le kilomètre. Située entre Dubai Marina et Ibn Batuta, ses travaux de préparation des sols commencèrent en janvier 2008. Projet plusieurs fois déplacé, il était prévu initialement sur Palm Jumeirah puis sur le Waterfront. Ce dernier site fut rejeté car la tour se trouverait alors dans l'axe des pistes du futur aéroport de Jebel Ali. La fin des travaux était prévue en 2014.
En janvier 2008, la société Nakheel a annoncé la naissance prochaine d'un projet appelé « ». Il s'agit d'un archipel artificiel reproduisant les formes du soleil, de la lune et des planètes du système solaire. Ce projet, dont ni le coût, ni la date de fin des travaux n'ont été communiqués, arrive alors que « » est en cours d'achèvement. Il s'agit de la création de artificielles au large des côtes. Ces îles, dont les formes représentent les pays du monde et qui abriteront résidences secondaires et hôtels de luxe, couvrent . Début des travaux en 2009 pour une fin prévue en 2015.
Annoncé le et présenté lors du salon immobilier du Moyen-Orient, le promoteur émirati Nakheel a en projet un gratte-ciel culminant à plus de , soit de plus que la tour Burj Dubaï. Il aurait dû atteindre, selon certaines sources, de haut et serait ainsi devenu la plus haute tour du monde. Elle faisait partie d'un projet de , intégré à celui de Dubai World. Le marché pour les fondations fut attribué à la société française Soletanche Bachy, leader mondial. Les travaux commencèrent en janvier 2008 mais furent arrêtés fin janvier 2009.
Dubai Sports City voit le début des travaux en 2007 pour une fin estimée en 2013.
Lyon Dubaï City est un projet de grande ampleur consistant, d'ici fin 2009, à reconstituer des quartiers typiques de la ville de Lyon en plein cœur de Dubaï. Plus qu'un simple projet immobilier, Lyon Dubaï City permettra également la mise en place de partenariats culturels (universités, école hôtelière, sports...). Le projet semble abandonné pour des raisons financières.
Annoncé en juin 2008 par la société Rotating Tower Dubai Development Ltd., un gratte-ciel en rotation permanente et dont les différents étages pivotent sur eux-mêmes. Via un simple bouton ou oralement, les habitants de cette tour dynamique pourront déterminer la vitesse de rotation et la direction que doit prendre l'étage de leur appartement. Cet immeuble de et de hauteur, outre son architecture révolutionnaire, est également écologique. Les horizontales, installées entre chaque étage, produiront l'énergie nécessaire aux résidents et peuvent même fournir les voisins du quartier en électricité. Début des travaux fin 2008 pour une prévue ouverture en 2010. Les appartements (de à ) seront commercialisés à le mètre carré.
Fin 2009, la dette totale de Dubaï était estimée entre , dont à la charge des compagnies publiques. À lui seul, Dubaï World totalise de ce montant. Le pays a demandé un moratoire, très mal vu par les agences de notation.
Exposition universelle de 2020
Quelque du Parlement européen ont appelé à un boycott de l'exposition universelle de Dubaï 2020 en raison de la détention d'Ahmed Mansoor, un activiste des droits de l'homme Emirati. En outre, en 2019, l'Organisation des droits de l'homme a déclaré sur les médias sociaux que « les travailleurs étrangers continuent de souffrir d'exploitation et d'abus, y compris des retards, voire non-paiement des salaires ; mais limite également leur mobilité, leurs conditions de travail précaires et dangereuses et leur stress physique considérablement accentué par des conditions climatiques de chaleur exceptionnelle ».
Le , trois travailleurs sont morts et 72 ont été gravement blessés au chantier de construction Expo-2020 à Dubaï. Ces chiffres ont été rendus publics après que le Parlement européen a appelé à un boycott de la foire mondiale, citant des préoccupations des droits de l'homme aux ÉAU, comprenant le traitement « inhumain » des travailleurs étrangers.
Économie
Le , l'émirat de Dubaï a annoncé un budget en baisse pour 2021 en raison de la pandémie de Covid-19, notamment sur les principaux secteurs du tourisme et des services. Le gouvernement a estimé le déficit économique à environ en 2021 contre l'année précédente.
En , un rapport publié par Swissaid, a dénoncé le commerce de l'or entre Dubaï et la Suisse. Les documents ont révélé que des entreprises de Dubaï, incluant Kaloti Jewellery International Group et Trust One Financial Services (T1FS), ont obtenu de l'or de pays africains pauvres comme le Soudan. Entre 2012 et 2018, 95 % de l'or du Soudan se sont retrouvés dans les ÉAU. L'or importé du Soudan par Kaloti l'était de mines contrôlées par les milices responsables des crimes de guerre et des violations des droits de l'homme dans le pays. La plus grande raffinerie mondiale en Suisse, Valcambi, a été dénoncée par Swissaid d'importer l'or de ces entreprises dubaïotes. En 2018 et 2019, Valcambi a reçu d'or des deux sociétés. Dans une lettre du , le Secrétariat de l'État de la Suisse aux Affaires économiques a demandé aux raffineries d'or du pays de contrôler les importations sur les importations des Émirats pour s'assurer de la présence ou non de lingots africains illicites. La Suisse a importé un volume élevé des ÉAU, estimé à 10 % des importations totales de l'or suisse en 2021. Les raffineries étaient tenues d'identifier le pays d'origine de l'or provenant des ÉAU.
Le 1 % des Dubaïotes les plus riches concentrent 50 % de la richesse nationale. Par contraste, 88 % de la population (qui sont des migrants) travaillent par jour, sur 7 pour l'équivalent de par mois.
Santé
Hôpital Rachid de Dubaï
Lieux et monuments
La Burj Khalifa, par ses et ses , est la plus haute tour du monde.
La Burj al-Arab est l'hôtel le plus luxueux de Dubaï.
Le Dubai Frame, ouvrage représentant un cadre photo géant d'une hauteur de avec point de vue.
Le parc Zabeel.
Palm Jumeirah.
Les plages qui bordent la côte.
Jumelages
;
;
;
;
;
;
;
.
Notes et références
Notes
Références
Annexes
Articles connexes
Émirats arabes unis
Lyon Dubaï City
Liste de villes des Émirats arabes unis
The Sustainable City
Liens externes
Portail touristique de la ville de Dubaï
Ambassade de France en EAU : les lycées français de la zone
Forum Francophone sur Dubai
Bibliographie
Mike Davis, Le Stade Dubaï du capitalisme, Paris : Les Prairies ordinaires, 2007 (recension sur EspacesTemps.net)
F. Heard-Bey, Les Émirats arabes unis, Paris : Karthala, 1999
Jim Krane, City of Gold. Dubai and the Dream of Capitalism, New York : Picador, St Martin's Press, 2010
Marc Lavergne, Dubaï, utile ou futile ? Portrait d'une ville rêvée à l'heure de la crise, in: Hérodote 2009/2, , 32-57.,
Nabil Malek, Dubaï, La rançon du succès, Éditions Amalthée, 2011
Christophe Masson, Lost in Dubaï, roman, Éditions Baudelaire, 2011
Jean-Manuel Traimond, Sourates pour Dubaï, Lyon : Atelier de création libertaire, 2010
Amélie Le Renard, Le privilège occidental : Travail, intimité et hiérarchies postcoloniales à Dubaï, Presses de Sciences Po, 2019
Camille Ammoun, Ougarit, roman, Éditions Inculte, 2019 | 14,212 |
https://stackoverflow.com/questions/76759341 | StackExchange | Open Web | CC-By-SA | 2,023 | Stack Exchange | Robbert, https://stackoverflow.com/users/11604383 | English | Spoken | 182 | 355 | Jupyter Notebook - Ipyregulartable output not shown
I want to use the Ipyregular widget in my Jupyter Notebook. This is a simple example:
import ipyregulartable as rt
import pandas as pd
import numpy as np
np.random.seed(25)
df = pd.DataFrame(np.random.random([5, 4]), columns =["A", "B", "C", "D"])
df = df.round({"A":1, "B":2, "C":3, "D":4})
w = rt.RegularTableWidget(rt.NumpyDataModel(np.random.random((10, 10))))
w
But nothing is shown when I execute the code. Any idea, why this could happen and nothing is shown? When I run print("Test") it works, so it must have to do with using the widget.
Following the advice in the answer:
It does not show the table, see the picture.
Try some validation before using this widget:
Widget Installation
pip install ipyregulartable
Import
import ipyregulartable as rt
Widget Initialization: Double-check that the widget is properly initialized and displayed in your notebook.
# Option 1 - Using display function
from IPython.display import display
display(w)
# Option 2 - Writing the widget object as the last line in the cell
w
If still not working then please post it here.
I edited my question regarding to your answer.
| 14,602 |
https://github.com/tatilq/Monkey-Trouble/blob/master/js/main.js | Github Open Source | Open Source | MIT | 2,016 | Monkey-Trouble | tatilq | JavaScript | Code | 119 | 482 |
var aSmile = document.getElementById("a_Smile");
var bSmile = document.getElementById("b_Smile");
var divSalida = document.getElementById("salida");
function Mostrar()
{
var valoraSmile=aSmile.value;
var valorbSmile=bSmile.value;
valoraSmile.toLowerCase()
if(valoraSmile == "" || valorbSmile == "" )
{
salida.innerHTML = "--";
document.getElementById("mensajes").innerHTML = '<div class="alert alert-danger">Responde todas las preguntas</div>';
}
else if(valoraSmile.toLowerCase() !="si" && valoraSmile.toLowerCase() != "no" || valorbSmile.toLowerCase() != "si" && valorbSmile.toLowerCase() != "no" )
{
salida.innerHTML = "--";
document.getElementById("mensajes").innerHTML = '<div class="alert alert-danger">Valores Incorrectos/Responde "SI" ó "NO"</div>';
}
else if(valoraSmile.toLowerCase() == "si" && valorbSmile.toLowerCase() == "si" || valoraSmile.toLowerCase() == "no" && valorbSmile.toLowerCase() == "no" )
{
salida.innerHTML = "1";
document.getElementById("mensajes").innerHTML = '<div class="alert alert-danger">Estamos en Problemas</div>';
}
else
{
salida.innerHTML = "0";
document.getElementById("mensajes").innerHTML = '<div class="alert alert-danger">No hay Problemas</div>';
document.getElementById("mono2").innerHTML = '<img src="images/monofeliz.png" alt="">';
}
}
| 33,423 |
https://github.com/piatrovm/reportportal-cypress/blob/master/cypress/integration/api.spec.ts | Github Open Source | Open Source | MIT | null | reportportal-cypress | piatrovm | TypeScript | Code | 128 | 523 | describe('amazon calculator',() => {
it('should posts result from json placeholder', () => {
cy.request('https://jsonplaceholder.typicode.com/posts').then(response => {
expect(response.status).to.eq(200)
expect(response.body).to.have.length(100)
})
});
it('should get posts/1 from json placeholder', () => {
const expectedBody = {
"userId": 1,
"id": 1,
"title": "sunt aut facere repellat provident occaecati excepturi optio reprehenderit",
"body": "quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto"
}
cy.request('https://jsonplaceholder.typicode.com/posts/1').then(response => {
expect(response.status).to.eq(200)
expect(response.body).to.be.eql(expectedBody)
})
});
it('should post new post to json placeholder', () => {
const body = {
"userId": 99,
"title": "test title",
"body": "test body"
}
cy.request('POST', 'https://jsonplaceholder.typicode.com/posts', body).then(response => {
expect(response.status).to.eq(201)
expect(response.body.userId).to.be.equal(body.userId);
expect(response.body.id).to.be.equal(101);
expect(response.body.title).to.be.equal(body.title);
expect(response.body.body).to.be.equal(body.body);
})
});
it('should delete post to json placeholder', () => {
cy.request('DELETE', 'https://jsonplaceholder.typicode.com/posts/1').then(response => {
expect(response.status).to.eq(200)
})
});
})
| 13,079 |
US-201514870442-A_1 | USPTO | Open Government | Public Domain | 2,015 | None | None | English | Spoken | 4,504 | 6,296 | Heterogeneous core microarchitecture
ABSTRACT
Embodiments relate to a heterogeneous core microarchitecture. An aspect includes binding, by an operating system that is executing on a processor comprising a core comprising a heterogeneous microarchitecture comprising two or more flows, a job that is being executed by the operating system to a flow of the two or more flows. Another aspect includes issuing an instruction corresponding to the job with a tag indicating the binding of the job to which the instruction corresponds. Yet another aspect includes executing the instruction by the flow in the core that is indicated by the tag.
BACKGROUND
The present invention relates generally to computer processorarchitecture, and more specifically, to a heterogeneous coremicroarchitecture for a computer processor.
As multi-core processors become more commonplace, power managementissues become more important. In a design era in which “green computing”is of ever-increasing importance, system- or datacenter-level powermanagement and control, requires effective, programmable powermanagement accessibility across computing elements within eachmicroprocessor chip. In addition to providing large, efficient powerreduction capability via dynamic voltage and frequency control, there isa need to provide smaller degrees of power reduction (when needed) atminimal complexity and performance overhead. The current generation ofmulti-core microprocessor chips does not provide such fine-grain,global, multi-core power management accessibility.
Power management solutions may incorporate particular power-savingmechanisms for a given core or non-core component within amicroprocessor chip. However, local conditions, such as temperature orregion-specific workload variations, trigger individual power-savingmechanisms and are not amenable to effective global control andoptimization via an on- or off-chip system power manager.
SUMMARY
Embodiments include a method, system, and computer program product for aheterogeneous core microarchitecture. An aspect includes binding, by anoperating system that is executing on a processor comprising a corecomprising a heterogeneous microarchitecture comprising two or moreflows, a job that is being executed by the operating system to a flow ofthe two or more flows. Another aspect includes issuing an instructioncorresponding to the job with a tag indicating the binding of the job towhich the instruction corresponds. Yet another aspect includes executingthe instruction by the flow in the core that is indicated by the tag.
BRIEF DESCRIPTION OF THE DRAWINGS
The subject matter which is regarded as embodiments is particularlypointed out and distinctly claimed in the claims at the conclusion ofthe specification. The forgoing and other features, and advantages ofthe embodiments are apparent from the following detailed descriptiontaken in conjunction with the accompanying drawings in which:
FIG. 1 depicts a computer processor comprising a heterogeneous coremicroarchitecture in accordance with an embodiment;
FIG. 2 depicts a core comprising a heterogeneous microarchitecture inaccordance with an embodiment;
FIG. 3 depicts a core comprising a heterogeneous microarchitecture inaccordance with an embodiment;
FIG. 4 depicts a process flow for implementing a heterogeneous coremicroarchitecture in accordance with an embodiment; and
FIG. 5 depicts an embodiment of a computer system for use in conjunctionwith embodiments of a heterogeneous core microarchitecture.
DETAILED DESCRIPTION
Embodiments of a heterogeneous core microarchitecture are provided, withexemplary embodiments being discussed below in detail. In a processorcore comprising a homogeneous core microarchitecture, all programsexecute on the same core hardware, such that all programs running on onecore use the same amount of power. In a processor comprising aheterogeneous core microarchitecture, multiple types of flows, which maycomprise separate hardware, may be provided within each individual coreof a processor. A single core may include, for example, both highperformance and energy efficient flows, or hardware, allowing programsto be bound to an appropriate type of hardware for execution, dependingon the requirements of the programs. A processor may include one or moreidentical cores, wherein each of the cores includes the heterogeneousmicroarchitecture comprising two or more flows. The heterogeneousmicroarchitecture prescribes physical flows of programs through thatcore, such that the operating system can bind any program to a specificflow. The two or more flows may be on the same hardware being run indifferent modes, or on distinct hardware in various embodiments. Inembodiments comprising distinct hardware, the core may include separatecaches for each flow that are kept coherent.
As used herein, a core comprises a unit that executes a program within aprocessor, and processor defines a system containing multiple cores. Aheterogeneous processor may include more than one kind of core. In aheterogeneous processor, programs that run on different types of coreswill have different performances, and will use different amounts ofenergy. However, in order to run on a heterogeneous processor, theoperating system needs to know which physical cores are of what type, sothat programs may be bound to appropriate physical cores within theprocessor. Therefore, an operating system running on a heterogeneousprocessor cannot be assigned to a virtual machine because the operatingsystem requires knowledge of the underlying physical machine. In aheterogeneous microarchitecture, each individual core in a processor hasmore than one possible flow. For processors comprising onlyheterogeneous cores, the composite processor is homogeneous, while thepossible flows are heterogeneous. In a computer system comprising ahomogeneous processor, wherein each core in the homogenous processorcomprises a heterogeneous microarchitecture, an operating system may runon a virtual machine, and assign different hardware types to differentprograms.
In some embodiments, different flows may be run on the same hardwarewith different restrictions applied, i.e. a first set of restrictionsmay cause the core hardware to operate in an energy efficient mode, anda second set of restrictions may cause the core hardware to operate in ahigh performance mode. In other embodiments, the different flows may berun on physically different hardware, and the core may include firsthardware that is specifically designed for performance, and secondhardware that is specifically designed for energy efficiency.
FIG. 1 illustrates an embodiment of a computer system 100 including aprocessor 101. The processor 101 is made up of a plurality of cores102A-N. Each of cores 102A-B includes high performance hardware 103A-N,energy efficient hardware 104A-N, and state registers 105A-N. Jobs 106are executed by operating system 107 on the computer system 100. Eachjob of jobs 106 may be bound by the operating system 107 as appropriatefor high performance or energy efficient hardware. Requests, orinstructions, from the jobs 106 are dispatched to the processor 101,each having a priority tag that is set by the operating system 107. Thepriority tags are used within each core 102A-N to determine whether aparticular instruction will be executed by high performance hardware,such as high performance hardware 103A-N, or by efficient hardware, suchas energy efficient hardware 104A-N. FIG. 1 is shown for illustrativepurposes only; for example, a processor may include any appropriatenumber of heterogeneous microarchitecture cores in various embodiments.Further, in some embodiments, the flows of a heterogeneousmicroarchitecture may comprise the same hardware that is run indifferent modes.
FIG. 2 illustrates an embodiment of a core 200 comprising aheterogeneous core architecture. Core 200 may comprise any of cores102A-N of FIG. 1. Core 200 includes high performance hardware 201 andenergy efficient hardware 202, in addition to a cache 203 and a tagmodule 204. Cache 203 may include multiple levels of cache, and may, insome embodiments, include different caches that are assigned to one ofthe high performance hardware 201 and energy efficient hardware 202. Insuch embodiments, the different caches in cache 203 are kept coherent.In some embodiments, high performance hardware 201 and energy efficienthardware 202 may comprise the same hardware run with differentrestrictions, or modes. In other embodiments, high performance hardware201 and energy efficient hardware 202 may comprise separate hardware.Tag module 204 determines the tag associated with instructions that arereceived on instruction input 205 and dispatches the instruction to theappropriate hardware (i.e., high performance hardware 201 or energyefficient hardware 202).
FIG. 3 illustrates another embodiment of a core 300 comprising aheterogeneous core architecture. Core 300 may comprise any of cores102A-N of FIG. 1. Core 300 includes high performance hardware 301, andenergy efficient hardware 302. High performance hardware 301 includes adedicated L1 instruction cache 303 in communication with two 3-way flowinstruction dispatching units 304A-B. The 3-way flow instructiondispatching units 304A-B dispatch 6 instructions at a time instructionsto parallel execution elements 305A-E, which may include but are notlimited to a fixed point unit, a floating point unit, a load/store unit,and a branch prediction unit. The execution elements 305A-E perform theinstructions using data from L1 data cache 306. L2 instruction cache isshared by the high performance hardware 301 and the energy efficienthardware 302. Energy efficient hardware 302 includes 3 relatively small(e.g., 64 kilobytes) local instruction caches 309A-C which loadinstructions from the L2 instruction cache 307. The instructions areexecuted using general purpose registers 310A-C and instructionpipelines 311A-C. Each instruction pipeline 311A-C may include aplurality of stages including decode, address generation, and two cyclesof execution. Data for the execution of instructions is held in L1 datacache 314. General register cache 308 holds data for thread switching inthe energy efficient hardware 302. L1 data cache 306 is in communicationwith L2 data cache 312, and L1 data cache 314 is in communication withL2 data cache 313. L1 data cache 306, L2 data cache 312, L2 data cache313, and L1 data cache 314 are kept coherent during operation of core300. FIG. 3 is shown for illustrative purposes only; a core comprising aheterogeneous microarchitecture may comprise any appropriate hardware invarious embodiments.
FIG. 4 illustrates an embodiment of a method 400 for a heterogeneouscore architecture. First, in block 401, a job is bound to a particularflow, e.g., energy efficient or high performance, of the heterogeneouscore microarchitecture. The job is being executed by an operating systemthat is running on a processor comprising a plurality of cores, eachcore comprising the heterogeneous microarchitecture. Next, in block 402,an instruction corresponding to the job is tagged according to thebinding of the job. Then, in block 403, the instruction is executed in acore by the particular flow (e.g., energy efficient or high performance)that is indicated by the tag. The instruction may be executed by anycore of a plurality of cores of the processor.
FIG. 5 illustrates an example of a computer 500 which may be utilized byexemplary embodiments of a heterogeneous core architecture. Variousoperations discussed above may utilize the capabilities of the computer500. One or more of the capabilities of the computer 500 may beincorporated in any element, module, application, and/or componentdiscussed herein. For example, embodiments of cores having aheterogeneous core microarchitecture may be incorporated into processor510.
The computer 500 includes, but is not limited to, PCs, workstations,laptops, PDAs, palm devices, servers, storages, and the like. Generally,in terms of hardware architecture, the computer 500 may include one ormore processors 510, memory 520, and one or more I/O devices 570 thatare communicatively coupled via a local interface (not shown). The localinterface can be, for example but not limited to, one or more buses orother wired or wireless connections, as is known in the art. The localinterface may have additional elements, such as controllers, buffers(caches), drivers, repeaters, and receivers, to enable communications.Further, the local interface may include address, control, and/or dataconnections to enable appropriate communications among theaforementioned components.
The processor 510 is a hardware device for executing software that canbe stored in the memory 520. The processor 510 can be virtually anycustom made or commercially available processor, a central processingunit (CPU), a digital signal processor (DSP), or an auxiliary processoramong several processors associated with the computer 500, and theprocessor 510 may be a semiconductor based microprocessor (in the formof a microchip) or a macroprocessor.
The memory 520 can include any one or combination of volatile memoryelements (e.g., random access memory (RAM), such as dynamic randomaccess memory (DRAM), static random access memory (SRAM), etc.) andnonvolatile memory elements (e.g., ROM, erasable programmable read onlymemory (EPROM), electronically erasable programmable read only memory(EEPROM), programmable read only memory (PROM), tape, compact disc readonly memory (CD-ROM), disk, diskette, cartridge, cassette or the like,etc.). Moreover, the memory 520 may incorporate electronic, magnetic,optical, and/or other types of storage media. Note that the memory 520can have a distributed architecture, where various components aresituated remote from one another, but can be accessed by the processor510.
The software in the memory 520 may include one or more separateprograms, each of which comprises an ordered listing of executableinstructions for implementing logical functions. The software in thememory 520 includes a suitable operating system (O/S) 550, compiler 540,source code 530, and one or more applications 560 in accordance withexemplary embodiments. As illustrated, the application 560 comprisesnumerous functional components for implementing the features andoperations of the exemplary embodiments. The application 560 of thecomputer 500 may represent various applications, computational units,logic, functional units, processes, operations, virtual entities, and/ormodules in accordance with exemplary embodiments, but the application560 is not meant to be a limitation.
The operating system 550 controls the execution of other computerprograms, and provides scheduling, input-output control, file and datamanagement, memory management, and communication control and relatedservices. It is contemplated by the inventors that the application 560for implementing exemplary embodiments may be applicable on allcommercially available operating systems.
Application 560 may be a source program, executable program (objectcode), script, or any other entity comprising a set of instructions tobe performed. When a source program, then the program is usuallytranslated via a compiler (such as the compiler 540), assembler,interpreter, or the like, which may or may not be included within thememory 520, so as to operate properly in connection with the O/S 550.Furthermore, the application 560 can be written as an object orientedprogramming language, which has classes of data and methods, or aprocedure programming language, which has routines, subroutines, and/orfunctions, for example but not limited to, C, C++, C#, Pascal, BASIC,API calls, HTML, XHTML, XML, ASP scripts, FORTRAN, COBOL, Perl, Java,ADA, .NET, and the like.
The I/O devices 570 may include input devices such as, for example butnot limited to, a mouse, keyboard, scanner, microphone, camera, etc.Furthermore, the I/O devices 570 may also include output devices, forexample but not limited to a printer, display, etc. Finally, the I/Odevices 570 may further include devices that communicate both inputs andoutputs, for instance but not limited to, a NIC or modulator/demodulator(for accessing remote devices, other files, devices, systems, or anetwork), a radio frequency (RF) or other transceiver, a telephonicinterface, a bridge, a router, etc. The I/O devices 570 also includecomponents for communicating over various networks, such as the Internetor intranet.
If the computer 500 is a PC, workstation, intelligent device or thelike, the software in the memory 520 may further include a basic inputoutput system (BIOS) (omitted for simplicity). The BIOS is a set ofessential software routines that initialize and test hardware atstartup, start the O/S 550, and support the transfer of data among thehardware devices. The BIOS is stored in some type of read-only-memory,such as ROM, PROM, EPROM, EEPROM or the like, so that the BIOS can beexecuted when the computer 500 is activated.
When the computer 500 is in operation, the processor 510 is configuredto execute software stored within the memory 520, to communicate data toand from the memory 520, and to generally control operations of thecomputer 500 pursuant to the software. The application 560 and the O/S550 are read, in whole or in part, by the processor 510, perhapsbuffered within the processor 510, and then executed.
When the application 560 is implemented in software it should be notedthat the application 560 can be stored on virtually any computerreadable storage medium for use by or in connection with any computerrelated system or method. In the context of this document, a computerreadable storage medium may be an electronic, magnetic, optical, orother physical device or means that can contain or store a computerprogram for use by or in connection with a computer related system ormethod.
The application 560 can be embodied in any computer-readable storagemedium for use by or in connection with an instruction execution system,apparatus, or device, such as a computer-based system,processor-containing system, or other system that can fetch theinstructions from the instruction execution system, apparatus, or deviceand execute the instructions. In the context of this document, a“computer-readable storage medium” can be any means that can store theprogram for use by or in connection with the instruction executionsystem, apparatus, or device. The computer readable storage medium canbe, for example but not limited to, an electronic, magnetic, optical,electromagnetic, or semiconductor system, apparatus, or a device.
More specific examples (a nonexhaustive list) of the computer-readablestorage medium may include the following: an electrical connection(electronic) having one or more wires, a portable computer diskette(magnetic or optical), a random access memory (RAM) (electronic), aread-only memory (ROM) (electronic), an erasable programmable read-onlymemory (EPROM, EEPROM, or Flash memory) (electronic), an optical fiber(optical), and a portable compact disc memory (CDROM, CD R/W) (optical).Note that the computer-readable storage medium could even be paper oranother suitable medium, upon which the program is printed or punched,as the program can be electronically captured, via for instance opticalscanning of the paper or other medium, then compiled, interpreted orotherwise processed in a suitable manner if necessary, and then storedin a computer memory.
In exemplary embodiments, where the application 560 is implemented inhardware, the application 560 can be implemented with any one or acombination of the following technologies, which are well known in theart: a discrete logic circuit(s) having logic gates for implementinglogic functions upon data signals, an application specific integratedcircuit (ASIC) having appropriate combinational logic gates, aprogrammable gate array(s) (PGA), a field programmable gate array(FPGA), etc.
Technical effects and benefits include reduction of power usage in acomputer processor.
The present invention may be a system, a method, and/or a computerprogram product. The computer program product may include a computerreadable storage medium (or media) having computer readable programinstructions thereon for causing a processor to carry out aspects of thepresent invention.
The computer readable storage medium can be a tangible device that canretain and store instructions for use by an instruction executiondevice. The computer readable storage medium may be, for example, but isnot limited to, an electronic storage device, a magnetic storage device,an optical storage device, an electromagnetic storage device, asemiconductor storage device, or any suitable combination of theforegoing. A nonexhaustive list of more specific examples of thecomputer readable storage medium includes the following: a portablecomputer diskette, a hard disk, a random access memory (RAM), aread-only memory (ROM), an erasable programmable read-only memory (EPROMor Flash memory), a static random access memory (SRAM), a portablecompact disc read-only memory (CD-ROM), a digital versatile disk (DVD),a memory stick, a floppy disk, a mechanically encoded device such aspunch-cards or raised structures in a groove having instructionsrecorded thereon, and any suitable combination of the foregoing. Acomputer readable storage medium, as used herein, is not to be construedas being transitory signals per se, such as radio waves or other freelypropagating electromagnetic waves, electromagnetic waves propagatingthrough a waveguide or other transmission media (e.g., light pulsespassing through a fiber-optic cable), or electrical signals transmittedthrough a wire.
Computer readable program instructions described herein can bedownloaded to respective computing/processing devices from a computerreadable storage medium or to an external computer or external storagedevice via a network, for example, the Internet, a local area network, awide area network and/or a wireless network. The network may comprisecopper transmission cables, optical transmission fibers, wirelesstransmission, routers, firewalls, switches, gateway computers and/oredge servers. A network adapter card or network interface in eachcomputing/processing device receives computer readable programinstructions from the network and forwards the computer readable programinstructions for storage in a computer readable storage medium withinthe respective computing/processing device.
Computer readable program instructions for carrying out operations ofthe present invention may be assembler instructions,instruction-set-architecture (ISA) instructions, machine instructions,machine dependent instructions, microcode, firmware instructions,state-setting data, or either source code or object code written in anycombination of one or more programming languages, including an objectoriented programming language such as Smalltalk, C++ or the like, andconventional procedural programming languages, such as the “C”programming language or similar programming languages. The computerreadable program instructions may execute entirely on the user'scomputer, partly on the user's computer, as a stand-alone softwarepackage, partly on the user's computer and partly on a remote computeror entirely on the remote computer or server. In the latter scenario,the remote computer may be connected to the user's computer through anytype of network, including a local area network (LAN) or a wide areanetwork (WAN), or the connection may be made to an external computer(for example, through the Internet using an Internet Service Provider).In some embodiments, electronic circuitry including, for example,programmable logic circuitry, field-programmable gate arrays (FPGA), orprogrammable logic arrays (PLA) may execute the computer readableprogram instructions by utilizing state information of the computerreadable program instructions to personalize the electronic circuitry,in order to perform aspects of the present invention
Aspects of the present invention are described herein with reference toflowchart illustrations and/or block diagrams of methods, apparatus(systems), and computer program products according to embodiments of theinvention. It will be understood that each block of the flowchartillustrations and/or block diagrams, and combinations of blocks in theflowchart illustrations and/or block diagrams, can be implemented bycomputer readable program instructions.
These computer readable program instructions may be provided to aprocessor of a general purpose computer, special purpose computer, orother programmable data processing apparatus to produce a machine, suchthat the instructions, which execute via the processor of the computeror other programmable data processing apparatus, create means forimplementing the functions/acts specified in the flowchart and/or blockdiagram block or blocks. These computer readable program instructionsmay also be stored in a computer readable storage medium that can directa computer, a programmable data processing apparatus, and/or otherdevices to function in a particular manner, such that the computerreadable storage medium having instructions stored therein comprises anarticle of manufacture including instructions which implement aspects ofthe function/act specified in the flowchart and/or block diagram blockor blocks.
The computer readable program instructions may also be loaded onto acomputer, other programmable data processing apparatus, or other deviceto cause a series of operational steps to be performed on the computer,other programmable apparatus or other device to produce a computerimplemented process, such that the instructions which execute on thecomputer, other programmable apparatus, or other device implement thefunctions/acts specified in the flowchart and/or block diagram block orblocks.
The flowchart and block diagrams in the Figures illustrate thearchitecture, functionality, and operation of possible implementationsof systems, methods, and computer program products according to variousembodiments of the present invention. In this regard, each block in theflowchart or block diagrams may represent a module, segment, or portionof instructions, which comprises one or more executable instructions forimplementing the specified logical function(s). In some alternativeimplementations, the functions noted in the block may occur out of theorder noted in the figures. For example, two blocks shown in successionmay, in fact, be executed substantially concurrently, or the blocks maysometimes be executed in the reverse order, depending upon thefunctionality involved. It will also be noted that each block of theblock diagrams and/or flowchart illustration, and combinations of blocksin the block diagrams and/or flowchart illustration, can be implementedby special purpose hardware-based systems that perform the specifiedfunctions or acts or carry out combinations of special purpose hardwareand computer instructions.
The descriptions of the various embodiments of the present inventionhave been presented for purposes of illustration, but are not intendedto be exhaustive or limited to the embodiments disclosed. Manymodifications and variations will be apparent to those of ordinary skillin the art without departing from the scope and spirit of the describedembodiments. The terminology used herein was chosen to best explain theprinciples of the embodiments, the practical application or technicalimprovement over technologies found in the marketplace, or to enableothers of ordinary skill in the art to understand the embodimentsdisclosed herein.
What is claimed is:
1. A computer program product for implementing aheterogeneous microarchitecture, the computer program productcomprising: a computer readable storage medium having programinstructions embodied therewith, the program instructions readable by aprocessing circuit to cause the processing circuit to perform a methodcomprising: binding, by an operating system that is executing on ahomogeneous processor comprising a plurality of cores, each corecomprising a heterogeneous microarchitecture comprising two or moreflows, a job that is being executed by the operating system to a flow ofthe two or more flows, wherein the operating system is running on avirtual machine of the homogeneous processor; issuing an instructioncorresponding to the job with a tag, wherein the tag is set by theoperating system, indicating the binding of the job to which theinstruction corresponds; determining the tag associated with a receivedinstruction; responsive to the determining, dispatching the receivedinstruction to first hardware or a second hardware according to the tag;wherein the first hardware comprises a dedicated L1 instruction cachecoupled to two 3-way flow dispatching units, the two 3-way dispatchingunits being coupled to a plurality of execution units and an L1 datacache, and the second hardware comprises a 64 kilobyte local instructioncache which loads instructions from an L2 cache, at least oneinstruction pipeline, and an L1 data cache; wherein at least one L2instruction cache is shared between the first hardware and the secondhardware; wherein the L1 data cache of the second hardware is coupled toa first L2 data cache, and the L1 data cache of the first hardware iscoupled to a second L2 data cache; and executing the instruction by theflow in the core that is indicated by the tag.
2. The computer programproduct of claim 1, wherein the two or more flows comprise the samehardware operated in different modes corresponding to each flow.
3. Thecomputer program product of claim 1, wherein the two or more flowscomprise distinct hardware.
4. The computer program product of claim 3,wherein each core in the homogeneous processor comprises the samemicroarchitecture.
5. The computer program product of claim 3, whereineach flow comprises a respective cache, and wherein coherency ismaintained in the caches in the core during operation.
6. A computersystem for a heterogeneous core microarchitecture, the systemcomprising: a memory; and a homogeneous processor, communicativelycoupled to said memory, the homogeneous processor comprising a pluralityof cores each comprising a heterogeneous microarchitecture comprisingtwo or more flows, the computer system configured to perform a methodcomprising: binding, by an operating system that is executing on thehomogeneous processor, a job that is being executed by the operatingsystem to a flow of the two or more flows, wherein the operating systemis running on a virtual machine of the homogeneous processor; issuing aninstruction corresponding to the job with a tag, wherein the tag is setby the operating system, indicating the binding of the job to which theinstruction corresponds; determining the tag associated with theinstruction; responsive to the determining, dispatching the instructionto first hardware or a second hardware according to the tag, wherein thefirst hardware comprises a dedicated L1 instruction cache coupled to two3-way flow dispatching units, the two 3-way dispatching units beingcoupled to a plurality of execution units and an L1 data cache, and thesecond hardware comprises a 64 kilobyte local instruction cache whichloads instructions from an L2 cache, at least one instruction pipeline,and an L1 data cache; wherein at least one L2 instruction cache isshared between the first hardware and the second hardware; wherein theL1 data cache of the second hardware is coupled to a first L2 datacache, and the L1 data cache of the first hardware is coupled to asecond L2 data cache; and executing the instruction by the flow in thecore that is indicated by the tag.
7. The system of claim 6, wherein thetwo or more flows comprise the same hardware operated in different modescorresponding to each flow.
8. The system of claim 6, wherein the two ormore flows comprise distinct hardware.
9. The system of claim 8, whereineach core in the homogeneous processor comprises the samemicroarchitecture.
10. The system of claim 8, wherein each flowcomprises a respective cache, and wherein coherency is maintained in thecaches in the core during operation..
| 39,229 |
https://github.com/buikemichael/nodechat/blob/master/client/node_modules/@iconify-icons/ri/thermometer-fill.js | Github Open Source | Open Source | Apache-2.0 | 2,021 | nodechat | buikemichael | JavaScript | Code | 49 | 286 | var data = {
"body": "<path d=\"M20.556 3.444a4 4 0 0 1 0 5.657l-8.2 8.2a3.999 3.999 0 0 1-2.387 1.147l-3.378.374l-2.298 2.3a1 1 0 0 1-1.414-1.415l2.298-2.299l.375-3.377c.1-.903.505-1.745 1.147-2.387l8.2-8.2a4 4 0 0 1 5.657 0zm-9.192 9.192L9.95 14.05l2.121 2.122l1.414-1.415l-2.121-2.121zm2.828-2.828l-1.414 1.414l2.121 2.121l1.415-1.414l-2.122-2.121zm2.829-2.829l-1.414 1.414l2.12 2.122L19.143 9.1l-2.121-2.122z\" fill=\"currentColor\"/>",
"width": 24,
"height": 24
};
export default data;
| 1,535 |
HWTFA3SHJH5PIEJ4JXFB4XHZYDEJAGOL_1 | German-PD-Newspapers | Open Culture | Public Domain | 1,894 | None | None | German | Spoken | 11,472 | 18,991 | Nr. 48. — 1. Blatt. un gechrnar ! ) Bec A boobcote Bezugs = Preis pro Monst 50 Pg. ( mit „ Kikeriki “ 60 Pfg. ) frei in das Haus gebracht , durch die Post bez. vierteljährl. Met. 50 bezw M. 80. to0. Sene Fernsprech = Anschluß Nr. für Quisburg und Umgegend. Fernsprech = Anschluß Nr. 290. Anzeigen kosten die Sgespalt Zeile ed. # deren Raun 15 Die # 3 Anzeigen von außer S halb unseres Verbrei¬ * tungskreises Kummend # 20 Pfe. 8 Sooooooobobosork Verbreitungsbezirk : Duisburg Stadt und Land Speldorf , Broich , Huckingen , Großenbaum , Rahm , Ehingen , Angermund , Mündelbeim , Kaiserswerth , Wanheim. — Ruhron. Meiderich , Laar , Mühlenfeld , Stockum , Beeck , Hamborn , Aldenrade , Dinslaken , Holten , Sterkrade. — Mülheim a. , Heißen , Schonedeck , Winkhausen , Fulerum , Dumpten , Styrum , Saarn , Mintard , Lintorf , Kettwig , Oberhausen , Alstaden , Lirich , Osterfeld. — Homberg , Hochheide , Moers , Hochemmerich , Baerl , Orsoy , Uerdingen , Rheinhausen , Budberg. Nummer der Zeitungspreisliste : 2535. Eing mit „ Klkers = u. Nummer 2435. 1 GOSEU ERSDCILSLLSSLZZT Beekstrasse 33 Deissond Beekstrasse 99. Zar Oohhmrmnacich Schwarze Cachemires , reine Wolla deppetbreit. Meter 80 Pig bis 1,60 Mark. Schwarze Double - Cachemires , reine Wolle , doppeltbreit. Meter 1,50 Mark bis 4,00 Mark. Schwarze Cheviots und Creps etc. , reine Wolle , doppeltbreit Meter 1,35 Mark bis 3,00 Mark , Für Prüfungskleider : Ein Posten Cheviots in lien Farben , reine Wole. Meter 85 Pg. Ein Posten Stolle , engüischer Geschmack. Metar 72 Ptg Während des Reste - Ausverkaufes schwarze und farbige Kleiderstoff - Reste bedeutend unter Selbstkostenpreis. Täglich Eingang von Frühjahrs - Neuheiten in grosser Auswahl. I Koridein vom Foß ( seinste Quolität , gerantin rein ) per Liter 75 Pig. 3463 ) empfiehlt Aug. Schreelkamp , Voogasse 29. II. Mierhiong Luisburg , Schwarzerweg 27 „ liefert billigs 1550 Ia. Causbrandtoblen , Rots , Eierbrikets. n Butter , Eier , Käse u. Fleischwaren en gros en detail von Alex Busch , Duisburg , Beekstr. 10. Billigste Preise. Reelle Bedienung. THYENT - BETCS Erwirkung und speziell vorzüglichste Verwertung von Patenten in allen Staaten , insbesondere von PATENTEN in Amerika. Auskunft gratis. — Streng reelle und prompteste Bedienung. — Correspondenzen und Uebersstsungen in 30 Sprachen. 26. Februar Politische Rundschau. Deutschland. Perlin , 23. Febr iar. Auf Wunsch des Raisers sollen bei den Wettrennen , wie die „ Koln. Zig. sich aus Berlin berichten laßt , durch Anordnung der Ren mannigfache Veränderungen eintreten Zunachst wird es aufhoren , daß ein Offizier die Pferde aller moglichen und vielleicht auch unmog. lichen Rennstallbesitzer reitet ; die Renn = Urlaube werden wohl sehr stark eingeschrankt werden ; denn es war keine Seltendeit , daß ein Offizier heute in Berlin , morgen in Hannover , übermorgen in Leipzig , am Tage darauf in Baden = Baden ritt , und jedes mal fremde Pierde. Auch wird man , durch Erfa # # # # ung beleort , bei der Zulassung englischer Herrenreuer kunftig vorsichtiger sein. - Die beabsichtigte Reise der Kaiserin mit den kaiserlichen Kindern nach Abozzia ist durch ein Erholu # gebee dürfniß der Kaiserin veranlaßt. Nach der „ Kreuz = Hig. der Kaiser seiner Gemahlin erst foigen , wenn der deutsch russische Handelsvertrag erledigt ist. In Abbazia wurden in der Billa Angiolina und in einigen anderen Billen zahlreic. Räumlichkeiten für das deutsche Kaiserpaar gemietet. — Prinz Heinrich übernimmt am 25. Februar für die Dauer der Beurlaubung des Vize Admirals Koster das Kommando des Manövergeschoaders. „. gricheru # — Zum Kaiserbesuch in Griedrichsruh wito offiziös im „ Hamb. Korresp. “ versichert , daß zwischen dem Kaiser und Fürst Bismarck wichtige Fragen der Politik nicht besprochen worden sind. „ Das Haup ' gesprach des Abends drehie sich , wie einer der Berichterstatter schreibi , um den Gesundheits zustand des Fursten. Dieser hat dem Kaiser eine ganz genaue Schi derung seiner Krankheitsgeschichte von der Kissinger Lungen entzündung an bis zum letzten Jufluenzaanfall gegeben. Im weiteren sei der Sturmwind der vergangenen Woche angelegent lich erörtert. Der Fürst berichtete , weiche Verwüstungen der selde in seinem Sachsenwalde angerichtet , wovon er sich durch Augenschein überzeugt habe. Auch über die beabsichtigten Ver änderungen und Verbesserungen bei der Uniformierung der Infanterie , sowie über die Frage der Gewichtsverminderung des Gepacks des Infanteriesoldaten habe der Kaiser den Fursten Bsnarc iniormitr. “ son nabn. N. 5 — Die Stempelsteuer = Kommimnsu nahm eine # 0 lution an , wonach die Regierung im Aufsichtswege die Börsen organe anweisen soll , dafür zu sorgen , daß usancemäßig der Kommissionär seinem Komitienten keinen Siempel berechnet , den er nicht verauslagt hat. Hierauf vertagte sich die Kommission Die gektrige Sitzung der Silber = Euquete Kommission dauerte von 7 bis gegen 10 Uhr. Nach der umfassenden Rede des Reichsschatzsekretärs Grafen v. Posa dowsky folgte eine längere Geschaftsordnungsberatung , in deren Verlauf beschlossen wurde , die Sitzungen um 14 Tage zu ver tagen , damit den einzelnen Mitgliedern Gelegenhett gegeben werde , eingehende Vorschläge zur Hebung des Silberwertes zu — Die Kommission für Arbeiterstatistik hat an gesichts der widersprechenden Meinungen der vernommenen Sachverständigen von einer endgultigen Beschlußfossung über die in Aussicht zu nehmende Regelung der Arbeitszeit in Bäckereien und Konditoreien abgesehen. Dieselbe ist der nächsten Sitzung vorbehalten. Fur die von einem besonderen Ausschuß für diese Sitzung vorzuberatenden Vorschlage ergiebt sich als vorläufige Ansicht der Mehrheit der Kommission Folgendes : In Bäckereien und Konditoreien wird eine Beschränkung der Ar beitszeir für erforderlich und durchführbar gehalten. In Bäckereien darf die Arbeitszeit der Gesellen an den sechs Wochen tagen zusammen die Dauer von 75 Stunden , die tägliche Ar beitszeit die Dauer von 14 Stunden nicht übersteigen. Die Pausen , welche kürzer sind als eine Stunde , sind in die Ar beitszeit mit einzurechnen. Die tägliche Arbeitszeit der linge ist im 1. Lehrjahre durchschnittlich um 2 Stunden , im 2. Lehrjahre 1 Stunde “ kürzer zu bemessen als die der Gesellen und darf im 1. Lehrjahre die Dauer von 11 Stunden nicht überschreiten. Für 34 Tage im Jahre bleibt die Arbeitszeit unbeschränkt. An Sonntagen ist den Gesellen und Lehrlingen eine ununterbrochene Ruhezeit von 15 Stunden zu gewähren. In Konditoreien ist die Arbeitszeit für die 6 Wochentage eben falls auf 75 Stunden , die Dauer der täglichen Arbeitszeit aber nicht zu beschränken. Fur 60 Tage im Jahre bleibt die Ar beitszeit unbeschränkt. — Der Nordd. Allg. Ztg. zufolge werden am 19. März die Vertreter der Glasbutten = Industrie nach Berlin be rufen , um mit den Regierungsvertretern die Ausnahmebestim mungen über die Sonntagsruhe durchzusprechen. — Der,Vorwärts " verlangt , daß das Reich für eine ansreichende Unterstützung der Hinterbliebenen der Opfer auf „ Brandenburg “ sorge : man dürfe das nicht der Privatwohl thätigkeit überlassen. Brasilien. Buenos = uhren , 2z. Februar. Des brasilianischen Prasidenten Peixoto Torpedoboote „ Panne “ und „ Pernambuco “ sind wegen der Unzulänglichkeit der Mannschaft gezwungen , in Bahia einen Dampfer abzuwarten , der sie süd warts schleppen soll. Die Katastrophe auf dem Panzerschiff Brandenburg. Nach der vom Dezernenten im Reichs marine = Amt Geheimrat Laugner am 17. Februar auf der „ Brandenburg " vorge nommenen Untersuchung ist die Ursache des Platzens des Hauptdampfrohrs , wo durch das Unglück herbeigefuhrt , auf einen Konstruktionsfehler beim Bau zu racktafabren. " guue ur MM Heute Nachmittag ist die Beeieiguug der Muschinisten Siephany und des Oberheizers Giesel erfolgt. Im Leichen gefolge befanden sich der Geschwaderchef , zahlreiche Offiziere , Abordnungen von Schiffen der ersten Division und des Se Die funf Verwundeten # vie viele Bucger. der Leichenhalle logen , schreibt : neuerlegend ' s Bild r rewahrte man , hauen die Opter denn es in festges # fur 38 • 2 ngen lagen die Leichen auf blutigen Laken. Die Korver der wurden gelb gebruht und stand vor deren Mund dicker Schaum. Ja allen moglitzen verzerrten Stellungen lagen die ungluckten. Viele hatten die Arme in die Luft gestreckt , als ob sie die die Gefahr im letzten Augenblick noch von sich ab wenden wollten Mehrere Arbeiter halten noch Twist in den verbrühten Handen. Die Stiefeljohlen der Verunglückten sind infolge der großen Hite geplag : und das Leder ist ganz zu sammenzeschrumpft. Die Leichen der später gestordenen Schwerverwundeten zeigien entsetzliche Brandwunden. Bei fast allen höhern Beamten hat ein tragisches Miß. geschick gewaltet , denn sie haben zum Teil in Ver tretung die Probefahrt mitgemacht. Reserve = Ingenieur Schultz ein Kieler Kaufmann , hätte am Samstag seine Uebung beendigt gehabt , wäre er nicht einen Tag vorher der unseligen Katastrophe zum Opfer gefallen. Er hatte sich frei willig zur Dienstleistung auf Panzer „ Brandendurg " gemeldet , um die neuen Moschinen kennen zu lernen. Auch der ums Leden gekommene Maschinenbaumeister der kaiserlichen Werft , Ofers , war in Stellvertretung an Bord des Schiffes komman diert , desgleichen der Ingenieur Merks. Ofers und Merks sind von der heißen Dampfen im Zwischendeck etwa 8 Meter von dem Eingang zur Maschine ereilt und tol zu Boden gefallen. Die Kochmaate sind in ihren Combusen ( Küche ) verbrannt. Die Deckoffizier = und Offiziercombusen liegen zu beiten Seiten der Maschienausgänge. Ein Stewart war in seiner Angst in ein Spind gekrochen und hatte die Thar hinter sich ge schlossen. Der arme Mairose ist später verbruht in dem Be hälter als Leiche gefunden worden. Angesichts der schrecklich entstellten Opfer kann man erst ermessen , welche Wirkung der heiße Dampf ausgeübt hat. Aus dem Privatbrief eines jungen Mannes , der zur Zeit auf dem Panzerschiff „ Brandenburg " dient und der bei der alle Katastrophe mit knapper Not dem Tode entgangen ist , werden im „ Köln. Stadtanz. noch folgende Einzelheiten mitgetheilt : „ Wir waren drei Stunden gefahren und in offener See , als sich das fürchterliche Unglück ereignete. Ich defand mich gerade oberhalb der Maschine , als ich plotzlich ein starkes Rauschen vod Brausen hörte. Ich wollte mich zu dem Ort begeben nachsehen , was da los sei. Gleichzeitig klang aber auch schon ein schmerzliches Geschrei an mein Ohr , und auf dem Wege zur Maschine kam mir ein solcher Druck und eine solche ins Gesicht , daß ich sofort zu Boden fiel. In angst raffte ich mich auf und lief ich zum Bullauge ( Fenster ) , drückte mich mit aller Kraft hindurch und wollte schnell über Bord springen , als ich über mir die Ankerbefestigung bemerkte , darnach griff und mich daran festklammerte. Der Ruf erscholl „ Sämmtliche Boote klar ! " Alle Rettungsboote wurden in See gesetzt und mit Mannschafften besetzt , da man glaubte , das Schiff werde in die Luft fliegen. Nachdem festgestellt worden , daß das Schiff keinen Leck hatte , ging alles wieder an Bord , um zu sehen , was eigentlich los sei. Der Kommandant , der erste Offizier drangen mit 15 Matrosen in den Maschinen raum , wo es stockfinster war , da das elektrische Licht ausgegangen war. Aus dem Maschinenraum drang ein betäubender Geruch empor. Schnell wurden Laternen angezündet , und unsern Augen bot sich nun ein entsetzlicher Anblick. Ueberall sahen wir entstellte und verstummelte Leichen. Mehrere Matrosen wurden beim Anblick dieses Elends ohnmächtig. wurde die ganze Besatzung herbeigerufen und Freiwillige auf gefordert , sich zu melden , um die Leichen an Deck zu schaffen. Kaum waren die Leute über die heißen Treppen in den Maschinenraum gelangt , als wieder mehrere in Ohnmacht fielen bei dem fürchterlichen Anblick , der sich ihnen vot. Ii kann nicht beschreiben , wie es uns zu Mute war , einige Leichen nach oben schafften ; die meisten von uns wurden ohnmächtig. Inzwischen war das Notfignal gehißt worden und nach und nach trafen von den andern Schiffen Lazareit gehilfen und Aerzte ein. Das Schiff trieb auf offeuer See ; es konnte nicht fahren , weil kein Dampf mehr vorhanden war. Die Leichen mußten behutsam angefaßt werden , da sie beinahe auseinanderfielen ; sie waren soztsagen gekocht. Ich kann Euch , meine Lieben , nicht alles erzählen ; ich bia noch ganz erschüttert von dem Vorfau. Wir können von Glück sagen , daß nicht das ganze Schiff in die Luft geflogen ist , denn in den Kesseln war kein Dampf mehr und die Feuer mußien schnell ausgespritzt werden. “ , 9 Ein weilerer Augenzeuge der Katastrophe als vem Pauzer „ Brandenburg " erzählt in einem gestern in Berlin eingetroffenen Briefe an Verwandte über den unglücklichen Vorfall folgendes : „ Als die Explosion erfolgte , hatte man von der Größe der Gefahr noch keinen Begriff , Ingenieure und Maschinisten glaubten durch mutvolles personliches Eingreisen etwalges Ungluck noch verhindern zu können. So befand sich z. B. Ingenteur Merks , der zur Schiffsprüfuagskommission gehörte und deshalb die Probefahrt mitmachen mußie , gerade im Zwischendeck ( Raum über der Maschine ). Ein Maschinist erfaßte ihn am Arme und nief ihm Ju :. 94 Herant , der Joguckhe. Doch Ingenieur Merks riß sich eos und eilte nach der anderen Seite , der Unfallstelle zu. Der Maschinist war gerettet — den Ingenieur fand man nach 1½ Stunden als Leiche ; er hatte in dem Dampf nich wieder zurückfinden können. Au der Schottthur zur zweiten Schiffsmaschine fand man 14 Leichen übereinander , im Lichtmaschinenraum edenso viele. Der ausstromende Dampf — 12 Atmosphären bei 187 Celsius Hitze — tödtete alle fast augendlicklich : Ein Heizer stard mit der Schausel in der Hand , in gebückter Stellung , wie er eden Kohlen aufschaufeln wollte. Maschinistenmaate hielten den Twist krampfhaft in der skelettirten , Hand oder den Meiße ! die Feile. Der eins Matrose , Koch , wurde als Leiche , an die Komduse gelehnt , gesunden , in der Hand eine Kartoffel , die er gerade schalen wollte. — Die Leichen sehen schrecklich Einen Obermaat “ der nicht gerade schmächtig ist , trieb die Todesangst durch eine Lucke , die er sonst nur für groß genug zum Kopfdurchstecken gehalten hatte. Die Offiziere , welche in ihren Kammern waren , um nicht zu ersticken , den Kopf , so wett es ging , aus den Sulaugen beraustreden. Große Umsicht bewies ein junger Ingeneur Momting ; zu nachst stellie er trotz des schon einstromenden Dampfes die zweite Schiffsmaschine ad — der Maschinist , der ihm dabei dehulflich war , ist seinen Verletzungen erlegen — , dann erst reitete er sich in einen leeren Vorratsraum , der tiefer als die Maschine liegt. Dorihin hatten sich auch sechs Werstardeiter ereitet. Nach wenigen Minuten aber machte der ein ströwende Dampf den Aufenthalt hier gleichfalls un möglich. Eine Luke unten am Deck führte , wie Ingenieur M. wußte , in einen „ Wassertank ". Diese Luke li er öffnen und die Arbeiter hineinkriechen Ein schon schwach gewordener Mann mußte geschleppt werden. Ingenieur M. kroch als Letzter nach und schraubte die Luke von unt u fest. Vor Dampf waren sie unn gerettet , aber in dem engen Raume , in dem sie sich kaum rühren konnte und der seine einzige Lustzufuhr durch even jene Luke datte , ging dald der Sauerstoff aus. Schwerer und schwerer atmeten die Leute und wollten mit Gewalt die Luke öffnen. Doch Ingenieur M. rief ihnen zu , daß er den Ersten niederschlagen wurde , der Hand an den Verschluß legen sollte , die Gefahr werde bald voruder sein ! Durch fortwädrendes Klopsen an die eisernen Wände suchten sich die Eingeschossenen demerkdar zu machen und nach schrecklich 25 Minuten wurden sie auch glücklich gerettet. Hatten die Leute die Luke geöffnet , so würden ste alle sofort zu Tode verchtäiht workten , ig. Wegrsien ua B. Wäre das Unglück etwas spater anselerten , W0 die gesammte Mannschaft in Zwischendeck beim Essen gesessen hätte , oder wäre es gar in der Nacht geschehen , sogwürde das Schiff ein einziges Leichenfeld geworden sein. “ dem auarchistischen Lager. Berlin , 23. Februar. Die Strafkammer vrrurteilte heute die Anarchisten Dr. Gumplowicz und Tochmacher dorf wegen Aufreizung zu Gewalttyatigkeiten in öffentlichen Versammlungen zu 9 dezw. 3 Monaten Gefängnis. Wien , 23. Fedruar. Anarchisten = Prozeß. Die Ge schworenen bejahten bei acht Angeklagten die Schuldfrage , darunter Hochverrat , Aufreizung zum Burgerkriez , alle Schuldfragen bei den ubrigen Angeklagten. Tad Grticht verurteilte Haspel zu zehnjahrigem , Hauel zu achljährigem , zwei An geklagie zu 4jähr. , drei zu dreijährigem , einen zu zwei jährigem schweren Kerker ; sechs ungeklage wurden freigesprochen. Paris , 23. Februar. Die Polizei fahndel in St. Dems auf einen Auarchisten , auf den die Beschreibung des falschen Radardi paßt. Er ist verschwunden , und Haussuchungen , die heute wieder in St. Denis und St. Quen vorgenommen wur den , haben zu keinem Ergebnis gefuhrt. — Die Anklagekammer hai heute Hency vor das Schwurgericht verwiesen. Der Prozeß wird wahrscheinlich am 8. Marz zur Verhandlung kommen. Seit einiger Zeit erhalt der Kammerpräsiden ! Droydriefe. Heute enhielt ein Beief außer Drohungen ein Päckchen mit Jagdpulver und einer grauen Flussigkeit. Der Brief wurde der Polizei — Heute begann vor dem Parser Schwurgericht der Prozeß gegen den Anarchisten Léanhier , der am 30. Novem der vorigen Jahres im Bouillon Duval in der Aveuue de ' Opéra den ehemaligen serbischen Gesandten Djordjewitsch mit seinem Schustermesser lediglich deshalb zu ermorden versuchte , weil dieser gut gekleidet war und die Eyrenlegion trug , Léauthier daher vermutele , in ihm ein Mitglied der regierenden Klasse zu treffen. Man war darauf gespan u , ob die schworenen sich auch in diesem drastischen Fall fest erweisen werden , wie im Prozeß Vaillant. Im Jussizgedäude sind die seiden großen Sicherungsmaßregeln getrossen wie bei dem Prozeß gegen Väillant. Doch ist die Zahl der Neugierigen gering. Um 12 Uhr wurde der Angeklagste in den Saal ge führt. Er lächelt , seine Zuge sind weichlich , Nachdem die Anklageschrift verleien , began das Verhör der 18 Zeugen , von denen vier von der Verteisigung geladen sind. Herr Djordjewitsch ist noch leidend und am Erscheinen ver hindert. Das Vervor des Angeklagten ergiebt nichts wesent lich neues. Er gesteht , daß er einen Jourgeois habe wollen. Er habe vorher an seinen ehemaligen politischen Leyrmeister Sebastian Faur = geschrieben , das Elend treibe ihn zum Selbstruord , aber er werde sich vorher an der Gesellschaft rächen und sich dabei seines Arbeitswerkzeugs bedienen , um seine Thatz als eine Rache aller Arbeiter zu kennzeichnen. Nachdem der Vorgang des Näheren festgestellt worden , behauptet jedoch Leauthier , er habe nicht toten wollen , weil das nicht nötig gewesen , er habe nur eine Kundgebung seines Hasses bezweckt. Vorsitzender : „ Sie sagen , Sie halten Wie Baillant haben auch Sie nicht den Mut , hier Ihre wahre Absicht zu vertreten. Baillant that Nagel in eine Bombe , um niemand zu töten. Sie schwachen Ihren Stoß ab. Dr. Bronardel wird Ihnen sagen , daß Ihr Opfer wie durch ein Wunder dem Tode entgangen ist er wird aber bis an sein Lebensende die Spuren Ihrer That tragen. Nr. 48 — Seite 9. General = Aniger für Duisburg und Umgegend ( Duisburger Tageblatt ). 26. Fedruar 1894. die einzeln ankamen , Einlaß behehrten , wurden sie auf den Wink eines kundigen Polizisten obgewiesen. Vor dem Grade versuchte ein Engländer Quinn , der sich christlicher Soziolist nennt , eine Rede zu halten , wurde aber sofort abgefoßt und leichenblaß aus dem Kirchhof geführt , dann allerdings freige lassen. Auf dem Sarge lag nur ein einziger Kranz , kaum war der Sarg hinabgelassen , als drei Totengräber die Gruft sofort zuschülleten. — Der Redakteur des Pöre Peinard , Pongei , ist nach London gekommen , um hier die Herausgabe seines Blattee fortzuletzen. Zwischen den Vertretern der französischen Polizei , di gegenwärtig in London weilen , und der englischen Polizei fand Leute in Scotland Yard eine Konseren ; statt , betreffend die Ueberwachung der fremden Anarch sten in England und behuf : Enideckung des Ortes , wo die Explosivstoffe hergestellt wor den sind. Aus Nah und Fern. Berlin , 22. Februar , lieber die von dem Kaiser den vier Flügel = Kompognieen des ersten Garde = Regiments zu Fuß an seinem Dienst = Jubilaumstage verliehenen neuen Grenadier mutzen sind manche nicht zutreffende Nachrichten in die Oeffent keit gelangt. Der Plan , das erste Garde = Regiment zu Fuß mit Grenadiermützen genau nach dem Muster , wie sie unter Fried rich dem Grozen getragen wurden , zu versehen , verdankt einem eigenen Gedanken des Kaisers seine Entstehung und Aus führung. Seit Ende Dezember v. J. wurde rastlos an der Herstellung , unter Beobachtung der strengsten Verschwiegenheit gessbeitel. Daß die Geheimhaltung bis zur letzten Minute ge wahrt blieb , ist um so mehr anzuerkennen , als ungefähr 80 Arbeiter inn der Anfertigung beschäftigt waren , die in dem Glauben lebten , daß es sich um eine größere militärische Auf führung handle , da die liefernde Firma fast ausschließlich die sämtlichen Ausrüstungen u. s. w. für die königlichen Theater zu besorgen pflegt. Der Kaiser wollte eben das Regiment wirklich überraschen , und wie bekanni , ist ihm dies auch im vollsten Maße gelungen. Die neuen Grenadiermutzen sind nicht aus Aluminium verfertigt ; den meiallenen Teil derselben bilder viel mehr eine genau nach dem Muster der unter Friedrich dem Großen getragenen Grenadiermutzen gestanzte und darauf stark versilberte Messingplatte , die nicht geputzt werden darf. Unterschied in diesen Platten fur die Offiziers = und Mann schaftsmützen besteyt nicht , nur die Pompons und die Litzen die den ruckwartigen Teil der Mutzen zieren , sind für die Offi ziere aus versilberter bezw. vernickelter Drahiarbeit , während jene der Unteroffiziere und Mannschaften aus Wolle hergestell sind. Da der hintere Teil der neuen Kopfbedeckungen bei den beiden ersten Vataillonen aus roten , bei dem Fusilien = und dem vierten Batcillon aus gelbem Wollstoff besteht , so sind dem entsprechend auch die Pompous bei den ersteren aus roter und weißer , bei den letzteren aus gelbe = und weißer Wolle. Die versilberte Messingpiatte trägt auf einem ebenfalls versilberten und über dem Adler angebrachten Messingbande bei den beiden ersten Vataillonen den durch den Koiser bereits für die alten Gieradiermützen eingsführten Wahlspruch. „ Semper talis “ , bei. n beiden letzten Baiaillonen , also auf den gelden Gceuadier mützen , den altern Wahlspruch „ pro gloris et patria “. Berlin , 23. Februar. Wie die Morgenblatter melden , hat die Frau de : Euvrystraße 48 wohnend. n Knopfarbeitere Klaym gestern scheinbar in einem Aufall von Geistesstörung ihren neunjährigen Sohn Richard erwurgt und ist dann mit ihrer funfzahrigen Tochter Frieda entflohen. Es wird ver mutet , duß die Muttier auch dieses Kind spater ermordet und dann sich selbst das Leben genommen hade. Die Wohnung der Eheleute bestehl aus einer zweisenstrigen Stude und einer Kuche , die nach dem Hofe zu drei Treppen hoch belegen ist. Der Eheiann arbriket in einer Fadrik. Frau Klahm hat im ganzen 12 Kindern das Leben gegeben ; davon leben bis gestern noch drei , und zwal außer den vorgenannten ein 16jähriger Sohn , der als Austrager in einer Buchhandlung beschäftigt wird. Schon vor längerer Zeit hatte einmal die Frau einen Zeitel auf den Tisch gelegt , der für ihren Mann die Worte enthielt : „ Wenn Da dieses liest , bin ich nicht mehr unter den Lebendeu. " Damals gav die unglückliche Frau ihren Vorsatz auf. Gestern hat sie wilder einen Zeitel au ihren Ehemann hinterl. ssen , der die Worte trug : Mein lieber Mann , Du bist jer # frei. Ich kann die Kinder nicht mehr hungern sehen. “ Dieser Inhalt deutei darauf hin , daß die Frau Klaym sich in einem Zustande der Unzurechnungsfahigkeit besunden haben muß ; denn ihr Mann forgle in ausglediger Weise für selne Angehörigen. Die That muß gegen Mittag begangen worden sein , deun um 12 Uhr hat eine im vierten Stock wohnende Frau gehört , wi : die Tour zu der Klahmschen Wohnung ver schlossen wurde. Als gegen 1 Uhr der Mann zum Millagessen kam , fand er keinen Einlaß und wartele , bis der Sohn aus der Buchhandlung zurückam , ter einen Schlussel besaß. Sie sand. n Richard ioi auf dem Sofa. Die Erwurgung dieses Sohnes schuint mn einem Strick berubt zu sein , der aber niht aufgefunden werden konnte. Die Mutter scheint das Kind im Velt erwurg : und dann die Leiche auf das Sofa gelegt zu Laben. Wohin sich die Mutter mit dem jungsten Kinde ge wandt haben konnie , war bis zum Abend noch nicht ermittelt. Berlin. 23. brnar. Wegen Mordversuchs auf seinen Meister ist om Donnernog der 17 jährige Schuhmacherlehrlng Gustab Verttb. d aus Sprollau auf dem Poisdamer Bähnko in Verlin berhaftet worden. Ein in seiner Begleilung perins licher 14 Jahle alter Bursche hatte beteits eine Fahrtarte nach Nschersieben gelost. Als Verthold macher Kühne in Sprottan , am nach Hause kam , schoß Vertr # # # ld eben erst gekauft und mit dem er übungen ungestellt halte , im sich dotauf in seine Schlaf Wietung der Schusse zu vergew. horte er , daß einer der Schusse siebzehn Jahre alt , ein Komplott bestanden , das sich die Auf ade gestellt dat. den Meister und Leyrherrn unter allen Um anden unschadlich zu machen , weil er nach ierer Meinung in zu streuger Weise auf Ordnung hielt und ionen namentlich die Theilnahme an den juagsten Fastnachtsfreuden nicht in dem gewünschten Umfang gestattet hatte. Zuerst beschloß das Komplott , der „ Boss. Ztz. “ zufolge , den Lehrderrn zu ver eisten , doch nahm man hiervon Abstand , weil die Ausfuhrung Schwieriakeiten dot. Dann faßten die Burschen den Entschluß , mit Hilfe der Revolvers ihren Plau auszuführen. Hierzu wurde durch das Loos der bezeichneie Berthold bestimmt , der dena auch seinen Meister in der gemeldeten Weise kaliblutig überfiel. Kuhn befindet sich noch nicht außer Ledensgefahr , zumal das hinter dem linken Ohr tief in den Hals ein gedrungene Geschoß noch nicht beseitigt werden konnte. Auch Schade und Talke sind verhaftet. Hamburg , 21. Fedruor. Die wiederholt im Reichs lage zur Sprache gebrachte Affäre des Dampfers „ Sommerfeid " , auf dem bekanntlich mehrere Heizer infoige von Mißhondlungen , chlechter Beköstigung u. s. w. im Roten Meere üder Bord ge sprungen sein sollten , was aber durch die Verhandlung vor dem hiesigen Seeamt widerlegt worden ist , hat gestern vor der Strafkammer des Lundgerichts noch ein Nachspiel gehabt. An geklagt war der erste Maschinist des Dampfers , Fendt , der sich der Mißhandlung dreier Heizer , von denen zwei ein paar Stunden später , allerdings infolge von Hitzschlag , verstorden sind , schuldig gemacht hat und vom Gericht wegen „ weimaliger Ueberschreitung der Disziplinargewalt zu vier Monaten und einer Woche Gefangnis verurteilt wurde. Primkenau ( Regbzk. Liegnitz ) , 23. Februac. Während des Schulunterrichts explodicte eine im Ofen defindliche Patrone ; mit furchtbarem Krachen flogen die Ofenteile auseinander. Zum Giuck erlitt niemand ernstliche Verletzungen. Eine Untersuchung ist eingeleitet. Königsberg i. Pr. , 23. Februar. Infolge des au halteuden Frostes ist die Fahrrinne des Packeisgürtels für Scedampfer gefahrlich und die Schiffahr : daher dis auf wei leres unterbrochen. Gent , 22. Februar. In der Pulverfabrik von Wetteren flog heute Mittag kurz vor 12 Uhr aus noch unbekgnnter Ur sache die Trockenkammer mit 6000kg Pulver in die Luft. Nur dem Umstande , daß die Fabrikuhr eine Viertelstunde zu früh ging und die Arbeiter infolgedessen schon zum Mittagessen nach Hause gegangen waren , ist es zu verdanken , daß Meuschen leben nicht verloren sind. Ein einziger Arbeiter , der in der Nähe der Fabrik auf freiem Felde seine Mahlzeit einnahm , wurde leicht verlezt Die Tcockenkammer ist vollständig zer stört und auch die umliegenden Gebälde wurden stark beschädigt. Im Jahre 1880 war die ganze Fablik in die Luft geflogen und gegen 30 Menscheu darei ums Leben gekommen : jendem sind die verschiedenen Pulvermuhlen und sonstigen Bebatlich keiten der Fabrik vollstindig getrennt voneinander , sod : s eine große Kalastrophe nicht mehr leicht vorkomnmen kann. Oowohl Gent natezu 3 Stunden von Wetteren entfernt ist , war hier der Knall so deutlich verneymbar , als ob in der Stadt selbst eine starke Explosion erfolgt wäre. Charleroi , 22. Februar. Im Geschaftsraum der Gußstahlfabrik von Bonehill in Marchiennes au = Pont ent zundeten sich gestern Morgen zwei Dynamitpatronen , die ein Arbeiter , um sie vor dem Gefrieren zu bewahren , am Abend vorher auf den Ofen gelegt und wegzunehmen vergessen hatte. Ein Buchhalter wurde schwer verletzt. des Laaker = Sees , einer infolge der Grudenarbeit entstandenen. ausgedebuten , fast das ganze Jahr bindurch mit Grundwasser angefüllten Bodensenkung , kann dann vor sich geben. ? < space > M e i d e r i c h , < space > 2 4. < space > F e b r u a r. < space > D e n < space > B e m u h u n g e n < space > u n s e r e r < space > Volizei ist es mit pilse der Duisdurger gelungen , die an dem Eindruche bei dem Kaufmann Heern Lampe und dem Uhrmacher Herrn Notiedohm beteiligten Personen dingfest zu machen. Der Hauptschuldige ist ein jugendlicher Arbeiter aus Duisdurg , der schon medrmals vorbentraft worden ist. Marktbericht. Neuß , 24. Februar. Fruchtmarkt. Neuer Weizen , kleiner Mk. 14. 70 , engl. 1. Sorte 14,20 Mk. , 2. Sorte Mk. 13,70 , Neuer Roggen , 1. Sorte Mk. 12,00 , 2. Sotte 11,00. Haser , alter Mk. 00,00 , neuer Mk. 16. 00. Kartoffeln Mk. 4,00. Alles die 100 Kilo. Heu Mk. 60,00. Weizenstroh Mk. 00. 00. Roggenstroh 28,00 die 500 Kilo. Kleien Mk. 5,20 die 50 Kilo. Neuß , 24. Februar. Rüböl in Posten von 100 Zeniner Mk. 48,00 , faßweise 49,50 die 100 Kilo sohne Faß ). reiniges Oel Mk. 3,00 hoher als Rudöl. Raps , 1. Sorte. Mk. 00,00 , 2. 00,00. Aveel ( Rüdsen ) Mk. 00,00 die 100 Kile. Preßkuchen Mk. 114,00 per 1000 Kilo. Wasserstands = Nachrichten. Emmerich , 23. 9 U. Bm. Rhein. auf 1,50 gefl. 0,21 m Rubrort , 24. 6 U. M. Rhein. 31 m. gefl. 16 m Duisburg , 24. 8 U. Ad. Rhein. 1,02 m gefl. 16 Köln , 24. 7 U. Vm. Rhein. 1,71 m , gefl. 05 in Koblenz , 24. 6 U. Vm. Rhein. 1,82 m , gefl. 0,04 in Mannheim , 24. 12 U. M. Rhein. 2,13 m. gefl. 05 in Trier , 24. 12 U. mitt. Mosel 12 M. 1,00 m gest. 06. Mainz , 24. Rhein 12 U. M. 35 m. gefl. 06 m. Mutmaßliche Witterung für den 25. Fedruar. Fortgesetzt Thauwetter. und schwer deregt habe. sein. In dem Vorhaben , die geblich von seinen Lehrkollegen hauptet er. daß er trieben sei. Es steht sest , das er # inige Wochen : Lodenkasse seines Meisters erbrochen und 156 ) entwindet hat. vorher die Mark daraus 177 Ver # # o # ich Nachrichten aus Sproita er den drei Kuhneschen Lehrlinger # ld und Robert Talke , samtlich hat schon seit langer Zeit Paul Schade , Gustao zwischen fünszehn dis Aus Stadt und Land. Duisburg , 24. Februac. An der hiesigen Rheinisch Westsauschen Huttenschule beginnt am nachsten Montag die schriftliche Entlassungsprujung des 16. Kursus. An derselben werden sich 34 Schuler — und zwar 27 Schuler der Maschinen bau = Ableilung und 7 Schüler der Abteilung für Hunenwesen — beiheilgen. Die mundu # ye Prüfung wird an einem noch zu bestimmenden Tage der letzten Woche vor Ostern stattfinden. Duisburg , 24. Februar. Bei der gestern Nachmittag am Schwurgericht zur Verhandlung steyenden Anklage wegen Sittlichkeitsverdrechen , die erst nachtraglich auf die Rolle gesetzt worden war , wurde auf Antrag der Verieidigung , die noch einige Entlastungszeugen zu laden beabsichtigt , abgebrochen und die Strafsache dis zur nächsten Sitzungsperidde vertagt. — Mit dem Ausdruck des Dankes an die Herren Geschworenen wurde sodann diese Seffion füc beendet erklart. Duisburg , 24. Februar. Der Vorstand des hiesigen St. Sevastianns = Schutzenvereins macht auf den General = Ver sammlungs = Beschluß aufmerksam , nach welchem die noch aus stehenden Akten bis zum 1. Marz 1894 bei dem Kassieter des Vereins , Heern G. Peitzer , zu erheben sind. Die bis dahin nicht eingelösten Altten verfallen zu gunsten der Vereinskasse. Dutsburg , 24. Februar. Eine raffinielte Diedin ent wendete bei eiuem kleinen Einkaufe in einem Laden an der Kuystraße mehrete auf der Theke liegende Waren. Nachdem die beheube Kauferin sich entferat , stellte das Ladenfräulein diese überraschende Thatzache fest ; es gelang jedoch nicht , der Diebin habhaft zu weiden. 7 Meiberich , 24. Fedruar. Großes Unheil haben in letzter Nacht die biiden Hunde eines hiesigen Metzgerrieisters angericht. ! , ein paar stärke , mächtige Tiele , welch : bereits eine ruhmvolle Vergangenheu haben und in der Nachbarschoft nichl wenig gefürchtet weiden. Gegen Abrud halte man sie von dir Kelte defreu , und es war nicht gelungen , sie wieder sestzulegen. In der Nacht unternahmen ann die beiden Tiere einen wahr haften Mordzug. Auf verschiedenen Platzen brangen sie in die Hühnerstalle bezw. Huhnerhöfe ein und erwurgten alles , insge samt neunundfunfzig Tiere Wer zum Sonntage eine gute , dabei billige Suppe sich verschaffen wollie , halte heute Gele genheit dazu. Fur fünfundsiedzig Pfenng wurde dus tole Geflugel angedoten. Dem Metzgermeister werden sene Hunde teuer. Noch im vorigen Jahle halle er wegen eines gleiten Falles Enlschädigung zu zahlen. Eine empfindliche Ponzei strafe wird jedeufalls auch nicht ausbleiden. So fratzenewert ein wachsamer Hothund auch ist , so sollie der Besitzer doch Sorge dafur iragen , daß solch ein von Beruf aus wellig fniedfertiger Geselle außerualb seines Reviers den Mitmensche ! nicht undngenehn oder wogl gar gefahrlich wits. ? < space > M e i b e r i c h , < space > 2 4. < space > F e d r u a r. < space > D i e < space > A r b e i t e n < space > a n < space > d e m < space > E n t ¬ < space > wasselungskaunlein der Laater Straße sind u einigen wieder aufgenommen worden. Es verbleidt uuc eine von eiwu hundert Mietern fertig zu stellen , wo # s im Privat = Telegramme. Berlin , 24. Februar. Der Reichskanzler deabfichtigt die schleunige Prägung von Silbermünzen im. anwerte von 22 Millionen anzuordnen , um dem Mangel an Scheidemünze zu begegnen. Hiermit wurde der gesetzlich zulässige hühste Be trag an Silbermünzen erreicht sein. — ( Sämtliche Fraktionz = vorstände fordern die Mitglieber auf. sich von Montag ab an den Sitzungen des Reichstags zu beteiligen und nur aus dring lichen Gründen fortzubleiden. Die erste Lesung des russischen Handelsvertrags wird drei bis vier Sitzungen in Anspruch nehmen ; die zweite dürfte an der Hand einer mündlichea Be stattung stattfinden , da für eine schriftliche unter den ge gebenen Verhaltnissen die Zeit nicht ausreicht. Marseile , 24. Fedruar. Die Besitzerin eines Hotel Garni brachte auf das Polizei = Bureau 13 Dynamit = Patronen , die ein Arbeiter Namens Pin bei ihr zurück # elassen hatte. Eine Patrone war mit einer Lunte versehen. Nach Pin wird estig gefahndet. e. 96rs umt. “ * Bienne , 24. Februar. General = Anzeiger für Dutsburg und Umgegend ( Daisburger Tageblatt ). Direktion : kogen Rasgensen. Montog , den 26. Fedr. 1894. — Drittes Gostiriel — des Königl. Sächs u. Großherz. Sits. Kammersängers Carl Scheidemantel. Neu. Zum 1. Male. Neu. Oper in 2 Bildern. Musik und Tichtung von Erik = M ver Heimund. Neu. Zum 1. Male. Neu. Die Nirnberger Puppe. Komische Oper in 1. Aufzug von Ernst Pasqué. Musik von A. Ad - m. Regie : Oekor Fiedler. Dirig. : J. Gölllich. Pietro und Heinrich — Carl Schrid mansel als Gast. Erdöbte Preise. Anf. 7 Uhr. Ende nach 3 Udr. Fein. Agenten f. Piiv. u. Restaur. v. e bed. Hamburg Cigarrenhause ges. Adr. unter E. 1343 an Heiar. Lisler , Hamburg. 3854 werden gewaschen , gefärbt und na neuesten Formen faconirt. n und Färben von Straussfedern ebenfalls prompt besorgt. Tchneidergelellen werden gesucht. 4228 Dedy , Chorlottenstroße. 2 zuverlässige Einen tüchtigen Fuhrknecht sucht sofort A. Ploum , Laar 4273 Deichstr 10. Für 1 Restaurant nach Koln 2 Dienkmädchen gel. , eins muß kochen können. ( 4207 Adresse abzugeben an die Expediton 9. 8. Zu Ostern ein erfahrenes tuchtiges 4163 Küchenmädchen gel. C Kniffler , Er. seld , Dionysinsstroße 78. 11 Poststrasse 11 Duisburg 11 Poststrasse 11 für Jedermann zu den bfeall. Vorkragen , die an jedem Dienstag abends ° 2 Uhr im Kirchenlotal der apost. Gemeinde in Duisburg , Sonnenwall 82 , Hinterdaus gehalten wirden. ( 4286 Eintritt frei. — E. Schäfer. Iur Ferstruung von Tognae empfeble ich sämtliche Ingredienzen in bester Qualktät , und erhält auf Wunsch jeder meiner Kunden , um denselben in einfachster und billiaster Weise darstellen zu konnen , ein sehr gut bewährtes Rezept. Gleichzeitig erlaube mir noch zum bemerken , daß ich Weinzeite von heute ab zu 1 Mt. 30 Pfg. liefere. nebst Wohnung sofort zu vermieten. ( 4198 Hochselderstraße 104. — grügolich erfohr. Madchen zud 1. April gesucht. Frau Dr. Beekmann , Oberhausen. Näy. Königsstr. 19 , Dutsburg Drogerie Paul Kuhstraße 29. = in der Nähe d. Centralbahnhofe 4 Zimmer nebst Mansarde , mit allen Bequemlichkeiten einge richtet , an stille Familie per sof od. später zu verm. Näheres 9011 ) Neudorferstr. 67,1 Treppe. Ein älteres , in Kuche und Hausarbeit durchaus erfahrenes zuverlassiges 4203 enditorei. 8888. 8. 8888. 88 88888. 883 88 3888 Specialitdt : Mittwoch , den 28. Februar d. Js Nergmanns Duisburg. Kinder - Bisquits. Chem. untersucht. Aerztlich empfohlen. Postkollis fran ce nach jeder Postatation Deutechlands. Naheres in der Expedition. Geräum. Wohnungen in dem Hause Mülbeimerstraße 150 zu vermieten. Näheres dei A. Schwarz , Mülheimerstr. 144. 3712 alle häusliche Arbeit gesucht. Frau E. Baum , Beekstraße 9. Eine Wohnung von 3 Zimmern auf den 1. April zu vermieten. 4103 Werthauserstraße 183. Bohnung v. — 3 durch. einandergehend. Räumen per 1. April zu vermieten. 4196 Feldstr. Nr 9. — 3 Zimmer per sofort oder 1. April zu vermieten. 4154 Friedr. = Wilhelmstr. 108 Im grossen Saale der städt. Tenhalle , ausgefuhrt von der verslärkten städt. Kapelle , unter Mitwirkung des Pianisten Herrn Dr. Neitzel aus Köln , unter Leitung des städt. Musikdirektore Herrn Hugo Grüters. PROGRAMM : 1. Ouverture zu Figaros Hochzeit von Mosart. 2. Wander fantasie von Schubert - Liszt. 3. Notturno und Seber # # aus dem Sommernachtstraum von Mendeissohn. 4. Ungs rische Fantasie von Lisst. 5. Sinfonie Nr. 8 , - dur , ven Beethoven. Anfang 7½ Uhr abends pünktlich , Ende gegen 9 Uhr. Konzertflügel lbach. Karten in den Buchhandlungen und an der Kasse : Saal und Balkon 50 Pfg. Gallerie 25 Pig 4201 Die Verwaltungskommission der Tonhalle. Ein evang. Mädchen von 18 — 20 Jahren zum 1 — März gesucht. Naheres Grünstraße 38 , im Laden. ( 4279 Kathreiners * Ageeunderh — Wafee - Lunch für Hausarbeit gesucht zum 1. Aptil. 4194 Hochfeld , Hüttenstr. 106. Zum 1. Apcil ein sauberer steitzigen ( 4285 Mauchen von 18 — 20 Jahren nach aus wärts gesucht. Näh. Auskunft Königstraße 90 II. 2 Zimmer mit ca. ½ Morgen Land an der Koloniestraße gelegen per 1. April zu vermieten. 4094 Näh. Kammerstr. 10. 1 größ. Zimmer in einem besseren Hause. an eine stille Perion zu vermieten. Wo , sagt die Exp. 4220. Dregsen - , Colenial - , Naterial - , Farbwaren , Belikatessen , Duisburg a. Rh. , Kuüppelmarkt Nr. 4. Fernsprechauschluß Nr. 220 empfiedlt Franz. Cognac 4 I. -. Henneny & Cie. Cognac von direk em Bezuge , in verschiedenen Preislogen , die sich nach dem Alter und der Feinheit der Ware richten. Arrac , Rum , Kornbranntwein , per Liter 60 , 80 Pfg. und 1 Ml. Sämtliche einfachen und Doppel = Liqneure , Rhein = und Moselweine von 70 Pfe. an per Flaste. Vordeaux , rote Uhrweine u. ital. Weine , schwere Südweine für Kranke und Reconvaleszenten. Tokayer. Für mein Seiden = und Besatzwarengeschäft suche 1 Tehrmadchen welches im elterlichen Hause Beköstigung haben kann. 4132 M. Wittgensteiner. Zwei schön möbl. 4216 Zimmer mit Frühstück am 1. März zu vermieten. Duisburg. Sonnenwall 81. Aaddereik opischtr Schön modliertes ( 4191 Parterrezimmer billig zu vermieten. Friedrich Wilhelmstraße 108. Neuderf - Duissern , vis - - vis dem Centralbahuhof Brieddofsweg 25 , Fernsprech = Anschluß Nr. 157 hält der hiesigen Einwohnerschaft seinen großen En ordentliches , in Kuche u. esadrenes Mädchen Siene. 4287 Alter Markt 5. Duiéburg. Neudorfer Kraße ein geraumiges Ladenlokal mit Schaufenster , 3 Stuben u. Keller per 1 Juli zu mieten gesucht Offerten mit Preis angobe unter 4258 besorgt die Expedition. bei Bedarf zur gefl. Benutzung empfohlen. Nachdem ich ca. 4 Monate lang wegen scrophuloser Hornhaut = und Regendogenhaut = Entzundung. soie Hornhautflecken zum Specialarzt ge gangen war , welcher mir stets giftige Trotfen in die Augen that , ohne daß sich irgend welche Besserung zeigte , wandte ich mich an den ho möopathischen Arzt Herra Dr. med , Volbeding in Düsselderf. der mir Arzneien zum Einnehmen gab , durch welche ich in ungefahr 6 Wochen gänzlich von meinem schweren Augenleiden defreit wurde Herrn Dr. Bolbeding für meine glückliche Heilung meinen besten Dank. 4281 Düsseldorf. Markt 8. Fran Paul Witzig. Großer Vogeltäsig und kl. Spieluhr ( Polyphon ) mit 50 Stücken zu verkaufen. 4238 Wiesenstraße 13. Wohne jetzt Taubenstr. 18. 1. Et. im Hause des Herrn Strunck. Ferdinand Eagel , Damenschneider. ( 4283 Günfigste Kaufgelegenheit ! In einem industriereichen Städchen in der Nahe von Crefeld ist sojort Umstände halber ein 4280 An - und Verkäufe. Ein gcbruchen Ein gut erhaltener 4233 Tafelherd billigst zu verkaufen. Friedensstraße 22 , oben. Wohnung. — 3 werden möglichst sofort zu mie en gesucht. Offerten mit Preis angabe unt. Nr. 4282 a. d. Exp. wird billig zu kaufen gesucht. Ernst Becker , Bruckdausen am Rbein. mit samtlichem Inventor billigst zu verkaufen. Das Haus ist als ältesteftes bestrenommirtes Hotel am Plage in der Um gegend bekaunt und nachweislich außerst rentadel. Abderes der W. von Felbert , Grefeld , Hochstraß 20. Billig zu verkaufen : Ein großer Ruchen = oder Schneidertisch u. kleiner Ofen. 4278 Neudorferstr. 22. an Uhren werden prompt und billigst aus. geführt Jos. Beyenburg , Beetstraße 8. Mehrere gute Acker pferde zu verkaufen. ( 4195 Naderes Musfeldstraße 64. Nr. 48. — 2. Blatt. Montag , den 26 , Febrnar 1894. XIII. Bezugs = Preis 3 dre Monat 50 9 g ( mtt „ Kiterik “ CO vig. ) sei in des Haus gebrucht , durch die Post bez. vierteltähel. Mr. 50 bezu M. 80 Boele Fernsprech Anschluß Nr. 209. Ur Buisbucg und Umgegens. Kibonlehe !. Anzeigen foßten die Sgespakt. Zelle #. 2 deren Raum 15 Bsa. 6 Anzeigen von außer. halb unseres Verdret tungskreises kammend 20 Pig. 39000 Dummer der Zeimehnectiche : 71. 1875 Veranwortlicher Redasteur : N. Corbelin , Tuisburg. — Druck und. tlag : Ferd. Ttrunck , Duisburg. Gng mit „ Kikerist = u. Komme 2596. Aus dem Reichstage. Sechsundfünfzigste Sitzung vom 23. Fedruar. Der Aurag auf ( xinstellung des Strafversamens gegen den Abg. Schuldi = Frankfurt a. M. ( Sozia ! = Demokrat ) wurde einstimmig angenoumen. Es folgien Wadiprufungen. Bezüglich der Wohl Bende ' s ( nat. = lit. ) und wurde beschlossen , die Entscheidung über die Guttigken auszusetzen und. u Reichekanzler zu ersuchen , nder verschiedene Vorkommnisse Beweis zu erbeden. Das Gleiche wurde bei der Wadl Gescher ' s deschlossen. Die Wahl Euler ' wurde für güiig erklärt. Ueber die Wahl dier Adgg. Görz ( Freis. Verrinigung ) , Pichler ( Zenir. ) , Caurma = Jeitsch und Will ( koas. ) sollen Erhebungen augestellt werden. Die Guttig keits = Ecklarung wird ausgesetzt. Die Wahl dos Abz. Haale wurd für guitig erklärt , jedoch werden ver schiedene Erbebungen verlangt. Beanstandet mit der Resolution , weitere Erbedunen anzustellen , wied die Wahl der Adgg. Chlapoweki ( Pole ) , Bismarck = Schönhausen , Casseimann ( Fert :. Voik =. ) Rohdart ( Hosp. der Nak. = Lid. ). Bezuglich Rothdart ' s haue die Kommission Guliigkeits =. karung beentragt. Dann wurde die zweite State = Beratung forigesetzt. Der Etai des Rechnungshofes wurde dedattelos bewilligt. Bei dem Eiat Pasionsfonds defürwortete Abg. ( kons. ) den Antrag , daß den Offizieren und Mannschaften , welche in Folge der im Kriege 1870,71 erlittenen Verwun dungen oder sonstigen Die streschädigungen verhindert waren , an den weitern Unternehmungen des Feldzugee teilzunehmen , und bedurch der Anrechnung des zweiten Kriegsjahres. i der Pensionierung vertustig gegangen seien , der Pensionsausfall er sta. det werde. Aog. Bebel fiimmte dem Antrag zu ; ein offenes Geheim nis sei es , daß wassenLaft Penstonierungen un Interesse eines reschern Abancemen : s vorgenommen wurden. Der Kriegsminister erklärte , die Zahl der Pensioaierungen habe nicht unver dlt eismaßig zugenommen. Die Geünde der Verabschiedung frien sehr verschieden ; die Offiziere suchten viel satz Adschied nach , weil sie füelten , daß sie ihter Stellung nicht mehr gewachsen seien Es sei richtig , daß in kive Offiziere im Kriegsfall wertvolle Dienste leisteren ; dies geicheye ader in Stellungen , wo geringere Forderungen an sie gestellt werden. ( Beifall rechts. ) Abg. wedel führte aus , er sei durch den Kriegsminister nicht überzeugt , und behaupteie , daß die abeligen Ofiztere selbst bei der Artillerie bevorzugt würden. Der Kriegsmiuister stellie das in Abrede. General = Leutnant Spt trat Bebei ' s Liehauptungen be treffind Pensionierung der Offiziere entgegen. Nach einer kurzen Bemerkung Bedel ' s und weiterer Er widerung des Kriegsmaisters wurde der Antrag Schöntag und der Etat des Vensionsfonds angenommen , ebenso der Elat des Reichs = Iavalidenfonds. Beim Etat der Justizverwaltung brachten die Abgg. Salisch ( kons. ) und Sachte ( Hosp. der kons. Partei ) verschiedene Mißstande des Standesamis zur Sprache. Staatssekre är Ni berding erklärte , im Großen und Gauzen habe die Einrichtung des Slandesamis = Registers sich beodort ; einzelne Mißstande unterliegen der Prufung der Justizver waltung. Auf eine Anftage des Abg. Bachem gab Staats sekretär Nieberding eine Darlegung des Forganges der Ar beiten am Bürgerlichen Gesetzbuch. Das Werk durfie im Spät herost 1895 vollendet sein , da die Bundesregierungen geneig # sind , auf eine Prufung im Einzeinen durch den Bundesrat zu verzichten. Wenn der Reichstag ein gleiches Verfahren beobachtet , würde das deutsche Volk in kurzer Zeit auf dietem Gediete die Reichs = Einheit erhalten. Nächste Sitzung Montag. Russischer Haudelsvertrag. S Aus dem Landtage. Abgeordnetenhaus. Beim Titel Ministergehalt brachte Abg. v. Schenckendorff die Frage des Fortbildungs Unterrichte an den Sonntag - Vormittagen zur Sprache. Er wünschte Ver Kändigung mit den kirchlichen Berorden Abg. Beumer tadelte einzelne Bestimmungen der Gewerbe Ordnung betreffs der jugendlichen Arbeiter. Er wunscht größere Aufwendung bezuguch des gewerdlichen Unterrichts. Minister v. Verlepich wünschie besonders Gouesdienst für Fortbildungsschuler. Sobald die Fmanzlage es gestatte , wurden größere Mitiel für den gewerblichen Unterricht eingestellt werden. Die Bevorzugung der Konsum = Vereine solle genemat Belden. Abg. Irmer ( konf. ) sprach sich gegen einen speziellen Gottosdienst für Fortbildungeschüler aus. Die Lehrer müßten an den Wochentagen die Zeu zum Fortbildungs = Unterricht freigeben. Abg. Stögel ( Zentr. ) meinie , daß uber die Frage des Jonb # dungs = Unterrichtes an Sonntagen eine Berständigung woht möglich sei , allerdiuge durte die materielle Förderung nicht erkauft werden durch sittliche Schadigung. Abg. Reschordt legte die Uebelstände für Magdeburg dar , welche eine Verunreinig ug des Eldwassers durch die Koli Werke herdeigeführt hätte Minister v. Geriepsch sogte mözli uste Abhülfe an. Bei For setzung der Dedatte wünschte u. a. Aog. Schall ( coni ) , daß der Fondildungs = Untericht nur an Werttogen Kautfin de. Abg. Schnidt wünschte Vermehrung der Bau = und Ge weide = Schulen Abg. Diurich ( Zenkr. ) trat der Auffassung enlgegen , eis ob die katholtscve Kirche es wit der Conn ags = Heitigung weniger genau nehme wie die evangelische ; sie trage den ver schiedeasten Bedürfaissen bezuglich der Zeit des Gottesdienstee Rechnung , könne aber nicht wünschen , daß der sonntagliche Hauptgoitetdienst zwischen Fordildungs Unterricht eingee # werde. ( Geifall im Ceurrum. ) Abg. v. Eynatten Centr. ) besprach die wiederbolte Brans Katastrophe in der Fadrik von Wiesing u. Conzen in Nachen und meinte , die Aufsichtsbehörden halten bei dem Neudau ihte Schuldigkeit nlct geigan. Der Rezierungs = Kommissar Neuhaus erwiderte , daß schärfere Bestimmungen für die Gene # wigung von Fabrik Anlagen aufgestellt und den Regierungs = Pranidenten zur Be gutachtung unterbreitet feten. Adg. Krawinkel ( nat. = lid. ) wünschte Unterstützung der Bau und Gewerbe = Schulen in Koin. Der Titel Minister = Gehalt wurde bewilligt. Morgen Fortsetzung der Beratung , außerdem Berggesetz = Kovelle , Elai der Bauverwaltung. Westdeutschland. Düsseldorf , 23. gebruar. Ein fremder Herr kam am Doonerstags uvend fast atbemlos zum Polkzeiamie gelaufen und meldete , er habe seine Brieftasche mil 1800 Mark verloten Er ware in verschiedenen Restaurauonen gewesen und musse in einer derzelben die Briefeiasche haven liegen lassen , allein er wußle die Restaurationen nicht wiederzufingen. Seine sorgen volle Miene klärte sich auf , als er seine verwißte Vrieflasche drteits auf dem Pulie liegen sah , der eorliche Finder hatte sie bereus abgeliefert. Dusseldorf , 23. Februar. Die Ozduktion der Leiche de Kindes , welches von der an der Ell. : straße woqnenden Multel fortgesetzt mißgendelt wurde , hat ergeden , daß da Kind infolge der Vißhandlungen und von Nahrungsentziehung gestorden ist. Die Matter ist nicht verhaftet , da sie schwer erklantt ist. Tusseldorf , 23. Fedruar. Wie bereits ungeteilt wurde , sind von den drei Wilderern , die kurzlich den Focster Sp. im Colcucer Busch übeißielen , zwei verhaftet und hierher gebracht worden , wayrend es dem Dritien gelang , zu enikommen. E. sind sämtlisch wurschea aus Lintorf. Am vergangenen Mon lag und Dieastag fanden an Ort und Stelle Besichligungen stalt , zu denen jedesmat einer der beiden Verhasielen miige nommen wu. de. Auf eine diesbezügliche Mähnung des Unier zuczungsrichters hat hierbei der zweite Wilddies ein Gestäuduis abgelegt und die Sielle genonnt , an welcher sowohl das dem Forper abgenommene , wir auch das eigene Gewehr des Tha ters im Buschwerk versteckt lagen. Auf dem Gewehr de Wilddiedes war der Nums eines Einwohners aus Ratingen ein „ rovikt , und ergaben die sofort angestelllen Ermiiselungen. daß die Wasse aus einem im vorigen Juhre in Ratiogen ver übien Tiebstahl herrührte , welcher ohne den Fund nuchl an. Tegeslicht getommen wart. Vonn , 23. Februar. Gestern Mittag gegen 1 Uhr sahen mehrere Insassen des Altmänner = Ahls am Rhein , wie ein guigekleideter Herr sich auf die Krippe dem Aipi gegenüber begab und von dieser in den Strom sprang. Der Levensmüde tauchte noch einmal auf und verschwand daun im Wasser. Die Leiche wurde kurz darauf von einem in der Nahe wohnen den Fischer aus. m Wasser aus Land gebracht. Der Seion morder war mit einem dunkten Anzug. kleidet und itug eine goldine Brille ; man fand ferner bei ihm eine goldene Herren uhr mit Kelte und ein Portemonnale mit Ingalt. Die Leiche wurde auf Apoldnuug die Volljeidehorde in das Leichenhaus das neuen Friedhofes übergefuhrt. Gelsenurchen , 23. Fedrugr. Unter den Bergleuten geht hier das welucht , die Gewertschaft der Zeche deadsichtige nur noch des Morgens Kohlen zu fördern und einen Teil der Belegschaft auf die Zeche „ Wilhelmine “ zu ver legen. Ein guderer Teil , die jungeren Vergardeiter , sollen entlossen werden , Auf Zeche „ Hidernia " haben bekannilich verschie deutlich große Wetierexp # osionen stattg. funden. 23. Fedruar. Der Schlossermeister Löns suchte an seinem Hause vom Feuster des drinen Stockes aus einen Starkasten zu enisernen. Dobei verlos er das Gieichgewich. und sturzie auf die Straße. Der Tod trat sofort ein. Gattenscheid , 23. Februar. Durch Unvorsichtigkeit mit Petroteum ereignete sich gest. ro dier wieder ein Unglücksfall. Ale eine Ardeuerfrau auf die noch drennende Veiroleumiampe einer Flasche Pettolum nachgießen wollte , explodierte die Flasche und das brennende Petroleum ergoß sich auf die Kleider der Frau , welche dabei bedenkliche Brandwunden im Gesicht , an beiden Händen ind an der Brust davon getragen hat. Hörde , 29. Februar. In der Slodeverordnetensitzung von Mittwoch wurde die Einfüdrung einer Biersteuer miit großer Mojorität abgelebnt. Durchschlagend war der Um Kand , daß auch die Nachbarstadt Dortmund noch keine Bier steuer da :. Wickede Asseln , 29. Februar. Gräßlicher Selbstmord. Während der Scich auf Zeche „ Holstein “ siecke sich , leut der „ Trem. “ , gestern Nochmittag der Hauer Stieveling aus Wickede eine Thnamitpatrone in den Mund und brachte dieselbe zur Explosion. Der Kopf wurde vollständig in Fetzen nach allen Seitn geschleudert. Schalle , 23. Februar. Bei Anlegung des veuen Schachtes auf Zeche „ Consolidation “ hat man das Steinkohlen gebirge erreicht. Nach Fertigstellung dieses Schachres soll die Kohlenforderung bedeutend vermehrt und die Zahl dr Beleg chaft entsprechund erböht werden. Da die verwaltung der Zere „ Etsmarck “ , ebenfasts mit der Anlegung eines groß artigen Schachtes beschaftigt ist , so wird unser ohneyin schon induntiereicher Ort eine weitere Bedeutung erlangen. Bulv ke. 23. Fedruar. Der kürzlich ausgediasene ofen des Schalker Ginden = und Hynenvereins solllte , weit er schadhaft geworden war , abgetragen werden und mehrete Ar better waren seit einigen Tagen mit dieser Ardent beschalt gt. Gestern Adend gegen ½/26 Uhr löste sich plotlich die eine Halfte des Osens vom Maniel ab und stuezie zufommen. Zwei Arbetter wurden dabei lut „ Gels. Zig. “ schwer verletzt und in das evangelische Krankend as gebricht ; ein Pritter hatte die Gestesgegenwart , sich im Augendlicke des Einsturzes am obern Rand des Mantels festzuklammern. Er wurde so ort heradgeholt und so aus seiner gefagrlichen Lage befreit. Das Ungestek ware noch viel ( roßer. wolden , wenn nicht mehrere Arbeiter , welche unten im Ofen beschäftigt waren , denselben kurz vortzer verlassen hatten. Aus Wesisalen , 24. Fedruar. Aus dem bereits ge meldeten Beschluß des Provnzia. = Landtugs tetreffend die Uebernahme einer Zin = gewähr for den Docimund Em - kanal in Verbindung mit einem Zweigkanal Hamn = Dalteln nach der Lippe ist noch zu erwähnen , daß der Landiag zugleid zu er klären beschlossen hat , daß es den Gesamtinteressen der Provinz entspreche und daher wünschen wert sei , wenn thuglichtt # # # # d die mittlere Ruhr mit dem Dorlmund Emsdasen = Konalz verbunden und ferner die Nuhr von der Volme - Mündung abwarts gleich zeitig mindestens zunächst bie zur Abzweigung deses Rinale , nicht minder auch die Lippe von Lippsl dt adwärts schiffdar gemacht weide. Es wird feiner grundsatzlich egerkannt , daß diesen neuen Kanalstrecken , falls dem Proviazia = Landtag als geriguet zu erachlende Projekte demnachst vorgelegt werden , in adnlichem Verhattlusse zu den Gesamttonen dieseide provinzielle. ihulfe zu leisen sei wie den odenerwähnten Livien. Te , ke. Mevelle ven Reurad Tellmann. 18 ) ( Fortsegzung. ) ( Nachdruck verboten. ) Dieser wahnsinnige Gedanke hatte iha in seiner Liebes leidenschaft für mich dohin gebracht , die Zahl im Kossaduch zu falschen und die zwei Meter Sammet heimlich auf die Seite zu bringen , um mich und zugleich meinen vermeintlichen Lies # # der , der in der That nach jenem Prozeß als der Beihulfe zu meiner Untedlichkeit beidachti , entlossen worden war , zugleich zu treffen. Das war iom gelungen , aber ich war auch nun nicht iym als Beute anheimgefallen. Da hatte iym der Zufall Zeine noch schneidigere Waffe in die Hand gespie t , und da ich auch auf seine legzte Werbung nicht gevori , inn sogar nur mit schweigen der Verachtung dehandelt hotte , halte er nicht länger gezegert , sie zu gebrauchen. Ein befreug eter Assessor hatte lym Eindlick in die Alten verschafft , aus denen sich ergab , daß ich eidlich mein Nachidestraftsein versichert hatte , nus nus war ich ver loren. Er selder hatte die ondahme Anzeige gegen mich ein gereicht. Zorn , Rayegelust , Wahasian — er selber wußte nicht , was — hatten ion gestachelt. Und unn , da es zu spät war , sah er dus alles ein , fi. l das , was er gelhan , auf seine Seele wie eine Last , die er nicht tragen konnle , nicht tragen wollte. Nr. 48 — Seite 6. guff , daß er mich nun aus immer verloren hatte , daß er mir pam Leben zerstorte , ohne wir einen Ersotz dafür bieten zu erent weg “ war die Sühnt , die er mit gewährie ! An Tage derun , Wolb ich Insassin des Zuchthauies. Ginsnechen Piuen wraungen redentun gecbe ich binweg und berühre nur das Eine , das Ntumnags vollste , was damals in mein Leden eingriff und uich i higen. des Verchrechens gefabn hoi , Konsequenzen heute dazu zwingt , endlich Ruhe d Frieven vort zu suchen , wo keiner mehr sie uns streitig machen kann. „ Jei den üglichen Spaziergängen im Garten der Strof welche mir gewährt wurden , sah mich der Gartner Planck und wurde , vielleicht auch infolge eines tiesen Mitleids , das er mit mir und meinem Lose empfand , von heißer Leiden shent für mich entflammt. Er teilte mir das mit auf kleinen. , Nliedenen Zetteln , die er mir in die Hände zu spielen wußte , unv setzte es sich in den Kopf , mich zu befreien und dann zu seinem Weibe zu machen. Ich hielt ihn für einen Halbuarren , auf dessen Plaue und Vorsatze kein großes Gewicht zu legen sei , glaubte auch weder an den Ernst seiner Absichten , noch au eine sich für mich daraus ergebende Gefahr. Ich hatte nur ein Bedauern für seine waghalsigen Tollheiten und ließ ih durch den Warter , der sich manchmal hatte bereit finden lassen , mir Botschaften von ihm zu überbringen , ausrichten , er möge auf der Hut sein und sich seine tollen Ideen vergehen lassen , da ich weder befreit zu werden wünsche , noch je seinen Wünschen meiner Entlassung aus der Strafanstalt Gehör geben W Er liess sich aber durch das alles nicht irre machen. Wiche Volbereitungen er dann getroffen halte , um den toll kuhnen Entschluß , mich zu befreien , wirklich ins Werk zu setz. n , weiß ich nicht ; nur soviel , das man ihm auf die Spur kam und daß er eines Tages Tages schimpflich entlossen wurde , wayrend meine Haft eine strengere wurde , als bisher. Danu hörte ich bis zum Ablauf meiner Strafzeit nichts mehr von ihm und freute mich dessen. Ich glaube , ich vergaß ihn sogar. Um so größer war mein Schreck , als er mir nach meiner Ent lassung , die er abgewartet hatte , sofort wieder in den Weg trat und nun seine fruhere Werbung leidenschaftlich erneuerte , ja , sich durch das , was geschehen war , ein Recht darauf erworben zu haben wähnte , erhört zu werden. Ich suchte ihm in der mildesten Form alle seine Hoffnungen für immer zu benehmen , erreichte aber bei dem in einer frren Idee befangenen Manne nichts anderes , als daß er mir zuschwor , mich nie aufgeben zu können , mich auf allen meinen Lebenswegen so lange verfolgen zu wollen , bis ich endlich sein geworden sei. Ich ging damals zunächst in meinen Heimatsort zurück , wohin meine erblindete totkranke Mutter sich zurückgezogen hatte , um dort zu sterben. Ich kam gerade noch zur rechten um ihr die Augen zuzudrücken. Mein Wohlthater , der Pfarrer , hatte ihr im Laufe der Zeit alles der Wahrheit entsprechend mitgeleilt , es nicht übers Herz gebracht , sie in einem Irrtum gefangen zu halten. Das mochte ihren Tod , so vorsichtig er auch zu Werke gegangen war , freilich beschleunigt haben. Aber trotz alledem waren ihre letzten Worte an mich solche der Ver gebung. Dann schlummerte sie in meinen Armen hinüber. Ich stand nun ganz allein auf der Welt und hatte kein Heim auf Erden. Mein Onkel Lebrecht , trotzdem er den Schurkenstreich , den Leo in haldem Wahnsinn gegen mich verübt , kannte , konnte mir nie vergessen , daß ich den Tod seines Erstgeborenen , wenn auch wahrscheinlich wider meinen Willen , verschuldet halte. Ich hätte freilich auch niemals mich an seine Gnade wenden wollen. Es drangte mich überhaupt , außer Landes zu kommen. Nur in der Fremde konnte ich noch ein mal aufzualmen wagen , nur dott würde man von dem Makel nichts wissen , der an mir kiedie , nur dort durfte ich mich sicher wahnen und meine Augen frei emporheden. Der heimische Boden brannte mir unter den Füßen , ich glaubte immer , daß man mit Fingern auf mich zeige , daß man g heimuisvoll tuschelle und mit den Augen zwinkerte , wann und wo ich voruberkam. Dieses Grauen vor den Menschen konnte nur aufhören , wenn ich unter einem andern Himmel lebte. Wieder war es der Pfarrer , welcher mich einst liebevoll bei sich aufgenommen , dem ich nun die Erfullung meines Wun sches verdankte. Er verschaffte mir eine Stellung als Gesell schafierin bei einer alten ewig krankelnden Dame , welche seit Jahren im Süden lebte und von Kurort zu Kurort zog. Es haite niemand lange bei ihr ausgehalten. Sie pflegte die jungeren und ältereren Fräuleins , die sich in ihre Nahe wagten , um iyr Pflege und Unterhaltung zu gewähren , durch ihre Lau nen , ihre Verditterung und ihre Herrschsucht zu vertreiben. Ich wußte das alles , ebe ich meine Stellung antrat. Der Pfarrer schenkte mir volle Offenheit ; was keine ertragen konnte , wurde ich ertragen , meinte er , und je schwerer mir das wurde , um so eher konne ich glauben , dadurch zu suhnen. was ich # # # sehlt habe. So ging ich und darf mir wohl das Zeugnis ausstellen , geduldig getragen zu haben , was manch mal — oft über Menschenmaß hinauszugehen schien. Es war eine Art von Wollust , mit der ich das alles über mich ergehen ließ , weil dadurch der Makel von mir abgewaschen zu werden schien , der mein Leden verdunkelte. Wir zogen jahrelang in der Ferne ruhelos umher. Nur einmal wurde das trube Einerlei dieses Daseins mir durch einen Brief von Friedrich Plauck unterbrochen , der — ich weiß nicht wie ? — meinen Aufenthaltsort ausgekundschaftet hatte und mir nun abermals antrug , sein zu werden. Auch damals denahm ich ihm durch meine Antwort wiederum jegliche Hoffnung und glaubte mich wie sei her vor ihm gedorgen. Dann sah mich in einer Fremdenpension in Territet am Genfer See Leopold Haseler , der seit einigen Jahren in der Welt umherreiste , um seinen Schmerz über den Verlust seiner Gaitin zu betauden. Er faßte sofort eine leidenschaftliche Zu neigung zu mir und besturmte mich mit seiner Werdung. Ich schwankte lange Zei. Daß ich ihn nicht liebte , ihn ute lieden wurde , wußte ich , aber ich hatte überhaupt noch nie einen Mann geliebt und allen Grund , daran zu zweifeln , daß ich solcher Liede fähig sei. Ich achlets und ehrte Leopold Haseier , mein Mitieid mit ihm war rege , ich sah nach seinen Schilde rungen ein weites Feld für eine nutzenbringende Thätigkeit im Diense der Menscheuliebe auf seinen Besitzungen für mich voraus. Ich konnte diesen Mann , der mich anbetete , glucklich machen und durch ihn für Hun erte im werkthatigen Christen tum wirken und schaffen. Das war ' s , was mich schließlich be wog , ihm meine Hand zu reichen. Wir wurden winige Wochen später vermählt , und ich kim hierher. Alles gestallete sich hier für mich aufs Glücklichste , ein neues , verheißungsvolles Leben begann. Ich war weit genug fort von den Statten meiner Jugend und meines Unglucke , um mich hier unter Menschen eines anderen Sch ' ages , die von meiner Vergaugenheit nichts wußten , sicher zu glanden Leo pold # ug mich 3 f Handen , und ich konnte für hundert arme. unglucliche Menschen ein menschenwurdigeres Los schaffen , mich ich wemeester , Douldalkeit und Vereheuag glücklich fadien. G —. ule , daß der Baun , der auf meinem Dasein gelegen , von mir genommen sei , daß ich gesühnt hatte , daß Frieden in mir werden wurde. Ich täuschte mich ditter. Der düstere Schatten auß meiner Vergangenheit reckte sich abermals vor mir herauf und verdunkelte mir dald die freundlich stille Heiterkeit meines Daseins , ja , ein Wetter zog auf , das mich alebald mit seinem Blitz treffen und zerschmeitern soll : e. Eines Tages , als ich den Stadtwald durchwanderte , stand Friedrich Plonu vor mir. Iy erschrak so defug , daß ich zitierte. Mir wur s , als sei meine tot und begraben gewähnte Vergangenheit plotzlich wiedrrum lebendig geworden. Ich wollte fliehen aber Plauck trat mir in den Weg , ein höhnisches , hald irtes Lachein um die Lippen , und redete zu mir. Er sagte mir , daß er seit einigen Tagen in der Försterei angestellt sei , daß er nur um meinetwillen hierhergekommen , nachdem er end lich nach vielen Bemuhungen meinen Aufenthalt erfahren habe. und daß ich nun in seiner Gewalt sei. „ Aber was wollen Sie jetzt noch von mir ? “ fragte ich ihn entsetzt , „ ich din ver mählt. “ Das wisse er , lautete seine Antwort , alles wisse er , aber das andere für itu nichts ; er woll : mich , er müsse mich besitzen , und ich solle mit ihm fliehen ; ich wies dies wahn witzige Anfinnen entrüstet zurück , ader Planck lachelte nur zu allem , was ich sagte. Ich dat ihn , ich flehte ihn an , von seiner tollen Idee abzunehen , ich machte ihm das Uuerhörte , das Verdrecherische seiner Wunsche klar , ich schwor ihm , daß ich meinem Manne treu bleiden würde , daß ich nie für ihn eine Zuneigung empfunden hatte oder je empfinden konne — es war alles umsonst. „ Ich werde Sie zwingen, “ sagts er. „ Wodurch ? “ fragte ich zuternd. Und er lachette abermals. „ Durch die Preisgebung Ihres Geheimnisses. Weder Ihr Galte , noch sonst jemand hier ahnt etwas davon , wo ich Sie gesehen habe , wo ich ihnen zuerst meine Liede eingestand. Ihr Schicksal liegt also in meiner Hand , ich kann Sie vernichten , wenn Sie mir nicht zu Willen sind. Sie leben hier in An sehen und Eyren , sind reich und werden als eine Art Heilige hochgehalten. Wenn ich den Menschen erzähle , daß Sie eine Zuchthäuslerin sind , wird das alles anders werden. Ihr Galte wird Sie verstoßen , weil Sie ihn belogen und getäusch haben , und die anderen werden sich mit Emporung und hamischer Schadenfreude von Ihnen abwenden. Bedenken Sie ich also wohl , ehe Sie mich so fortschicken ; ich din mächtiger , als Sie denken. ". ( Fortsetzung folgt. ) nem Abend hatte er ein Berliner Stimmungsbilder. ( Nachdruck verdoten. ) Berlin , 21. Februer. Früher , wie je scheint sich diesmal der vielbesungene Knebe Lenz bei uns einstellen zu wollen , in den Parkanlagen und Gärten knospet es bereits an Sträuchern und Baumen , dier und da werden sogar die Blumenbeete schon zum daldigen Empfange der holdseligen duftenden Frühlingskinder in Bereitschaft gesetzt , in den Redaktionen der Zeitungen , wie in den Spaiten der Blätter tummeln sich vergnuglich die Schmetterlinge umher , und ganz fürwitzige Leutchen befreien gar schon die Rosenstöcke ron den winterlichen Umhullungen , ungeachtet der Warnunge # weniger Hoffnungsfreudiger , daß vielleict „ das dicke Ende mit Schnee und Eis noch nachkomml. “ Selbn die pausbackigen Vorboten des Frühlings stellten sich bei uns kürzlich ein , und falls man von ihrer Lungenkcaft auf die schönheitsvolle Ge staltung des nachfolgenden blutengeschmücktenzHerrschers schließen darf , dann soll ihm bei uns ein Willkommen zu Teil werden , wie er es freudiger noch niemals erlebt. Weniger freudig be grüßt wurden jedoch die erwaynten Vorboten , denn sie hausten toll in unserer Stadt und deren Umgebung , und wenn man ihnen als ausgelassenen - Frühlingskovolden auch manchen drolligen Schabernack verzieh , so zeigten sie sich doch mehrfach gar zu ungestum , gerad als ob sie die Stimmung der Berliner Burger schaft zum Ausdrucke bringen wollten , welche kurz vorher durch die Nachricht von der Erhöhung der Gemeinde - Einkommensteuer freudig überrascht “ worden war. Ein Sturm anderer Art war es , der kürzlich Abends , während draußen die Sturmgeister polterten und rumorten , durch die im großen Saale der Prilyarmonie Versammelten ging ; erschienen , um am Todestage des Bahreuter Meisters dessen weihevollste Tonschöpfungen zu vernehmen , wurden sie durch die Nachricht vom Hinscheiden Haus von Bülow ' s er schuttert , überwalngt. „ Bulow ist loi ! “ — man glaubte es zu rst nicht , man tief , man fragte wirr durcheinander , es war ja kaum möglich , daß so plotzlich diese Lucke aufgahnte , die der unheimliche Schnitter gerissen ! Doch vor wenigen Stunden hatte man den Bielgefeierten und Bielangefeindeten an dieser selben Stelle enthusiatisch begrüß , und wenn man ihm auch sein Stechtum aumerkte , so hatte man doch die feste Hoffnung gehegt , daß diese knorrige deutsche Eiche noch lange dem Allbesieger widerstehen wurde ! Und uun dahingemäht , im fernen Lande , und mit ihm dahingesunken ein großes , gläuzendes Stück der Berliner Musikgeschichte , mit der sein Name auf ewig verkaupft sein wird , denn so ost auch Bülow über Berlin und die Berlner gespottet , und so Bitieres ihm hier — man denke an jenen de. | 14,116 |
https://arz.wikipedia.org/wiki/%D8%B3%D8%AA%D9%8A%D8%B1%D9%84%D9%8A%D9%86%D8%AC%20%D8%A8%D9%8A%D8%B1%D8%AF%20%D9%84%D8%A7%D8%B3%D9%89 | Wikipedia | Open Web | CC-By-SA | 2,023 | ستيرلينج بيرد لاسى | https://arz.wikipedia.org/w/index.php?title=ستيرلينج بيرد لاسى&action=history | Egyptian Arabic | Spoken | 46 | 144 | ستيرلينج بيرد لاسى كان سياسى من امريكا.
حياته
ستيرلينج بيرد لاسى من مواليد يوم 3 مايو 1882 فى فريدريكسبيورج, مات فى 7 مايو 1957.
الحياه العمليه
سياسيا كان عضو فى الحزب الديمقراطى.
اشتغل فى دنفر.
المناصب
عضو مجلس نواب كولورادو
لينكات برانيه
مصادر
سياسيين
سياسيين امريكان | 13,334 |
1992/91992E002795/91992E002795_ES.pdf_2 | Eurlex | Open Government | CC-By | 1,992 | None | None | Spanish | Spoken | 8,346 | 112,330 | LaComisión,antelafuturaentradaenvigordelapartado2
delartículo130RdelTratadodeMaastricht,queconsolida
elaspectodeintegraciónexpuestoenelActaÚnica,yantela
ejecucióndelVPrograma,enelquesehapuestoclaramente
demanifiestoquelaintegracióneselplanteamientoclave
paraconseguirundesarrollosostenible,estárevisandosus
procedimientosinternosparaconsolidarlosymejorarlosen
loscasosenqueseanecesario.PREGUNTA ESCRITAN°2778/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/25)
Asunto:ElArcodeGalerio(Camara)Salónica
EnunodelossímbolosdeSalónica,elArco,quehasido
provistodeunacubiertaprotectora,seestánrealizando
trabajosdeconservacióndesusrelieves,quelacontamina
ciónambientalylalluviaácidaconviertenen«yeso».Está
previstoquelostrabajosdeconservacióndelmonumentose
prolonguenhasta1997,perosupreservaciónsóloserá
posiblesicesalaelevadacontaminaciónprocedentedelos
automóvilesenlaavenidaEgnatia,lacéntricaarteriadela
capitalmacedonia.¿TieneintenciónlaComisióndeintere
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/17
sarseporlaproteccióndeestemonumentocultural,quees
patrimoniodeSalónica,deMacedonia,deGreciayde
Europaengeneral?
RespuestadelSr.Paleokrassas
ennombredelaComisiónaumentarmuyrápidamenteenelfuturosinnecesidadde
nuevasinversionesporpartedelospropietarios .Estosería
contrarioalascondicionesdeayuda,porloquemegustaría
sabercómopiensalaComisiónasegurarsequeéstono
ocurrirá.
¿CómopiensalaComisiónasegurarsedequesellevaacabo
unareducciónauténticaeirreversibledelacapacidaddelos
astillerosdelaantiguaRDA?¿Cómoseharepartidoenlos
diferentesastilleroslacapacidadfijadaporlaComisión?
¿Cabetemerquedentrodeunosañosseamplíedeprontola
capacidad?¿CómopiensareaccionarlaComisiónsidentro
depocosañosseconstruyeenrealidadelnúmerode
toneladascorrespondiente alacapacidadquesehacalcu
ladocomoelmáximoteórico?¿Cómopiensareaccionar
laComisiónsisesobrepasalacapacidadfijadade
327000tbc?(26deabrilde1993)
')DOn°L219de4.8.1992,p.54.Ensurespuestaalapreguntan°2507/92i1),laComisiónya
indicócuáleseransuslíneasgeneralesdeactuaciónen
materiadeluchacontralacontaminación atmosférica.
Porloquerespectaalacontaminacióndebidaaltráfico,la
normativavigentesobrelimitacióndeemisionesdevehícu
losdebepermitirunareducciónsignificativadelasemisio
nesunitariasdelosóxidosdenitrógeno.
Porotraparte,losfondosestructuralespuedenutilizarseen
lacofinanciación deproyectosparalaproteccióndel
patrimonioartísticoyelfomentoturísticodentrodel
desarrolloregional.
Véaselapágina11delpresenteDiarioOficial.RespuestadelSr.VanMiert
ennombredelaComisión
(31demarzode1993)
Enunestudiodetalladorealizadoporunaempresainde
pendienteparalaComisión,lacapacidaddeproduccióndel
conjuntodelosastillerosdelaantiguaRDAen1990se
estimóen545000tbc.
ElgobiernoalemánhacomunicadoalaComisiónlaforma
enquetieneprevistoprocederalaaplicacióndelaDecisión
delConsejoparareducirlacapacidaddelosastillerosenun
40%.Lacapacidadpasaráde545000tbca327000tbc,
conelsiguientedesgloseporastilleros:
(tbc)PREGUNTA ESCRITAN°2790/92
delSr.FreddyBlak(S)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/26)MathiasThesenWerft 100000
WarnowWerft 85000
PeeneWerft 35000
Volkswerft 85000
ElbeWerftBoizenburg 22000
Total 327000Asunto:Ayudasestatalesalosastillerosdelaantigua
RDA
LaDirectiva92/68/CEEi1)delConsejode20dejuliode
1992exigelareduccióndeun40%delacapacidaddelos
astillerosdelaantiguaRDA.Laactualcapacidadirrealque
seindicaesde545000tbc,loquesignifica,quelacapacidad
sedeberáreducira327000tbc.
Quisierasaberdequémanerasevaaevaluarestacapacidad
yquiénesresponsabledesudistribuciónenlosdiferentes
astilleros.
Queyosepa,losastillerosdelaantiguaRDAnuncahan
aprovechadoal100%supretendidacapacidady,porlo
tanto,seríainteresantecompararlacapacidadautorizada
conlaproducciónreal.
Sinosimaginamosquelacapacidaddelosastilleros
restauradosselimitaa327000tbcconunabajatasade
empleoyteniendoencuentaquelacapacidadfísicadelos
centrosdeproducciónmuchomayor,lacapacidadpodríaEstosignificaqueRosslauerSchiffwerftquedarácerradode
formairreversibleparalaconstruccióndenuevosbuques,
comoyaocurreenlaactualidadconNeptunWerft.
Conarregloalodispuestoenelartículo7delaSéptima
Directivasobreayudasalaconstrucciónnaval90/864/
CEEi1),laComisióncontrolarálareduccióndecapacidad
deloscincoastillerosrestantes,queseguiránconstruyendo
buquesalmenosdurantecincoañostraslareducciónde
capacidad,ycualquieraumentodedichacapacidaddurante
esoscincoañosestarásubordinadaaunaautorizaciónpor
partedelaComisión.Silafuturaproducciónindicaraquese
hansuperadoloslímitesdecapacidad,laComisióntomará
lasmedidasoportunas,entrelasqueseincluyeunaposible
recuperacióndelaayuda.
Enelmarcodelmencionadocontroldelacapacidad,la
Comisiónhapedidoaunaempresaindependiente un
análisisdelosplanesdeinversióndelosastillerospara
N°C195/18 DiarioOficialdelasComunidadesEuropeas19.7.93
estimarsilareducciónglobaldecapacidadyelcambiode
capacidadpropuestoporastillerovaallevarseacabo
efectivamente .Laestimaciónsebasaráenlimitacionesde
capacidadmaterialdegranenvergadura.
í1)DOn°L380de31.7.1990.
PREGUNTAESCRITAN°2792/92
delSr.FreddyBlak(S)
alaComisióndelasComunidadesEuropeas
(16denoviembrede1992)
(93/C195/27)RespuestadelSr.VanMiert
ennombredelaComisión
(29demarzode1993)
Lasevaluacionessobreelmercadoefectuadasporla
Comisiónestabanbasadasenlasprevisionesdelapropia
industria,y,alparecer,laesperadareactivacióndela
demandaseharetrasado.Noobstante,elimportemáximo
delaposibleayudaoperativaalosastillerosdelaantigua
RDAsehafijadoenel36%hastafinalesde1993(Directiva
90/684/CEEdelConsejode20dejuliode1992)(!).El
aumentorealdelaayudaconcedidaacadaastilleroenesta
regiónsebasaráenlaayudanecesariaparareestructurary
adquirircapacidadcompetitiva,peronosepermitirá
superarellímitemáximomencionado.Laspresentesinves
tigacionessobrelastresprimerasprivatizacionesmuestran
quelaayudaporastillerosesituarápordebajodeestelímite
máximoypordebajodelosimportesmencionadosenla
propuestadedirectivadelConsejo[SEC(92)991]citadapor
SuSeñoríaensupregunta.
EldeberdelaComisiónesaplicarestrictamentelaexcepción
formuladaenlacitadaDirectivadelConsejo.Deconformi
dadconlodispuestoenlasletrasa)yb)delapartado2dela
parte(a)delartículo10,laexcepciónfinalizael31de
diciembrede1993;todaslasayudasdeberánpagarseantes
deesafechaynosepodránconcedermásayudasala
producciónporcontratosfirmadosentreel1dejuliode
1990yel31dediciembrede1993.Porlotanto,nohay
posibilidaddeaumentaroampliarelniveldeayudanide
reaccionaranteelcambiodelascondicionesdelmer
cado.
Encuantoalasrepercusionesdelasactualescondicionesdel
mercadosobrelosdemásastilleroscomunitarios ,esta
cuestióndeberáresolversedeconformidadconlapolítica
comunitariadeayudasalaconstrucciónnaval,queactual
menteestárecogidaenlaSéptimaDirectivasobreayudasa
laconstrucciónnaval(90/684/CEE)i1).Asunto:Ayudasestatalesalosastillerosdelaantigua
RDA
EnlapropuestadelaComisióndeunaDirectivadelConsejo
porlaqueseintroducenmodificaciones enlaSéptima
DirectivadelConsejosobreayudasalaconstrucción
naval(l),de25demayode1992,laComisiónpresentauna
seriederazonesporlasquesedebenautorizarlasayudasa
losastillerosubicadosenlaantiguaRDA.LaComisión
indica,correctamente ,quehayquetenerencuenta,poruna
parte,losproblemasestructuralesenMecklenburgo-Pome
raniaoccidentaly,porlaotra,lascondicionesdecompe
tenciaenlaComunidad.
Enrelaciónaesto,laComisiónbasasupropuestaenlas
perspectivasdeunaumentodelosprecios(1992:9%,1993:
6%,1994:6%)ydeunaumentodelademanda(1990
1995:+45%,1995-2000:+95%).Estascifrassebasanen
lospronósticoselaboradosporasesoresylaAWES(Aso
ciacióndeArmadoresdeEuropaOccidental)ylaComisión
concluyequeestedesarrollopositivopaliarálasdistorsiones
delacompetenciacomoconsecuenciadelaayuda.
Ladecisiónsobreelimportedelaayudaestáprobable
mente,influenciadatambiénporestospresupuestos ,yaque
sehacalculadounacompensaciónporpérdidasdeproduc
ciónapartirdel1dejuliode1990.Laspérdidasde
produccióndebenestarinfluenciadasporeldesarrollode
lospreciosdemercado.
Sehademostradoqueyanosirvenlospronósticosquese
elaboraronantesdelaresoluciónsobrelaayudamasiva.Los
preciosylademandaoscilan,loquepodríaservircomo
motivopara,obienaumentarlaayuda—considerandoque
laspérdidasenlosastillerosdeMecklenburgo-Pomerania
occidentalaumentan,obienparareducirlaayuda
considerandoquelosefectossobrelacompetitividad delos
demásastilleroseuropeosempeoran.
QuisieratenerlapromesadelaComisióndequelas
consideraciones conrespectoalempleoenlosdemás
astilleroseuropeospesaránlosuficientecomoparaqueno
sepienseenunaumentooenunaampliacióndelaayudaa
losastillerosdelaantiguaRDA.
¿CómopiensalaComisiónreaccionaranteloscambiosde
lospresupuestosenquesebasaladecisiónsobrelaayudaa
losastillerosdelaantiguaRDA?
í1)SEC(92)991.(MDOn°L380de31.12.1990.
PREGUNTA ESCRITAN°2795/92
delSr.MihailPapayannakis (GUE)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/28)
Asunto:DesviacióndeaguasdelríoAqueloo
Ensurespuestaamipreguntaescritan°1943/91{x)del21-
defebrerode1992,laComisiónafirmabaque«...según
losestudiosllevadosacaboporlasautoridadesgriegasy
transmitidosalaComisión,globalmenteelpotencialde
generacióndeenergíadelríoAquelooseveráescasamente
afectadoporelproyectodedesviacióndeaguas».Enla
respuestaalapreguntaoralH-303/92(2)seafirmabaque,
segúnlosestudiosllevadosacaboporlacompañíaestatal
griegadeelectricidades ,ladesviacióndeaguasdelrío
Aqueloosupondríaunaumentodelaproduccióndeenergía
N°C195/1919.7.93 DiarioOficialdelasComunidadesEuropeas
—Corvusmonedula—Corvuscorone—Picapica—
Passerdomesticus—Passermontanus—Passerhispa
niolensis—Sturnusvulgaris—Garrulusglandarius.eléctricadeentre1000y1280Gwh/año,loqueconstituye
unimportanteaumentodelaproduccióndeenergía
hidroeléctricaenGrecia.¿PuedeexplicarlaComisiónla
evidentecontradicciónexistenteentresusdosafirmaciones
einformarnosdesicontinúaabsolutamenteconvencidade
quelaobradedesviacióndeaguasdelríoAqueloo
representaunainversióncomunitariadeimportanciaen
relaciónconsucoste?
(!)DOn°C141de3.6.1992,p.5.
(2)DebatesdelParlamentoEuropeon°3-417(abrilde1992).—Enépocadenidificación (encontradelodispuestoenel
apartado4delartículo7delaDirectiva79/409/CEE):
Streptopeliaturtur—Columbapalumbus—Columba
oenas—Columbalivia—Anasplatyrhychos.
—Durantelamigración(encontradelodispuestoenel
apartado4delartículo7delaDirectiva79/409/CEE):
Streptopeliaturtur—Columbapalumbus—Columba
oenas—Alaudaarvensis—Turduspilaris—Turdus
iliacus—Turdusviccivorus—Anseranser—Anas
streptera—Anascrecca—Anasquerquedula—Anas
platyrynchos—Anasclypeata—Aythyaferina—
Fúlicaatra—Lymnocryptesminimus—Gallinago
gallinago—Scolopaxrusticola—Gallínulachloropus
—Vanellusvanellus—Turdusmerula—Bucepbala
clangula.
¿QuémedidastienelaintencióndeadoptarlaComisión
pararemediarestasituación?
(!)DOn°L103de25.4.1979,p.1.
RespuestadelSr.Paleokrassas
ennombredelaComisión
(30deabrilde1993)
Lacazadeavesylosperíodosdemigracióndealgunas
especiesdeaveshansidoobjetodenumerosasdiscusiones
enelComitéORNIS(Comitédeadaptaciónalprogreso
técnicoycientíficodelaDirectiva79/409/CEE).Porotra
parte,lacreacióndelabasededatosORNISpermitealos
Estadosmiembrosinformarsedelosdatosmásrecientes
sobrelabiologíadelasespeciescubiertasporlaDirectiva
relativaalasaves.
Comoconsecuencia delasnumerosasdenuncias,seha
iniciadounprocedimiento ,deconformidadconelartícu
lo169delTratadoCEE,pormalaaplicacióndelaDirectiva
sobreavesenGrecia.Convieneahoraesperarlaevolución
dedichoprocedimiento .RespuestadelSr.Millan
ennombredelaComisión
(19demarzode1993)
LarespuestadelaComisiónalapreguntaescritan°1943/91
debeinterpretarseenelsentidodeque,segúnlosestudiosdel
DEI(Compañíaestatalgriegadeelectricidad),lasdiversas
hipótesisdeexplotaciónenergéticadelAqueloo,conosin
desviación,llevananivelesclaramentecomparablesde
produccióndeenergía.
Porotraparte,laComisiónconfirmaque,segúnlosestudios
deesemismoorganismo,elproyectodelAqueloo,talcomo
loconcibenlasautoridadesnacionales,implicaunaumento
aproximadodelaproducciónactualdeenergíahidroeléc
tricaenGreciadeun25%(de1000a1280Gwh/año).
LaComisiónnoveningunacontradicciónentreambas
afirmaciones.
LaComisiónsepronunciarásobrelaoportunidadde
concederunaayudacomunitariaparaelproyectode
desviacióndelAquelootalcomofiguraenelmarco
comunitariodeapoyodeGreciacuandorecibadelas
autoridadesgriegaslasolicitudcorrespondiente ydisponga
delosresultadosdeanálisisderentabilidadadecuados.
PREGUNTA ESCRITAN°2800/92
delSr.Jean-PierreRaffin(V)PREGUNTA ESCRITAN°2839/92
delSr.AlexandrosAlavanos(CG)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/29)(93/C195/30)
Asunto:ViolaciónporpartedeGreciadelaDirectiva
relativaalaconservación delasavessilvestres
¿EstáinformadalaComisióndelasgravesviolacionesdela
Directiva79/409/CEE{x)porpartedeGrecia?
Lanormativagriegarelativaalacazaparaelperíodo
1992-1993autorizaparticularmente lacazadelasespecies
siguientes :Asunto:Escándaloenelsectordelaceitedeolivagriego
ElDirectorGeneraladjuntodelaDirectivaGeneralde
AgriculturadelaComisión,Sr.MichelJacquot,enunacarta
dirigidaalGobiernogriegoenrelaciónconlos«fraudese
irregularidades enelsectordelaceitedeolivadenuestro
país»,solicita:
—queseleremitanlascopiasdelasdecisionesrelativasala
realizacióndeinvestigaciones decretadasporelministe
19.7.93N°C195/20 DiarioOficialdelasComunidadesEuropeas
PREGUNTA ESCRITAN°2891/92
delSr.JanBertens(LDR)
alaComisióndelasComunidadesEuropeas
(23denoviembrede1992)
(93/C195/31)riogriegodeAgriculturaylaadministracióndelOEEE
(Organismodecontroldelasayudasalaceitede
oliva);
—queselecomuniquenlasconclusionesdefinitivasde
estasinvestigaciones ;
—queseleinformeacercadelestadodeaplicacióndelas
sanciones.
¿PodríaindicarlaComisión:
1.Siharecibidorespuestasalassolicitudesmenciona
das;
2.AquéconclusiónhallegadolaComisiónapartirde
dichasrespuestasydelainvestigacióninsitudelSr.
Jacquot;
3.Quéotrasaccionespiensallevaracaboparaesclarecer
estasituación?
RespuestadelSr.Steichen
ennombredelaComisión
(10demarzode1993)
1.ElSr.M.Jacquot,DirectordelFEOGA,visitóAtenas
el16deoctubrede1992paratratarconlasautoridades
griegasylaadministracióndelOEEEdiversospuntosdelas
accionesemprendidastraslasdenunciasqueaparecieronen
laprensacontralosfraudeseirregularidadescometidosenel
sectorgriegodelaceitedeoliva.
Duranteestavisita,tantolasautoridadesgriegascomola
administración delOEEErespondieronatodaslaspregun
tasplanteadassobreeltemayentregaronalrepresentantede
laComisióncopiasdelasdecisionesadoptadasporlos
MinisteriosgriegosdeAgriculturayHaciendaordenando
unainvestigaciónenestesector,asícomodocumentación
sobreelestadoactualdeésta.
Entretanto,lasautoridadesgriegashancomunicadoala
Comisióninformacióndetalladasobrelassanciones
impuestasaunidadesdetransformación ,almazarasy
organizaciones deproductorescomoresultadodelos
controlesefectuadosporelOEEEdesdeelcomienzodela
investigaciónhastalavisitadelSr.Jacquot.
2.TantolainvestigacióninsiturealizadaporelSr.
Jacquotcomoladocumentación facilitadaalaComisión
indicanquelasautoridadesnacionalesyelOEEEhan
adoptadotodaslasmedidasnecesariasparainvestigarlos
casosdefraudequesecomentaronenlaprensaylosque
conciernenalpersonaldeeseorganismo.Segúnlainforma
ciónrecibida,yasonvarioslosexpedientesquesehan
enviadoalasautoridadesjudiciales.
3.LaComisiónestásiguiendomuydecercaesteasuntoy
esperaalasconclusionesdefinitivasdelainvestigaciónpara
decidirsobrelaconveniencia ,ensucaso,deemprender
nuevasmedidasquepermitanresolverelasuntodeforma
satisfactoria .Asunto:Violacióndelderechoalalibertaddeestableci
mientoydelalibreprestacióndeserviciosen
perjuiciodepropietariosdebarracasferialesno
alemanesenAlemania
¿EstáalcorrientelaComisióndequedesdehacepoco
tiempoenlaRepúblicaFederaldeAlemaniadebepresen
tarse,paralasolicituddeasignacióndeunpuestoferial,un
llamadodocumentodeactividadprofesionalambulante
(Reisegewerbe-Karte )?
EnlosdemásEstadosmiembrosnoseconocetaldocu
mento,demodoquelospropietariosdebarracasproceden
tesdeestosEstadosmiembrosnopuedenpresentardicho
documento,conlocualsedeniegansussolicitudesde
inscripción.
¿Trátaseaesterespectodeunadiscriminaciónporrazones
denacionalidadydeunaviolacióndelderechoalalibertad
deestablecimiento ydelalibreprestacióndeserviciospara,
entreotrasactividades,propietariosdebarracasferiales,tal
comolodisponelaDirectiva75/368/CEE?
¿Encasoafirmativo,estádispuestalaComisiónarealizarlas
gestionesnecesariasparaponerfinaestaprácticadiscrimi
natoria?
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(2deabrilde1993)
Porloqueserefierealalibrecirculacióndepropietariosde
barracasferiales,elConsejodelasComunidadesEuropeas
aprobólaDirectiva75/369/CEE(*)de16dejuniode1975,
relativaalasmedidasdestinadasafavorecerelejercicio
efectivodelalibertaddeestablecimiento ydelalibre
prestacióndeserviciosparalasactividadesejercidasde
formaambulanteyporlaqueseadoptan,enparticular,
medidastransitoriasparadichasactividades.
ElprincipalobjetivodedichaDirectivaeseldeeliminarel
obstáculoalamovilidaddelaspersonasylosservicios
derivadodelasdisposicionesnacionalesquecondicionanel
ejerciciodedeterminadasactividadesprofesionalesauna
pruebadehonorabilidad ,yqueseextiendeindistintamente
tantoalosciudadanosnacionalescomoalosextranjeros.
EstasdisposicionesexistenprecisamenteenAlemaniapara
elejerciciodelasactividadesambulantesylapruebadela
honorabilidadparalosciudadanosalemanessesuministra,
enprincipio,mediantela«Reisegewerbekarte ».Paralos
ciudadanosdelosdemásEstadosmiembros,laDirectiva,en
suartículo3,establecelosdocumentosprobatoriosque
puedensustituirala«Reisegewerbekarte »,asaber:un
certificadodepenaleso,ensudefecto,undocumento
equivalenteexpedidoporlaautoridadjudicialoadminis
trativacompetentedelpaísdeorigenodeprocedencia,del
quesedesprendaquesecumplelaexigenciadehonorabi
lidad.AfaltadedichodocumentoenelEstadomiembrode
origenodeprocedencia,elEstadomiembrodeacogidadebe
N°C195/21 19.7.93 DiarioOficialdelasComunidadesEuropeas
admitiruncertificadoounadeclaraciónelaboradocon
arregloalodispuestoendichoartículo3.
LaComisiónnotieneconocimientodequeexistanproble
masderivadosdelaaplicacióndedichaDirectiva.
í1)DOn°L167de30.6.1975.
PREGUNTA ESCRITAN°2894/92
delSr.GerardoGaibisso(PPE)
alaComisióndelasComunidadesEuropeas
(23denoviembrede1992)Encuantoalaspreguntasconcretas,cabesuponerqueSu
Señoríaserefierealoscontratosrelativosalnuevoedificio
delConsejo,cuyoórganodeadjudicaciónsonlasautorida
desbelgas.
Enrelaciónconlaconstruccióndelnuevoedificiodel
Consejo,«COGEFARIMPRESIT»nohaobtenidoningún
contratoasunombre,sinoúnicamenteentantoque
miembrodeunconsorciointernacional ,CDK,formadopor
«COGEFARIMPRESIT»,Dywidag(Alemania)yKoeckel
berg(Bélgica),adjudicatariodetreslotesdelaobrade
construccióndelnuevoedificiodelConsejo.
1.Lasautoridadesbelgas,ensucalidaddeórganode
contratación,publicarondebidamenteunanunciode
licitaciónenelSuplementodelDiarioOficialdelas
ComunidadesEuropeasn°S142de25dejuliode1987,
página11.Dichapublicaciónsupusoeliniciodeun
procedimiento deadjudicaciónrestringido.
2.Paracadaunodelostreslotesserecibieronnueve
ofertasdeempresaso,sobretodo,degruposde
empresasdeBélgica,Italia,Francia,Alemania,Luxem
burgo,EspañaylosPaísesBajos.
3.LaComisiónnopuedeproporcionar lainformación
solicitadasobreelcontenidodelalicitación,que,en
cualquiercaso,tantoelconsorciocomolasautoridades
belgascompetentesconsideran,legítimamente ,de
carácterconfidencial.
4.LaComisiónhaanalizadolosprocedimientos emplea
dosenlaadjudicacióndeloscontratosparaloslotes1.2
y3ydeesteanálisisnosedesprendequelascondiciones
deadjudicacióndelaobraalconsorciodelque
«COGEFARIMPRESIT»formapartenoseajustarana
lasdisposicionescomunitariassobrecontrataciónpúbli
ca.(93/C195/32)
Asunto:Trabajosdeconstruccióndeedificiosdestinadosa
lasinstitucionesdelaComunidadEuropeaadju
dicadosalaempresa«COGEFERIMPRESIT»,
sometidaainvestigaciónjudicialenItalia
Entrelasempresasquetrabajanenlaconstrucciónde
edificiosdestinadosalasinstitucionesdelaComunidad
EuropeaenBruselasfiguralaitaliana«COGEFERIMPRE
SIT»,sometidaainvestigaciónjudicialenItaliaporhaber
entregadoadistintasautoridadespúblicasypartidos
políticosingentessumasenconceptodecomisionesilegales
paraasegurarse,ilegalmente,laadjudicacióndelicitaciones
deobraspúblicas,violandogravementelanormativa
comunitariarelativaalacompetencialibreyleal,corrom
piendoenlugarde«compitiendo».Porestemotivo,unode
losprincipalesdirectivosdela«COGEFARIMPRESIT»ha
sidodetenidoporordendeljuezdeinstrucción.
¿PuedeinformarlaComisión:
1.siparalaconstruccióndelosedificiosencuestión
convocóunalicitaciónendebidaforma,estoes,
publicandolaconvocatoriaenelDiarioOficialdelas
ComunidadesEuropeas;
2.cuántasempresasydequépaísesmiembrosparticiparon
enlalicitación;
3.quécondicionesofrecióla«COGEFARIMPRESIT»
paraganarlalicitaciónyadjudicarselostrabajos;
4.mediantecuálesprocedimientos seconfiaronlostraba
josala«COGEFARIMPRESIT»?í1)DOn°C6de11.1.1993.
PREGUNTA ESCRITAN°2899/92
delSr.CesareDePiccoli(UE)
alaComisióndelasComunidades Europeas
(23denoviembrede1992)
(93/C195/33)
Asunto:CierredelafábricaAlucentrodePortoMarg
hera
Considerando quelamultinacional Alusuissehadecidido
cerrarlafábricadePortoMargherallamadaAlucentro,lo
queconllevaeldespidodecientosdetrabajadores ;
Considerandotambiénquedichocierreformapartedeun
proyectodeAlusuisseaescalaeuropea;
¿PuedeinformarlaComisiónsiestáalcorrientedeelloy,en
casoafirmativo,sipiensaadoptarmedidasparaimpedirque
enlaComunidadseproduzcaunagravepérdidadepuestos
detrabajoyunareduccióndelaproducciónenelsectordel
aluminio?RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(7deabrilde1993)
Paralosaspectosgeneralesplanteadosenlapregunta,
remitoasuSeñoríaalarespuestadelaComisiónala
preguntaescritan°1437/92,presentadaporelSr.Link
ohrí1).
N°C195/22 DiarioOficialdelasComunidadesEuropeas 19.7.93
PREGUNTA ESCRITAN°2933/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/34)
Asunto:Elnuevorégimendeexplotacióndecanterasen
Grecia
Laintroduccióndeunnuevorégimendeexplotaciónde
canterasenGrecia,basadoencriteriosmedioambientales ,
nohasidoaúndecretadaporlasautoridadesgriegas
competentes .SegúnhadeclaradoelGobiernogriego,el
Decretopresidencialquetrataráderesolverlasituaciónde
lascanterashasidoaplazadosinedie.¿PiensalaComisión
interesarseporesteasunto?RespuestadelSr.Bangemann
ennombredelaComisión
(5deabrilde1993)
AlucentropertenecealgrupoAlusuisseItalia,ysededicaala
produccióndeánodosempleadosparalaobtenciónde
aluminioprimarioporelectrólisis.Suprincipalclienteerala
fábricaSAVAdePortoMarghera,propiedaddeAlumix
(Estadoitaliano).Enlaactualidad,Alumixproducesus
propiosánodosdecarbonodecalidad,porloqueAlucentro
haperdidoasuprincipalcliente.
Lacrisiseconómicaqueafectaalmundodesde1990ha
provocado,entreotrascosas,unestancamientodela
demandadealuminioprimario,'locualsehatraducidoen
unabajadepreciosenlosmercadosinternacionales.
Elaumentodelasexportaciones dealuminiodelas
repúblicasdelaantiguaURSS,quehandescargadoenlos
mercadosinternacionales ,ysobretodoenlaComunidad,
cercadeunmillóndetoneladasalañoen1991y1992,ha
deterioradoaúnmáslospreciosmundiales.Estacaídadelos
preciosdelaluminiohasituadoalaindustriacomunitariaen
unaposicióncrítica,sobretodohabidacuentadelhechode
quesuscostesdeproducciónson,enmuchoscasos,
superioresalosdesuscompetidoresnocomunitarios ,sobre
tododelossituadosenpaísescuyasreglamentaciones son
menosexigentesquelascomunitarias ,porejemploen
cuantoalaproteccióndelmedioambiente.
Parahacerfrenteaestasituación,losindustrialeshan
decididoelcierretemporalodefinitivo,segúnloscasos,de
lasfábricasmenoscompetitivas.
LaComisiónesconscientedeestosproblemasysiguede
muycercasuevolución,principalmente atravésdelosdatos
estadísticosobtenidosgraciasalsistemadevigilancia
establecidoporsupropiainiciativaporelReglamento
(CEE)n°958/92,de14deabrilde19920).Porotraparte,
instruyeenestemomentounademandadelGobierno
francésrelativaalaaplicacióndeunacláusuladesalvaguar
diacomunitariaalasimportaciones dealuminiobruto
procedentesdelasrepúblicasdelaCEI.Ladecisiónfinalen
esteasuntocorrespondealConsejo.Porsuparte,la
Comisiónseesmeraráporllevarestainstruccióndemanera
eficazyrápida.
LaComisiónestáconvencidadequelasalvaguardiadelos
interesescomunitarios ,sobretodolosrelativosalempleo,
exigelaobservanciadelasnormassobrelacompetenciaen
losmercadosinternacionales .Paraalcanzaresteobjetivo,en
particularenlasrelacionescomercialesconlasrepúblicasde
laCEI,esnecesario,juntoamedidasdepolíticacomercial
quelaComisiónpodríaproponer,desarrollarunainiciativa
decooperaciónimportante,dirigidasobretodoafacilitarla
insercióndeestasrepúblicasenlaeconomíademercado.RespuestadelSr.Paleokrassas
ennombredelaComisión
(27deabrilde1993)
LaComisiónseñalaquelacuestiónplanteadaporSu
Señoríasobreelrégimendeexplotacióndecanterasen
GreciaescompetenciadelosEstadosmiembros.
Setrata,enefecto,deundecretoqueestableceloscriterios
generalesquedebencumplirlasexplotacionesdecanterasy
que,ensí,noentraenelámbitodeaplicacióndelaDirectiva
85/337/CEE(J),pueséstasólorequiereunaevaluaciónde
impactoambientalenelcasodeproyectosparticularesdela
industriaextractiva.
Así,cadavezquesesoliciteunaautorizaciónparala
explotacióndeunacantera,corresponderá alasautoridades
griegascomprobar,antesdeconcederla,siesnecesariauna
evaluacióndeimpactoambientaldeacuerdocondicha
Directiva,teniendoencuentaeltamañoolalocalizaciónde
lacantera.
(MDOn°L175de5.7.1985.
PREGUNTA ESCRITAN°2935/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(24denoviembrede1992)
(93/C195/35)
í1)DOn°L102de16.4.1992.Asunto:Establecimiento deuncatastroenGrecia
ConsiderandoqueGrecianodisponehastalafechadeun
catastrogeneralnacionalnidecatastrosespecíficos,¿piensa
laComisiónproponerunaayudaaestepaísdestinadaal
próximoestablecimiento deloscatastrosnecesarios?
DiarioOficialdelasComunidadesEuropeasN°C195/2319.7.93
Afinalesde1992,lasautoridadesresponsablesdela
ejecucióndelmismohabíanagotadototalmenteelpresu
puesto,porloquerecientementesehanasignadootros2,8
millonesdedracmascorrespondientes a1993paracomple
tarlafaseencursodelproyecto.Sepuedeestudiarla
financiacióndenuevasfasesdentrodelanuevarondade
ayudasdelosFondosestructuralesaGrecia,quecomenzará
en1994.RespuestadelSr.Millan
ennombredelaComisión
(22demarzode1993)
LaComisiónconsideraquelaelaboracióndeuncatastro
nacionalydecatastrosespecíficosenGreciapermitirían
disponerdeuninstrumentoimportanteparaeldesarrolloy
lamodernizacióndelosserviciosadministrativosnacionales
y,deformamásgeneral,delaeconomíaylasociedad
griegas.
Enestecontexto,laComisiónestáfinanciandolaelabora
cióndeunregistrooleícolayvitivinícolaenGrecia,y
tambiénunestudiopilotoenMacedoniacentralconvistasa
prepararunmétododeelaboracióndelcatastronacional
adecuadoalaspeculiaridadesgriegas.Noobstante,elinicio
deestasoperacioneshapuestoenevidencialosmúltiples
inconvenientesqueprovocalafaltadeuncatastrodefincas
rústicasy,porlotanto,lanecesidaddedesarrollarun
instrumentoquepermitaefectuarunseguimientoque
satisfagalasnecesidadesdelaspolíticascomunitariasy,en
particular,delaPAC.
Porúltimo,laComisiónestádispuestaaestudiarla
posibilidaddecofinanciarelcatastronacionalgriegoagran
escaladentrodelpróximomarcocomunitariodeapoyo
griego,silasautoridadesgriegascompetentesenlamateria
presentanunapropuestaalrespecto.PREGUNTAESCRITAN°2952/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/37)
PREGUNTA ESCRITAN°2936/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/36)Asunto:LatragediadelosniñosenBosnia-Herzegoviña
ElbalancedelaguerracivilenBosnia-Herzegovina es
trágicoparalosniños,víctimasinocentesenesteconflicto.
Desdequeenelmesdeabrilsedesencadenaron las
hostilidades,ysegúnlosdatosdelInstitutodeSanidadde
Bosnia-Herzegovina ,hanfallecido1500niños,hanresul
tadoheridos30000ypadecengravesproblemaspsicológi
cosmásde900000.Considerandoque,segúnelAlto
ComisariadodelasNacionesUnidas,muyprobablemente
seproduciráunelevadonúmerodefallecimientosdeniñosa
consecuenciadelfríoydelafaltadeayudaalolargodeeste
invierno,¿quémediosseproponeutilizarlaComisiónpara
salvaralosniñosdeBosnia-Herzegovina ,dadoquelos
refugiadosquecarecendetodotipodeabrigorebasanyala
cifrade2700000?¿TieneintenciónlaComisiónde
solicitar,entreotrascosas,unmayoraumentodelaayuda
queconcedelaComunidadatravésdelprogramaespecial
paraestaregión?
RespuestadelSr.Marín
ennombredelaComisión
(7demayode1993)
Desdeelcomienzodelconflictoenelterritoriodelaantigua
Yugoslavia,laComisiónhaconcedidoayudasimportantes
enbeneficiodelosrefugiadosydesplazadosacausadelos
combates.Enefecto,laasignacióndeayudaporunvalorde
cercade290millonesdeecus,conarregloalaayuda
humanitariadeemergencia,conviertealaComisiónenel
primerdonantemundial.
Estaayudafinancieraseharealizadomedianteelenvíode
300000toneladasdeproductosalimenticios,2,7millones
depaquetesparafamilias,178000mantas,50000colcho
nes,4500toneladasdejabón/detergente,larealizaciónde
programasmédicosporunvalordeaproximadamente 24
millonesdeecus,programasderefugiosporunvalorde
aproximadamente 37millonesdeecus,etc.Estaayudaestá
destinadaatodalapoblaciónnecesitada,sindiscrimina
ción,yevidentementetambiénalosniñosdeBosnia
Herzegovina .Asunto:Renovacióndelareddesuministrodeaguaenel
municipiodePortaría(provinciadeMagnisia)
Considerandoquelasobrasderenovacióndelaredde
suministrodeaguadelalocalidadturísticadePortaría,enla
provinciadeMagnisia,figurabaentrelasprimerasenla
propuestainicialdelosPIM(1986)conunimporte
asignadode17millones,yteniendoencuentaqueel
programaPIMacabaen1992sinquehayanfinalizadolas
obrasderenovacióndedichared,¿piensalaComisión
actuarparaseguirasegurandolafinanciacióndedichas
obras?
RespuestadelSr.Millan
ennombredelaComisión
(13deabrilde1993)
LaComisiónconfirmaquelosProgramasIntegrados
Mediterráneosincluíanunproyectodesuministrodeagua
paraelmunicipiodePortaríaconunpresupuestode17
millonesdedracmas.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/24
LaComisióncontinúasusesfuerzosen1993yel3demarzo
pasadodecidiólaprimerasignaciónde60millonesdeecus
enfavordelasvíctimasdelconflicto.
PREGUNTAESCRITAN°2968/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)altasproduccionesdedichasinstalaciones,740000Tm/año
decarbonosódicoy256000Tm/añodesosacáustica,el
pesototaldesólidosqueseviertedirectamentealmarsupera
las1500Tm/día.
Talesvertidostienenunimpactomedioambiental clara
mentenegativo,sobretodorespectodeloscultivosmarinos
quesedesarrollanenlacostapróxima,yaquelaalta
concentracióndemateriasensuspensiónenlazonadeter
minaquelasaguasnopuedancumplirlosrequisitos
mínimosestablecidosenlaDirectiva79/923/CEEdel
Consejo,de30deoctubrede1979(!),relativaalacalidad
exigidaalasaguasporlacríademoluscos.
¿EsconscientelaComisióndelaexistenciadeuningente
vertidodeproductossólidosrealizadodirectamentealmar
porSolvayyCía.sindepurarenlaplayadeUsgo,enla
ComunidadAutónomaEspañoladeCantabria,juntoa
zonasenlasqueserealizancultivosmarinos?
¿QuémedidaspiensaadoptarlaComisiónparaexigirdel
EstadoEspañollagarantíadequeloscultivosmarinosenlas
proximidadesdetalesvertidoscumplenlosrequisitosde
calidaddeaguasmínimosestablecidosporlanormativa
comunitaria ?(93/C195/38)
Asunto:Lasubvenciónalaempresanormalizadora del
sectordelaceite«Eleoparagoyikí EladasZ.A.
Tambara»
Segúnpublicacionesdelaprensagriegade4deoctubrede
1992,surgenmultituddeinterrogantesrespectoalos
procedimientosporlosquesesubvencionalaempresa
normalizadoradelsectordelaceite«Eleoparagoyikí Eladas
Z.A.Tambara»deSalónica.¿PiensasolicitarlaComisiónel
esclarecimiento deesteasunto?
RespuestadelSr.Steichen
ennombredelaComisión
(4demarzode1993)
LaComisiónnodisponedeinformaciónparapodertomar
unaposturasobrelaposibilidaddeconcederunaayudaala
unidaddeenvasado«Elaioparagoyiki EliadasTH.A.
Tabara»deTesalónica;sehaenviadoalasautoridades
griegasunanotificaciónenvirtuddelapartado3del
artículo93delTratado.
LaComisiónnodejarádepronunciarseacercadeesta
medidaenfuncióndelasnormasdecompetenciadel
Tratado.(!)DOn°L281de10.11.1979,p.47.
RespuestadelSr.Paleokrassas
ennombredelaComisión
(3demayode1993)
LaDirectiva79/923/CEEdelConsejo,de30deoctubrede
1979,relativaalacalidadexigidaalasaguasparacríade
moluscossóloesaplicablealasaguascosterasysalobres
consideradasporlosEstadosmiembroscomoaguasque
requierenprotecciónomejoraparaquelosmoluscos
puedanvivirenellas.
Españacuentaconcincozonasdeclaradascomoaguaspara
críasdemoluscosenlaregióndeCantabria,númeroquela
Comisiónconsideraadecuadoyrepresentativo paraesta
zona.Delascincozonas,lasmáspróximaalaplantade
BarredaseencuentraenlaMarismadeMogroaloestedel
estuariodelríoSoya.
LaComisiónharecibidodeEspañalosresultadosdelos
controlesrealizadosdurante1990ensusaguasdeclaradas
paracríademoluscos.Sinembargo,losdatosfacilitadosson
insuficientesparapermitirapreciarsiexistenproblemasen
relaciónconelparámetrodesólidosensuspensiónenlas
zonasdeclaradascomoaguasparacríademoluscosenla
regióndeCantabria.Porestarazón,laComisiónvaa
procederaunasinvestigacionesespecíficasparadeterminar
siseestárespetandoenCantabrialaDirectiva79/923/CEE,
einformaráaSuSeñoría,asudebidotiempo,sobrelos
resultadosdedichasinvestigacones.
Además,laComisiónestáexaminandolaconformidadcon
laDirectiva76/464/CEE(J)relativaalacontaminación
causadapordeterminadassustanciaspeligrosasvertidasenPREGUNTA ESCRITAN°2987/92
delSr.JoséValverdeLópez(PPE)
alaComisióndelasComunidades Europeas
(30denoviembrede1992)
(93/C195/39)
Asunto:VertidosdelacompañíamercantilSolvayyCía.en
laplayadeUsgo
LacompañíamercantilSolvayyCía.viertedirectamenteal
marysindepurarloslíquidosresidualesdelosprocesosde
fabricacióndesuplantadeBarreda(Cantabria).Dadaslas
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/25
elmedioacuáticodelaComunidad(yconlasdirectivas v
derivadasdeella)enloquerespectaalosvertidosdela
empresaSolvayyCíadeBarreda.requireque,enelcursodesuformación,sellamelaatención
delosconductoresdevehículosdemotorsobreelrespetodel
medioambientemediante,enparticular,una«utilización
pertinentedelasseñalesacústicas».
í1)DOn°L129de18.5.1976.
(!)DOn°L176de10.8.1970.
(2)DOn°L237de24.8.1991.
PREGUNTA ESCRITAN°3021/92
delSr.JoséLafuenteLópez(PPE)
alaComisióndelasComunidadesEuropeas
(30denoviembrede1992)PREGUNTA ESCRITAN°3025/92
delSr.FlorusWijsenbeek (LDR)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)(93/C195/40)
(93/C195/41)
Asunto:Transportetransfronterizo depasajeros
¿SabíalaComisiónquelosserviciosdetaxitransfronterizos ,
alcruzarlasfronterasinteriores,debendetenerseconelfin
deabonarelIVAqueadeudanenunEstadomiembro
distintoalpaísdesuresidencia?
¿Cómosecompaginaestoconlalibertaddeprestaciónde
serviciosenlaComunidadyconelhechodequeelIVAhaya
deabonarseenelpaísenelquesepagalafactura?Asunto:Medidascomunitariascontralacontaminación
sonora
Mientrassecumpleelsueñodeque«unaciudadsincoches
esunareformanecesariayrazonable,tantodesdeelpunto
devistaeconómicocomomedioambiental »,segúnha
expuestounaautoridadcomunitaria,convieneresaltarque
hayaspectosdelaciudad«concoches»queconviene
abordar,comunitariaemente yconurgencia,parapaliarla
contaminación sonoraqueeltráficoenlasciudades
provoca.
Unodetalesaspectoseselusoindebido,yexagerado,del
claxondelosautomóviles,queprovocaunaauténtica
contaminación sonora,insoportable,enlasprincipales
arteriasdetráficoporsudensidadydificultad.
Porello,ymientrassellegaalaanheladametadeorientarel
tráficodeformaqueserecuperenlasciudadesdelactual
caosqueprovocaeltráfico,convendríasilaComisiónno
estimanecesarioproponeralosejecutivosnacionalesdelos
Estadosmiembrosqueregulenlaprohibicióndelusodel
claxondelosautomóviles ,comoalgunospaísescomunita
riosyahandecretado,conobjetodeeliminarunodelos
elementosmásprovocadoresdelacontaminaciónsonoraen
nuestrasciudades.RespuestadelaSra.Scrivener
ennombredelaComisión
(5deabrilde1993)
LaComisiónesconscientedelasobligacionesquemenciona
SuSeñoríaeneltransporteintracomunitario porcarretera.
Estasobligaciones,queconsistenencargasadministrativas
impuestasalostransportistasinternacionalesenlosEstados
miembrosqueaplicanelIVAyquesuponenunapérdidade
tiempoenlasfronteras,resultannecesariasenvirtuddel
textoactualdelaSextaDirectivadelIVA77/388/CEE(*),
porlaque,entérminosfiscales,setienenencuenta,paraun
mismotransporte,todoslospaísestransitadosenfunciónde
lasdistanciasrecorridas.
Noobstante,porloqueserefierealtransportedepersonas,
estamismadirectivaestablecequeelobjetivofinalesla
imposicióndetodoelrecorridoenelpaísdeorigen.La
supresióndeloscontrolesenlasfronterasintracomunita
rias,previstaapartirdel1deenerode1993,constituye
tantolaoportunidadcomolarazónfundamentalque
justificanlaurgenciaderealizardichoobjetivo.
Contalfin,enseptiembrede1992,laComisiónpresentóal
Consejounapropuestadenuevadirectivaquesepropone
situarenelpaísdeorigenlasprestacionesdeserviciosde
transporteporcarreterayporvíafluvial.RespuestadelSr.Matutes
ennombredelaComisión
(31demarzode1993)
LaDirectiva70/388/CEEdelConsejode27dejuliode
1970H,relativaalosaparatosproductoresdeseñales
acústicasdelosvehículosdemotor,limitaelniveldepresión
acústicadedichosaparatosa118dB(A).
Laregulacióndelusodeestosaparatosproductoresde
señalesacústicasenlaszonasurbanasesdelacompetencia
delasautoridadesnacionales,einclusolocales.
Noobstante,cabeseñalarqueelAnexoII(punto2.10)dela
Directiva91/439/CEE(2)sobreelpermisodeconducciónODOn°L145de13.6.1977.
19.7.93
N°C195/26DiarioOficialdelasComunidadesEuropeas
¿PodríaindicarlaComisiónsiestasinformacionesson
ciertasy,encasoafirmativo,quémedidaspiensaadoptar
paraasegurarlaaplicacióncorrectayuniformededicha
directivaentodoslosEstadosmiembros?PREGUNTAESCRITAN°3090/92
delSr.JoséValverdeLópez(PPE)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/42)í1)DOn°L166de28.6.1991,p.77.
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(2deabrilde1993)
Losdías9deabrily14demayode1992,elGobierno
italianoinformóalaComisióndequesehabíaincorporado
alderechoitalianolaDirectiva91/308/CEE.Actualmentela
Comisiónestácomprobandoquetodaslasdisposicionesde
laDirectivaestáncorrectamenteincorporadasenlanueva
normativaitaliana.Asunto:Estudiosdeviabilidaddelfuturotúnelenel
EstrechodeGibraltarentreMarruecosyEspaña
LosGobiernodeEspañayPortugal,desdehacedécadas,
vienenestudiandolaposibilidaddeuntúnelqueenlace
MarruecosconEspaña.Dadoquelanuevapolíticamedi
terráneadelaCEconllevaráungranaumentodelflujode
personasydemercancíasentrelospaísesdelMagrebyel
restodepaísesdeOrientepróximo,¿prevélaComisión
impulsarlosestudiosdeviabilidadysufuturaimpulsióna
travésdelosnuevosinstrumentosdecooperacióncon
dichospaíses?
PREGUNTAESCRITAN°3105/92
delosSres.VirginioBettiniyGianfrancoAmendola(V)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)RespuestadelSr.Marín
ennombredelaComisión
(2deabrilde1993)
Lasautoridadesespañolasomarroquíesnosehanpuestoen
contactoconlaComisiónparaquecolaboreenlafinancia
cióndeestudiosdeposibilidadsobrelaconstruccióndeun
túnelbajoelEstrechodeGibraltar.Enelcasodequela
Comisiónrecibiesedichasolicitud,procederíaaexaminarla
convistasadeterminarsielproyectopodríabeneficiarsede
unafinanciaciónenelmarcodelanuevapolíticamedite
rránea,enparticulardentrodelapartado«horizontal».(93/C195/44)
Asunto:CazadeavesenPontida(Bérgamo)enLombardía
—Italia
ConsiderandoquelaDirectiva79/409/CEE0)relativaala
conservacióndelasavessilvestresprohíbelacazade
aves,
considerandoqueenlaprovinciadeBérgamoydeBresciase
haninstalado,comopuedeapreciarseenlafotografía
adjunta,instrumentosdestinadosacapturarymataraves,
prohibidosporlaDirectiva79/409/CEE,
¿nocreelaComisiónquedeberíaentablarunprocedimiento
porincumplimientocontralasautoridadesitalianasporno
respetarlaDirectivamencionada ?
í1)DOn°L103de25.4.1979,p.1.PREGUNTAESCRITAN°3096/92
delSr.MauroChiabrando (PPE)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/43)
Asunto:IncorporaciónporpartedeItaliadelaDirectiva
relativaalaprevencióndelautilizacióndelsistema
financieroparaelblanqueodecapitales
ItaliaaúnnohaincorporadolaDirectiva91/308/CEEHde
10dejuniode1991relativaalaprevencióndelautilización
delsistemafinancieroparaelblanqueodecapitales.
Esteretrasooriginaráapartirdel1deenerode1993
problemasparaelsistemabancarioylaclientela,yaquelas
operacionesserealizaránsegúnnormasdistintasdelos
demásEstadosdelaCEE.
Estasdificultadesyahansidoseñaladasporlasentidades
bancariasitalianasalasautoridadescompetentes .RespuestadelSr.Paleokrassas
ennombredelaComisión
(28demayode1993)
LaComisiónllevaráacaboenelEstadomiembroafectado
unainvestigacióndeloshechosaquehacenreferenciaSus
Señorías,yleinformarásobrelosresultadosdedicha
investigación.
DiarioOficialdelasComunidadesEuropeasN°C195/2719.7.93
PREGUNTAESCRITAN°3116/92
delSr.MaxSimeoni(ARC)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/45)
Asunto:Balanceecológicodeloscombustiblesbiológicos
LaOficinaalemanademedioambiente(Umweltbunde
samt)acabadeterminarunestudiosobreelbalance
ecológicodelautilizacióndecombustiblesbiológicos.
Segúnesteestudio,losbiocombustibles ,sibienproducen
unasemisionesmenoresdeCO2requierenabonoqueenel
casodelcultivodelacolzadespidenprotóxidosde
nitrógeno,ungastrescientasvecesmáspeligrosoparael
efectoinvernaderoqueelCO2.Elbalanceglobalesnegativo.
Lomismopuededecirsedelosalcoholesextraídosde
cereales,remolachasopatatas.Ensuproducciónsecon
sumeentotalmásenergíadelaqueelproductopuede
proporcionar.
Encuantoaloscostedebalanceesigualmentenegativo.Los
investigadoreshancalculadoqueaunenelcasodeuna
exenciónfiscalparalosbiocarburantes ,elaceitedecolza,
queeselbiocarburantemenoscaro,necesitaríaunasub
venciónde0,80marcosalemanesporlitroparapoderser
vendidoalmismoprecioqueelgasoilconvencional.
Losinvestigadoresalemaneshanllegadoalasiguiente
conclusión :combustiblesobtenidosdelcultivointensivode
lacolzanopresentanventajasecológicasrespectodelgasoil
convencional.
¿ConocelaComisiónesteestudio?Encasoafirmativo,¿qué
conclusionessacadeélparasuacciónenelámbitoagrícola
medioambiental ?2.Encuantoalbalanceenergéticodelosbiocarburantes ,la
mayorpartedelosestudiosinventariadosdanresulta
doscomprendidosentre1,2y5(relaciónentrelaenergía
necesariaparaproducirlos,incluidoelcontenidoener
géticodelosabonos,lospesticidasyloscarburantes
paralosaparatosagrícolasutilizados,yelcontenido
energéticodelosproductosysubproductos).Las
variacionesdependendelaeleccióndelossectoresyde
lastecnologíasutilizadas.Portanto,segúndichos
estudios,empleandobiocarburantes sereducenlas
emisionesdeCO2entodosloscasos.Sinembargo,se
habránderealizarestudiosadicionalesparaprecisartal
reducciónsegúnlaexperienciaadquirida.
Asimismodichosestudiosotorganalosbiocarburantes
ventajasrespectoalaemisióndepartículas,humoSO2,
COehidrocarburosnoquemados.Noobstante,el
balanceecológicoesmenospositivoenelcasodelos
compuestosorgánicosvolátilesylosóxidosdenitróge
no.
3.Enloqueserefierealcostedeproduccióndelos
biocarburantes ,lapropuestadelaComisióndereducir
losimpuestosespecialescubreladiferenciaexistente
entredichocosteyelpreciodeloscarburantesfósiles.
Nohayqueolvidarqueactualmenteeldiésterdecolzase
produceenpequeñasunidadespilotoyquelaproduc
cióneninstalacionesdemayortamaño(50000
100000toneladasanuales)ylosavancestecnológicos
reduciránloscostesactuales.Además,traslareformade
lapolíticaagrícolacomúñ,lospreciosdelosproductos
agrícolasdelaComunidadseaproximaránalosdel
mercadomundial.
4.Porotraparte,convienetomarenconsideraciónlas
ventajasenergéticasyeconómicasquepodríanofrecer
losbiocarburantes ,asaber,
—elaumento,pormuymodestoquesea,dela
seguridaddeabastecimientoenergéticodelaComu
nidadylareduccióndelaenormedependenciadel
transporteporcarreterarespectoalosproductos
derivadosdelpetróleo
—elefectopositivoenlabalanzadepagosyenla
balanzacomercialasícomoenelincrementodel
PNBydelempleo;aesterespecto,enunestudiodela
Comisiónsehacalculadoque,traslosprimeros5a
10años(segúnlosdistintosEstadosmiembros)los
ingresosfiscalesrecaudadosdelaactividadeconó
micaproducidaporestenuevosectorpodrían
compensarconcreceslapérdidadeingresosfiscales
resultantedelasupresióninicialdeimpuestossobre
losbiocarburantes.
5.LaComisiónconsideraque,dadoelsaberactualsobreel
tema,porelmomentonosepuedehaceractualmenteun
balanceecológicodelasituacióndelosbiocarburantes a
niveleuropeo,yaqueendichobalancenosólose
deberíantenerencuentalosefectosnocivosdealgunos
gasesrespectoalefectodeinvernaderosinoquetambién
sedeberíanplantearlaproblemáticademedioambiente
entodossusaspectos,enespecialeldelaalternativade
sustituciónentrelosbiocarburantes yloscarburantesRespuestadelSr.Matutes
ennombredelaComisión
(6deabrilde1993)
Hastalafecha,noparecequeelestudiocitadoporSu
Señoríasehayapublicadooficialmente .Noobstante,
basándoseenlainformacióndequedisponesobreestetema,
laComisiónhacelossiguientescomentarios :
1.Lasemisionesdeprotóxidodenitrógenonoson
específicasdelcultivodecolza.Dependendemuchos
factoreslocales,porloquenosepuedencuantificarde
modouniformeaniveleuropeo.Elaumentodel
rendimientodelaproduccióndecolzalogradodurante
losúltimosañossedebe,sobretodo,alosavances
realizadosenbiotecnología .Lascantidadesapuntadas
porelMinsiterioalemándeMedioAmbiente(Umwelt
bundesamt)respectoalasemisionesdeN20liberadas
enloscultivosdecolzaparecenmuysuperioresalasque
suelecitarlamayoríadelosinvestigadores .Portanto,
parecenecesariorealizarnuevasinvestigaciones al
respecto.
19.7.93N°C195/28 DiarioOficialdelasComunidades Europeas
PREGUNTA ESCRITAN°3190/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/47)fósiles.Entrelosfactoresquehabríaqueconsiderar
figurantambiénlasrepercusionessobreelmedio
ambientedelapuestaenbarbechodegrandessuperfi
ciesagrícolasdelaComunidadylaindispensable
conversióndeciertonúmerodeempleosagrícolasen
empleosindustrialesuotros.
6.Enconclusión,laComisiónconsideraqueconviene
avanzarconprudenciaeneldesarrollodelsectordelos
biocarburantes y,segúnlaexperienciaqueseadquiera,
hacerdemodopermanenteunbalanceenergético,
económicoyecológicoyunbalancedelasrepercusiones
sobreelempleo.Asunto:ProteccióndelaaldeadeKalojori(Salónica)
LaaldeadeKalojori,enlasproximidadesdeSalónica,se
estáhundiendodebidoaimportantesbombeosdeaguayse
encuentraenpeligroinmediato,bienporcausadeterremoto
uotracatástrofe,bienporlaimprevistasubidadelniveldel
mar.CabeseñalarqueelMinisteriogriegodeMedio
Ambiente,OrdenacióndelTerritorioyObrasPúblicases
conscientedeestasituación,sibienlasmedidasadoptadas
hastalafechahanresultadoinsuficientes .¿Piensala
Comisiónpedirqueseestablezcannuevasmedidas,consi
derandoque:a)Kalojeriseencuentraenunazonasísmicay
b)hacepoco,debidoaunatormenta,desbordóunapresade
15metrosdelongitud,inundandounas100hectáreas,con
objetoderemediarinmediatamente estasituación?
RespuestadelSr.Paleokrassas
ennombredelaComisión
(17demayode1993)
Lasituación,talycomoladescribeSuSeñoría,pareceserde
lacompetenciadelasautoridadesgriegas.PREGUNTA ESCRITAN°3173/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/46)
Asunto:EldeltadelríoIlisoenelAtica
Apesardelosterraplenadosquesufre-devezencuando,el
deltadelríoIlisoenelÁticacontinúaalbergandocomo
biotopoacuáticounaimpresionantecantidaddeaves
migratorias.LaSociedadOrnitológicaHelénica(EOE)
sostienequeesnecesarioconvertirladesembocadura del
Ilisoenparquenaturaldadoqueenellugarsedetieneny
anidan119especiesdeaves.¿TieneintenciónlaComisión
demanifestarsuinterésporlaproteccióndeldeltadelrío
Iliso?PREGUNTA ESCRITAN°3207/92
delSr.GiuseppeMottola(PPE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/48)RespuestadelSr.Paleokrassas
ennombredelaComisión
(20deabrilde1993)
Grecianohadesignadolaregiónaludidazonadeprotección
especial,deconformidadconlaDirectiva79/409/CEE{l)
relativaalaconservación delasavessilvestres,que
constituyeporelmomentoelúnicofundamentolegalque
permiteunaintervencióndelaComunidadparalaprotec
cióndelanaturaleza.Tampocohasidodeclaradazonade
interéscomunitarioconarregloalamismaDirectiva.
Porconsiguiente,ydeacuerdoconelprincipiodesubsidia
riedad(apartado4delartículo130RdelTratadoCEE),
incumbealasautoridadesgriegasadoptarlasmedidas
necesariasparagarantizarlaprotecciónyutilizaciónpru
dentedeestebiotopo.Asunto:Necesidaddequelosestudianteseuropeoscom
pletensuciclodeestudiosenotrospaísesdela
Comunidad
DadalarealizacióndelMercadoÚnicoquetendrálugarel1
deenerode1993yqueprevélalibrecirculacióndepersonas
yprofesionesyalavistadelosobjetivosdelprograma
ERASMUSquefomentaelintercambioentrelossistemasde
enseñanzauniversitariadelospaísesdelaComunidadque
afectantantoalprofesoradocomoalosestudiantes,
1.¿NoconsideralaComisiónqueesurgenteynecesario
quelosestudianteseuropeosdecualquiergradotengan
laposibilidaddecompletarsusestudiosenotrospaíses
miembrosdelaComunidad ?
2.¿Noconsidera,además,quedebefacilitarestasinicia
tivasmedianterecursosfinancierosconelfindeacelerar
elprocesodeintegraciónculturalentrelosjóvenes?(i)DOn°L103de25.4.1979.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/29
frecuentementeabordadoeslareformadelapolíticaagraria
común.
Ademásdelosconvenios-marco conlasorganizaciones
profesionalesagrariasylosencuentrosentreprofesionales
delsectoryfuncionariosatravésdeloscomitésconsultivos
olosgruposdeexpertos,laComisiónorganizadosgrandes
tiposdeactividadesprácticas;
1.SeminariosycoloquiosenlosEstadosmiembros.
2.VisistasinformativasaBruselas(unas100alaño)de
gruposinteresadosporlacelebracióndeencuentroso
debatesconfuncionariossobretemasdeterminadosde
comúnacuerdo.
Entodosestoscasos,elobjetivoquesepersigueesla
informacióndirectadelosagricultoresydelosresponsables
encuestionesagrariasparalograrunamayordifusióndela
informaciónenlosEstadosmiembros.
Conestefin,laDirecciónGeneraldeAgricultura (DGVI)
suelecolaborarconlaDirecciónencargadadelainforma
cióncomunitaria (DGX).RespuestadelSr.Ruberti
ennombredelaComisión
(7demayode1993)
LaComisióncomparteelanálisisrealizadoporelSr.
DiputadosobrelarealizacióndelMercadoÚnicoy,aeste
respecto,vuelveasubrayarlaimportanciaeducativayel
significadoculturalquetieneparalosestudianteseuropeos
unaexperienciadirectadeestudios,devidaydetrabajoen
otropaísdelaComunidad.
Enestecontexto,eléxitodeprogramastalescomoErasmus
yCometíesejemplar,perosolamentopodrádarseuna
dimensiónmásimportantealamovilidadsiseestableceuna
estrechacooperaciónconlosEstadosmiembros,tantoen
materiadesupresióndelasbarrerasaúnexistentescomode
estructurasdeacogidaodefinanciacióndebecas.
LaComisiónrealizaenlaactualidadunaevaluaciónglobal
delosdiversosprogramascomunitariosenmateriade
educaciónyformaciónquelleganasufinafinalesde1994.
LaComisiónpresentarápróximamentesuspropuestasde
accionesfuturas,tomandocomobaselaevaluaciónante
riormentemencionadayhabidacuentadelasnuevas
situacionesdecarácterpolíticoyeconómicoalasquedeberá
hacerfrente.
Paramayorinformación,laComisióntransmitedirecta
mentealSr.Diputado,asícomoalaSecretaríaGeneraldel
Parlamento,elMemorándumsobrelaenseñanzasuperior,
queadoptóennoviembrede1991yenelqueseexaminan,
entreotras,lasdiversascuestionesaquíplanteadas.PREGUNTA ESCRITAN°3234/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/50)
PREGUNTAESCRITAN°3213/92
delSr.VíctorManuelArbeloaMuru(S)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/49)Asunto:Luchacontralaplagaderatonesdecampoque
afectaalasregionesagrícolasgriegas
Teniendoencuentalasrecientesinformaciones delaprensa
relativasalmundoagrícolagriegosobrelosproblemas
provocadosporlaexistenciadeungrannumeroderatones
decampoenochoprovinciasdeGrecia(Evros,Serres,
Salónica,Larisa,Magnesia,Eubea,ÉlideyQuíos),¿existe
algunaposibilidaddequelaCEayudaacombatirestaplaga
quepadecelaagriculturay,también,dequeseconcedan
indemnizaciones alosagricultorescuyoscultivosyproduc
tosagrícolasalmacenadossufrenimportantesdañospor
estacausa?
RespuestadelSr.Steichen
ennombredelaComisión
(9demarzode1993)
LaComisiónesconscientedelproblemaocasionadoporlos
dañoscausadosporlosratonesdecampoaloscultivosen
determinadasregionesagrícolasdeGrecia.
Estosroedores,aunquesonmuynumerososentodoel
mundo,noseconsideran«organismosnocivosdecuaren
tena».Asunto:NuevaPolíticaAgraria
¿QuéaccionesestáemprendiendolaComisiónafindehacer
conoceralosdestinatarios ,entérminosclarosyconvincen
tes,laNuevaPolíticaAgrariadelaComunidad,recién
aprobada?
RespuestadelSr.Steichen
ennombredelaComisión
(16defebrerode1993)
Concargoalalíneapresupuestaria deformacióne
informaciónentemasagrarios(línea514),laComisión
financiadiversasactividadesdedivulgaciónenlosEstados
miembros.Lostemasqueenellassetratansonmuyvariados
yseescogenenfuncióndelademanda.Actualmente,elmás
19.7.93
N°C195/30DiarioOficialdelasComunidadesEuropeas
frentealasinundaciones,continuarlaluchacontrala
erosióndelsuelo,fomentarelusonacionaldelosrecursos
hídricoseincrementarlaproteccióndelafaunayla
flora.Existenvariasmedidasparalimitarlosdañoscausadospor
losratonesdecampo.Lapuestaenmarchadelasmismases
competenciadelosEstadosmiembros.
El21dediciembrede1989laComisiónpropuso0)un
sistemademedidasdeluchaysolidaridadfinanciera
comunitariaencasodequeseproduzcalaapariciónde
organismosnocivosdecuarentena.ElConsejonoha
adoptadoaúnestapropuesta.Enestasituación,laComisión
noprevémedidasespecíficasdelucha,niindemnización
alguna,enrelaciónconlosorganismosnocivosquenosean
decuarentena.
(!)DOn°C31de9.2.1990,ysumodificaciónDOn°C205de
6.8.1991.PREGUNTAESCRITAN°3247/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/52)
PREGUNTAESCRITAN°3236/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/51)Asunto:EdicionesdematerialimpresoenGreciaeIVA
Hastael1deagostode1992,eltipodeIVAvigenteen
Greciaentodaslasfasesdeproduccióndeunlibro,
periódicoorevista,eradel4%,ydel4%tambiénparael
productofinalacabado.Ahora,conloscambiosqueesta
realizandoelGobiernogriego,elIVAcontinúasiendodel
4%paraelproductofinal,peroenlorelativoatodoslos
demásestadiosdeproduccióndematerialimpreso(compo
sición,filmado,encuademación ,etc.)asciendeal18%.Esta
norma,talcomoexponenloscolectivosdelossectoresdela
librería,papeleríayedición,seaplicaatodaslasempresas
exceptoalosgruposverticales,quepuedenllevaracabo
todaslasfasesdeproduccióndeunimpreso.Paraéstos
continúavigenteeltipodel4%.Teniendoencuentaque
estanormacreacondicionesdesigualesdecompetencia
entrelosgrandesgruposverticalesylaspequeñasempresas,
¿vaasolicitarlaComisiónalasautoridadesgriegasque
anulenestamedida?¿TieneprevistolaComisióndejarclaro
queelmundodelaedicióntieneunasingularimportanciay
nopuedesufriruntipodeIVAqueasciendaal«astronó
mico»porcentajedel18%?Asunto:RepartodeaguasentrelaComunidadEuropeay
Bulgaria
EnelmarcodelAcuerdodeAsociación (acuerdoeuropeo)
quenegocialaComunidadconBulgaria,puedesolucionarse
uncomplejoyduraderoproblemaexistenteenlasrelaciones
entrelaComunidadEuropeayBulgariayqueserefiereala
distribuciónycanalizacióndelosrecursosacuíferos.Grecia
proponequeseañadaenelcitadoacuerdounprotocolo
especialsobrelasaguasdelosríosfronterizos;parece
probable,silaCEmuestrauninterésespecial,quela
demandagriegaquedesatisfecha.Puedeinformarnosla
Comisióndesilaspartescontratantes (CEyBulgaria)están
deacuerdoenestablecerunsistemadeseguimientoycontrol
delacalidadycantidaddelaguadelosríosfronterizosycuál
eselcontenidoconcretodedichoacuerdo?RespuestadelaSra.Scnvener
ennombredelaComisión
(15deabrilde1993)
RespuestadeSirLeónBnttan
ennombredelaComisión
(11demarzode1993)
ElAcuerdoEuropeofirmadoel8demarzode1993
comprendeunProtocolorelativoalosriostransfronterizos.
Remiteal«Convenioparalaprotecciónyusodelosríos
transfronterizos yloslagosinternacionales »yaotros
importantesconveniosinternacionales ,talescomoelrela
tivoalaevaluacióndelimpactoambiental.Elcitado
Protocoloestablecelacreacióndeunsistemaparacontrolar
lacalidadycantidaddeaguaenlosríostransfronterizos
para,entreotrascosas,reducirlacontaminación ,hacerSuSeñoríaplanteadoscuestiones:laprimeraserefierealos
efecosimpositivosdelasestructurasdeintegraciónvertical,
lasegundaestárelacionadaconeltipodeIVAaplicadoa
determinados bienesyservicios.
Porloquealasempresasdeintegraciónverticalserefiere,se
daelcaso,porreglageneral,quelasoperacionesinternasno
seconsideranentregasyque,porlotanto,noseplanteala
cuestióndelpagodelIVAporlasmismas.Estaesuna
ventajaenelflujodetesoreríainherentealasempresasde
integraciónvertical,sinquehayadetenerseencuentaeltipo
deIVAqueseaplicaríaaoperacionessimilaresllevadasa
caboporproveedoresindependientes.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/31
PREGUNTAESCRITAN°3294/92
delSr.CarlosRoblesPiquer(PPE)
alaComisióndelasComunidadesEuropeas
(1deenerode1993)
(93/C195/54)EncuantoalostiposdeIVA,laDirectivasobrela
aproximacióndelostiposdeIVA,aprobadaporelConsejo
deMinistrosdeEconomíayHacienda,el19deoctubrede
19920),estableceunalistadeentregasdebienesy
prestacionesdeserviciosquepuedenestarsujetosatipos
reducidosdelIVAporlosEstadosmiembros.Eltiponormal
debeaplicarsealasdemásentregasyprestaciones.
Lasentregasdelibros,periódicosyrevistasdebeestarsujeta
altiporeducido,yaqueapareceenlalistadelaDirectiva.
Noseestablecendisposicionessimilaresconrespectoalos
insumosdeestasentregasque,porconsiguiente,seledebe
aplicareltiponormal.Lalegislacióngriegaestableceque
sólolasentregasdelibrospodránestarsujetasaltipo
reducidoyquelasentregasintermedidasllevadasacabopor
otrosproveedoresyquenosuponganlaentregadel
productofinaldebenestarsujetasaltiponormal.
Noobstante,laComisiónestárevisandoactualmentela
conformidaddelostiposyestructurasdelIVAdelos
Estadosmiembrosconlanormativacomunitaria .LaComi
sióninformaráaSuSeñoríadelresultadodesutrabajoenla
medidaenqueéstetengarelaciónconlascuestionesporél
planteadas.Asunto:¿Desembarcojaponésenlafusiónfría?
EnlaTerceraConferenciaInternacionalsobreFusiónFría,
celebradaelmespasadoconelpatrociniodesietesociedades
científicasjaponesas,participaron200científicosjaponeses
ymásde100extranjeros,entreloscualesprobablementeun
ciertonúmerodeeuropeos.Enestaocasiónsehapuestode
manifiestolaprofundadivergenciaenestecampoentre
JapónylosEstadosUnidosdeAmérica.Mientraslos
americanosconsideranlafusiónatemperaturaambiente
comounailusión,oentodocaso,unaposibilidaddema
siadoremotaparajustificarfinanciacióngubernamental ,los
japonesesestánconsagrandoaellarecursosconsiderables.
EnparticularelMinisteriojaponésdeComercioInterna
cionaleIndustria(MITI)parecequevaaconsagrar25
millonesdedólaresenlospróximoscuatroaños,enun
esfuerzoenelquetambiénvanacontribuirunas15
empresas.
¿PuedeinformarlaComisiónsobrelaparticipacióneuropea
enestaConferenciaysobresupropiaposiciónenesta
materia?í1)DOn°L316de31.10.1992.
PREGUNTA ESCRITAN°3248/92
delSr.JaakVandemeulebroucke (ARC)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/53)RespuestadelSr.Ruberti
ennombredelaComisión
(10demayode1993)
La«fusiónfría»fueespectacularmente anunciadaenlos
mediosdecomunicación en1989.Enrespuesta,laComi
sión,enelmarcodelProgramadeFusióndelaComunidad,
yvarioslaboratoriosnacionaleseuropeos,iniciaronexperi
mentosdecontrol.Estascomprobaciones ,llevadasacabo
exhaustivamente durantelosaños1989y1990,arrojaron
resultadosnegativos,enrelacióntantoagananciadeenergía
comoapresenciadereaccionesnucleares.
ConformealaDecisión91/678/Euratom(*)delConsejo,la
Comisiónsemantieneinformadasobreotrasformasde
enfocarlafusióndistintasdelconfinamiento magnético;
estoincluyeelseguimientoyevaluacióndenuevosresulta
dos,comolosquesepresentaronalaterceraConferencia
InternationalsobreFusiónFría,alaqueasistieronvarios
científicoseuropeos(entrelosquefigurabanalgunosdelos
queparticiparonenlascitadascomprobaciones sobrela
«fusiónfría».
Dadalainformacióndisponibleactualmente,laComisión
novemotivoalgunoparatomarotramedidaquemante
nerseinformadasobrela«fusiónfría».Asunto:Ayudaalasiniciativasdelosconsumidores
¿PuedeofrecerlaComisiónuncuadrodeconjuntodelas
iniciativassubvencionadas porlaComisiónenmateriade
políticadelconsumidor,paralosejerciciospresupuestarios
de1989,1990,1991y1992desglosadassiesposiblesegún
Estadosmiembros,conindicacióndelasorganizaciones
favorecidas,sudirecciónyunabrevedescripcióndel
proyectosubvencionado ?
Respuestacomplementaria delaSra.Scrivener
ennombredelaComisión
(18demayode1993)
Comocomplementoasurespuestade1demarzode
1993i1),laComisiónenviarádirectamenteaSuSeñoríaya
laSecretariaGeneraldelParlamentoEuropeolainforma
ciónsolicitada.
(MDOn°C106de16.4.1993.í1)DOn°L375de31.12.1991.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/32
PREGUNTAESCRITAN°3299/92
delaSra.Marguerite-Marie Dinguirard(V)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/55)
Asunto:Estudioepidemiológico ,solicituddedocumenta
ciónyreferencias
Ensurespuestadel26deoctubrede1992alapregunta
escritan°1466/92(*),laComisionaludeaunestudio
epidemiológicoreferidoalostrabajadoresdelsectornuclear
yalaposibleaparicióndegruposdecánceresentrela
poblacióndelascercaníasdelasinstalacionesnucleares.
1.¿PodríalaComisiónfacilitarelinformeprovisionalque
contengalametodologíaylosprimerosresultados?
2.¿PodríalaComisiónindicarlosdatoscorrespondientes
alosequiposdeexpertosquetrabajaneneste
asunto?yB.H.MacGibbonacabadeserpublicadobajolaformade
uninformedelNRPB:NRPB-R251 (1992).Esteestudioha
descubiertoel«efectodeltrabajadorsaludable»,esdecir,
quecomparandolasaluddeltrabajadordelsectornuclear
conladelapoblaciónnormaldelmismogrupodeedad,se
observaqueaquelpadecemenosenfermedades .Sin
embargo,cuandosehaceunacomparaciónentrelos
trabajadoressegúnladosisderadiaciónacumulada,se
constataunaumentodeleucemiasamedidaqueaumentala
dosisderadiación.Loserroresestadísticosrelacionadoscon
esteaumentoimpidenllegaracualquierconclusióndefini
tivaapartirdeesosresultados.
ElNRPBhapublicadotambiéndosinformesdeungrupode
trabajosobrelainvestigacióncomplementaria delascon
centracionesdecasosdeleucemiaregistradosenSellafield
(ReinoUnido):
1.Memorando :grupodetrabajodelNRPB/HSE(Servicio
deSaludySeguridad):Investigacióncomplementaria del
estudiodelprofesorGardnerdeseguimientodecasosde
leucemiaylinfomasentrelajuventudcercanaala
centralnucleardeSellafield(WestCumbria).NRPB
M248(1990).
2.GrupodetrabajodelNRPB/HSE:Investigacióncomple
mentariadelestudiodelprofesorGardnerdesegui
mientodecasosdeleucemiaylinfomasentrelajuventud
cercanaalacentralnucleardeSellafield(WestCum
bria).NRPB-M242 (1991).
Ademásdeestosestudiossubvencionados porelPrograma
deInvestigaciónsobreProteccióncontralasRadiaciones,se
estárealizandoenGranBretañaotrotrabajosubvencionado
porlaempresaBritishNuclearFuelsLtd.yelComité
CoordinadordelReinoUnidodelaInvestigaciónsobreel
Cáncer.AcabandepublicarseenCanadálasactasdel
simposiosobrelaaparicióndeconcentraciones decasosde
leucemia.
Seenviaráunejemplardelosinformesdelosquedisponeel
ProgramadeInvestigaciónsobrelaProteccióncontralas
RadiacionesaSuSeñoríayalaSecretaríaGeneraldel
Parlamento .(!)DOn°C65del8.3.1993,p.17.
RespuestadelSr.Ruberti
ennombredelaComisión
(6demayode1993)
ElProgramadeInvestigaciónsobreProteccióncontralas
RadiacionesdelaComisiónsubvencionaactualmente,enla
modalidaddecostescompartidos,estudiosepidemiológicos
sobrelostrabajadoresdelsectornuclearylainvestigación
delaaparicióndeconcentraciones decasosdecáncer
alrededordelascentralesnuclearesmediantelossiguientes
contratos :
1.SegundoAnálisisdelRegistroNacionaldeTrabajadores
delSectorNuclear.G.Kendall.ConsejoNacionalde
ProteccióncontralasRadiaciones (NRPB),Chilton
(ReinoUnido).
2.EstudioInternacionaldelRiesgodeCáncerenlos
TrabajadoresdelSectorNuclear.E.Cardis.Instituto
InternacionaldeInvestigaciónsobreelCáncer,Lyon
(Francia).
3.Estudiosycuadrosepidemiológicos .C.Muirhead.
ConsejoNacionaldeProteccióncontralasRadiaciones,
Chilton(ReinoUnido).Incluyeproyectosespecíficos
sobrelaaparicióndeconcentraciones decasosdecáncer
alrededordelascentralesnuclearesdirigidospor;C.
Hill,InstitutoGustaveRoussy,París(Francia).S.
Richardson,INSERM,París(Francia).
Estosestudiosepidemiológicos son,porsupropianatura
leza,alargoplazo;noobstante,acabandepublicarse
algunosanálisisprovisionales .PREGUNTA ESCRITAN°3300/92
delSr.BryanCassidy(PPE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/56)
Asunto:AplicaciónbritánicadelaDirectivasobreel
controldelaadquisiciónytenenciadearmas
Envirtuddelreglamentode1992porelquesemodificala
legislaciónsobrelasarmasdefuego,lasleyesbritánicas
relativasalasarmasdefuegocambiaránapartirdel1de
enerode1993,conobjetodetenerencuentalaDirectiva
91/477/CEEi1)sobreelcontroldelaadquisiciónytenencia
dearmas.
Elreglamentomodificarálaactualleybritánicaentantoen
suvirtudserequeriráalosdeportistascomunitariosqueElPrimerAnálisisdelRegistroNacionaldeTrabajadores
delSectorNuclear(«FirstAnalysisoftheNationalRegistry
forRadiationWorkers»)deG.M.Kendall,C.R.Muirhead
DiarioOficialdelasComunidadesEuropeasN°C195/3319.7.93
opinióndefinitivadelaDirecciónGeneraldeMedio
Ambientesobrelosestudiosmásrecientesylasevaluaciones
globalesllevadasacabo?
RespuestadelSr.Millan
ennombredelaComisión
(23deabrilde1993)
LaComisión,comoentodoslosproyectoscofinanciados
porlosFondosestructurales,aplicarálalegislaciónvigente
enmateriademedioambiente.
PREGUNTA ESCRITAN°3325/92
delSr.JannisSakellariou (S)
alaComisióndelasComunidades Europeas
(25deenerode1993)visitenelReinoUnidoprovistosdesusarmasdefuegoque
presentenunatarjetaeuropeadearmasdeconformidadcon
elartículo12delaDirectiva.Noobstante,elreglamento
estipulaqueestaspersonasdebenobtenerademás,como
hastalafecha,unpermisodeescopetaoarmadefuegopara
visitantes.
Quiereestodecirque,apartirdel1deenerode1993,un
ciudadanocomunitarioqueviajeelReinoUnidopara
practicareltirodebeenviarpreviamentealapolicía
británicasutarjetaeuropeadearmas,juntoconuna
solicituddeunpermisodevisitante.Porelcontrario,un
visitanteprocedentedeuntercerpaísúnicamentedebepedir
asu«patrocinador»británicoquepresenteensunombre
unasolicituddepermisodevisitante.
Elobjetivoquepersiguelatarjetaeuropeadearmases
evidente:sustituirdiversosdocumentosnacionalesdiferen
tes,comoelpermisobritánicoparavisitantes,porun
documentocomunitariohomologado,latarjetaeuropeade
armas,quegarantizatantolaseguridadpúblicacomola
librecirculacióndeciudadanosdelaCE(cazadoresy
deportistasdeltiro).
Alcontinuaraplicandoelsistemadelpermisoparavisitantes
alosciudadanoscomunitarios ,elReinoUnidohaceque
carezcadesentidolatarjetaeuropeadearmas,impidela
librecirculaciónydiscriminaalosciudadanosdelaCE.
¿ConsideralaComisiónquetodoellorespetalosobjetivos
delaDirectivarelativaalasarmasydelosTratadosen
general?
(i)DOn°L256de13.9.1991,p.51.
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(11demayode1993)
El21dediciembrede1992,elReinoUnidocomunicósus
medidasdeaplicacióndelaDirectiva91/477/CEEsobreel
controldelaadquisiciónytenenciadearmas.LaComisión
estácomprobando laconformidaddeestasdisposiciones
conelderechocomunitarioyexaminaráenparticularel
régimendeautorizaciónparalosviajeros.(93/C195/58)
Asunto:ValoracióndelCanalRin-Meno-Danubio
1.¿Quéimportanciatienenenelmarcodelapolíticade
transportesdelaComunidadEuropeaelCanalRin
Meno-Danubio ylavíafluvialdenavegaciónde3500Km
queésteofrece?
2.¿Alvalorarestavíafluvialdenavegación,setieneen
cuentatambiéneltemadeloscostesecológicosy,siesasí,en
quémedida?
3.¿CómovaloralaComunidadEuropealospronósticos
delacompañíaRin-Meno-Danubio (Rhein-Main-Donau
AG)relativosaltransportedemercancíasenelcanal,queha
disminuidodesdemásde20millonesdetoneladasanualesa
V3deestacantidad?
RespuestadelSr.Matutes
ennombredelaComisión
(5demayode1993)
1.ConlaaperturadelCanalMeno-Danubio ,seha
abiertoenEuropaunanuevavíadetransporteentreelMar
delNorteyelMarNegro.Esteenlacefluvial,queune15
paísesdeEuropaCentralydeEuropadelEste,ofreceuna
buenaoportunidadalanavegacióninterioryalapolíticade
transportesengeneral.Habidacuentadelosproblemasa
queseenfrentanotrosmodosdetransporteterrestre,la
Comisiónconsideraquesedebierareforzarelpapeldel
transportefluvial.Estosignificasobretodoelmanteni
mientodelareddevíasnavegables,laeliminacióndelos
atascosylarealizacióndenuevosenlacesdeimportancia
europea.Porestarazón,laComisiónhaincluidoelenlace
Meno-Danubio ensupropuestadeunplangeneraldelas
víasnavegablesdeinteréscomunitario.
2.Estáclaroquelaconstruccióndeuncanalpuedetener
consecuencias medioambientales .PREGUNTA ESCRITAN°3306/92
delSr.MihailPapayannakis (GUE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/57)
Asunto:DesvíodelríoAqueloo
¿PodríaconfirmarlaComisiónquenoseadoptaráninguna
decisióndefinitivaencuantoalafinanciacióndelasobrasde
desvíodelríoAqueloosinqueexistapreviamenteuna
N°C195/34 DiarioOficialdelasComunidadesEuropeas 19.7.93
(CEE)n°355/77delConsejo,relativoaunaaccióncomún
paralamejoradelascondicionesdetransformación yde
comercialización delosproductosagrícolas,ningunadispo
siciónqueprohibauncambiosubsiguientedepropiedadde
lasinstalacionesquésehayanconstruidocomoresultadode
laejecucióndeproyectosacogidosadichoReglamento .PorloquerespectaalasimplicacionesecológicasdelCanal
Meno-Danubio ,setuvieronencuentaenlarealizaciónde
losestudiossobreelcoste/ventajasdelproyecto.Segúnla
informaciónenviadaporlasautoridadesalemanas,entreel
10yel15%delcostedeconstruccióndelCanalsehan
asignadoalareduccióndesuimpactosobreelmedio
ambiente.
3.HabidacuentadelconflictoenlaantiguaYugoslavia,
esdifícilprevereldesarrollodeltráficoenelnuevoenlace.
Segúnlosexpertos,enelfuturopodríaesperarseun
volumende5a7millonesdetoneladas.Siconsideramos
ademáslosintercambiosentreAlemaniaylosdemáspaíses
queatraviesaelDanubio,lademandatotaldetransporteen
esterecorridopodríaalcanzarentre8y10millonesde
toneladas.PREGUNTA ESCRITAN°3335/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/60
PREGUNTA ESCRITAN°3332/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(25deenerode1993)Asunto:Elboletínmensualquepublicórecientementela
oficinadelaCEenBelgrado
Enlacontraportada delboletínbilingüemensualque
publicórecientementelaoficinadelaCEenYugoslavia
(Belgrado),semencionaenserbioyeninglésqueexisten
tambiénlasediciones«serbocroata,eslovenaymacedonia».
DadoquelaComunidadnoreconocealEstadodeSkopje
comoMacedonia,¿tieneintenciónlaComisiónderetirarel
boletínqueeditaenlengua«macedonia»?(93/C195/59)
Asunto:LosalmacenesdelServiciocentralgriegode
gestióndelaproducciónnacional(KIDEP)
ElGobiernogriegohamanifestadosupropósitodeprivaral
organismocooperativonacionalKIDEPdelosalmacenes
construidosconlaparticipacióndelFEOGAycederlosalas
Unionesdecooperativasagrícolas.Enconcreto,piensa
privaralKIDEPde183almacenes,concapacidadparaun
millóndetoneladasdecereales,edificadosporelorganismo
cooperativoconfinanciacióncomunitariaconformeal
Reglamento (CEE)n°355/77(J).TieneintenciónlaComi
sióndehacersaberalasautoridadesgriegasque,encasode
quefinalmenteseprivealKIDEPdelosalmacenes,se
consideraráquenosecumplenlasnormascomunitariasy
quesehaengañadoalFEOGA?
(!)DOn°L51de23.2.1977,p.149.
RespuestadelSr.Steichen
ennombredelaComisión
(10demarzode1993)
LaComisiónnoteníaconocimiento delpropósitodel
GobiernogriegodeprivaralorganismonacionalKydepde
lossilosydemásalmacenesconstruidosconparticipación
delFEOGAydecederlosalasunionesdecooperativas
agrarias.
Ahorabien,dadoqueelestatutojurídicodeKydepenlaley
griegaeseldeunaorganizacióncooperativadetercergrado
constituidaporunionesdecooperativas ,laComisiónnove,
enprincipio,objeciónalgunaparaquedichaorganización
distribuyaentresusunionesconstitutivasunapropiedad
queyalepertenecía .Además,nohayenelReglamentoRespuestadelSr.VandenBroek
ennombredelaComisión
(16deabrilde1993)
ElboletíndelaDelegacióndelaComisiónenBelgrado
siempresehapublicadoenlastreslenguasoficialesdela
antiguaYugoslavia :esloveno,serbocroatay«macedo
nio».
Lapublicacióndelboletínenestaúltimalenguanosignifica
unreconocimiento delaantiguarepúblicayugoslavade
Macedonia.
Estacuestiónyaseplanteóenlascumbreseuropeasde
LisboayEdimburgo,yrespondesimplementealdeseode
daraconocerlaposturaylaaccióndelaComunidad
respectoaldelicadoproblemadelaantiguaYugoslavia.
Enestosmomentosenquedeterminadasrepúblicassurgidas
delaantiguaYugoslaviadeformansistemáticamente la
posturadelaComunidad,laComisiónestimaqueessu
deberinformaratodasestasrepúblicasdedichapostura
respectoadiversascuestiones,enespeciallosesfuerzos
desplegadosenfavordelapazylasimportantesacciones
humanitariasemprendidas.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/35
PREGUNTAESCRITAN°3339/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/61)losmesesdeoctubreynoviembre,acausadelasfavorables
condicionesclimáticas,lacrisiseconómicageneralyla
disminucióndelconsumohancreadoundesequilibriototal
entrelaofertaylademandadelosproductosdela
floriculturay,enparticular,delclavel,loquehacausado
dañosenlaszonasafectadasquesuperanlosveintemil
millonesdeliras,conconsecuenciasespecialmentenegativas
aniveldeempleoyderecuperacióndelaactividad.
1.¿NocreelaComisiónquedeberíaintervenirparaquese
suspendandeinmediatolasimportacionesprocedentes
detercerospaíses,aplicandoelprincipiodelapreferen
ciacomunitarianunca,respetadoenelsectordelos
viverosdeflores?
2.¿NoopinalaComisiónquedeberíallevaracabo
controlesfitosanitariosmásseverosenlasfronteras?
3.¿PuedeintervenirlaComisiónanteItaliayantelas
regionesparaqueseconcedanalosfloricultores
facilidadesimpositivasycrediticiasparaelaprovisiona
mientodematerialesvegetalesparaloscultivos(esque
jesyplantones)yotrosmediosdeproducción?
4.¿PuedeintervenirlaComisiónparaactivarlafinancia
cióndestinadaalainvestigación ,laexperimentación yla
innovacióntecnológicadelsector?Asunto:Laconstruccióndediquesparadesviarelcursodel
NestosenBulgaria
Teniendoencuentaquelaconstruccióndediquespara
desviarelcursodelríoNestosenBulgariaestásiendo
subvencionadaporlaComunidad,¿puedeindicarnosla
Comisiónacuántoasciendedichasubvención,sienlas
obrasparticipanempresasgriegas,aquiénespertenecenysi
hanrecibidosubvencionesdealgúnorganismogriego?¿Por
último,sehanrealizadoestudiosmedioambientales ?
RespuestadeSirLeónBrittan
ennombredelaComisión
(11demarzode1993)
Segúnlainformaciónrecabadadelasautoridadesbúlgaras,
laideadeconstruirundiqueenelríoNestosfuedesestimada
en1990.Enningúnmomentosesolicitóniconsideróla
posibilidaddequelaComunidadfinanciaradichopro
yecto.
LaComisiónsepermiteremitiraSuSeñoríaalasrespuestas
quedióalapreguntaoralH-1091/92delSr.Lambriasenel
turnodepreguntasdelParlamentoduranteelperiodo
parcialdesesionesdenoviembrede1992H,yalapregunta
escritan°3236/92(2)formuladaporSuSeñoría.
(!)DebatesdelParlamentoEuropeon°424(noviembrede
1992).
(2)Véaselapágina30delpresenteDiarioOficial.RespuestadelSr.Steichen
ennombredelaComisión
(1deabrilde1993)
1.Esciertoquelafloriculturacomunitaria,yconcreta
menteelsectordelasfloresfrescascortadas,seenfrentacon
unamayorcompetenciacomoconsecuenciadelasimpor
tacionesprocedentesdetercerospaísesquegozande
derechosdeaduanareducidosnegociadosenelmarcode
acuerdosbilaterales.
Elcomercioexteriordeflorescortadas,entrelasquese
cuentanlosclaveles,serigeporlasdisposicionesdel
Reglamento (CEE)n°234/68porelqueseestableceuna
organizacióncomúndemercadosenelsectordelasplantas
vivasydelosproductosdelafloriculturai1).Conarregloal
artículo9dedichoReglamento,sepuedenaplicarmedidas
adecuadasalosintercambioscontercerospaísessienla
Comunidadelmercadodeunoovariosproductoscontem
pladosenelartículo1sufre,opudierasufrir,perturbaciones
gravesquepudieranhacerpeligrarlosobjetivosdelartícu
lo39delTratado.
Hastaahora,loselementosconlosquecuentalaComisióny
lascomunicaciones delosEstadosmiembrosnopermiten
llegaralaconclusióndequeesténenpeligrolosobjetivosdel
artículo39delTratadoCEE,nijustificarlaaplicaciónde
unacláusuladesalvaguardia.
2.LaComunidadhaadaptadosunormativaalas
condicionesdelmercadointeriorenmateriadecontroles
fitosanitariosdelosvegetalesylosproductosvegetales
procedentesdepaísestercerosmediantelaDirectiva77/
93/CEEdelConsejo(2),de21dediciembrede1976,relativaPREGUNTA ESCRITAN°3351/92
delSr.GiuseppeMottola(PPE)
alaComisióndelasComunidades Europeas
(25deenerode1993)
(93/C195/62)
Asunto:Crisisenelsectordelosviverosdefloresde
CampaniaydelMezzogiornoitalianos
LafloriculturarepresentaenCampaniayenelMezzogiorno
deItaliaunsectoraltamenteproductivodesdeelpuntode
vistaeconómicoyocupacionalycontribuyealaformación
delarentaagrícolaenunporcentajesuperioral10%así
comoalaocupación,sóloenlaprovinciadeNápolespor
encimadel30%.
Lacompetenciadeslealdetercerospaíses(Colombia,
Turquía,Kenia,etc.),laconcentracióndelaproducciónen
DiarioOficialdelasComunidadesEuropeas19.7.93
N°C195/36
PREGUNTAESCRITAN°3367/92
delSr.GiuseppeMottola(PPE)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/63)
Asunto:Decretolegislativon°109/92,artículo22—Masa
depancongeladavendidaúnicamentealconsumi
dorfinal
ElDecretolegislativodelGobiernoitalianon22/92,ensu
artículo22,altransponerlasDirectivascomunitarias,
establecequelamasadepancongeladasólopuedevenderse
alconsumidorfinal,excluyendolaposibilidaddeque
operadoresintermedioselaborenelproductoycompleten
sucocción.
¿TieneconstancialaComisióndequefuncionariosdela
CEEefectúanpresionesanteelGobiernoitalianopara
conseguirquesemodifiqueelartículo22delDecreto
legislativo109/92?
¿NoconsideralaComisionquedichaspresionestienen
comoobjetivolacreacióndesituacionesprivilegiadaspara
lasindustrias ?
¿NoconsideralaComisiónquelasposiblesmodificaciones
legislativassoninoportunasylesivasparalosinteresesdelos
consumidores ?
Y,encasodequedichamodificaciónselleveacabo,¿no
perjudicaráalconsumidor,queseveráobligadoaadquirir
unproductoobtenidoapartirdemasacongeladay,por
consiguiente,frescoúnicamenteenapariencia?alasmedidasdeproteccióncontralaintroducciónenla
Comunidaddeorganismosnocivosparalosvegetaleso
productosvegetalesycontralapropagaciónenelinteriorde
laComunidad,cuyaúltimamodificaciónlaconstituyela
Directiva92/103/CEE(3)delaComisión,de1dediciembre
de1992.
Porotrolado,envirtuddelaDirectiva91/682/CEEdel
Consejo(4),de19dediciembrede1991,relativaala
comercialización delosmaterialesdereproduccióndelas
plantasornamentalesydeplantasornamentales,laComu
nidadestableciólasbasesdeunsistemadenormasde
calidadparaestosmateriales;laproduccióncomunitariay
lasimportacionesprocedentesdetercerospaísesdeberán
cumplirdichasnormas.
Lanuevalegislacióndisponequeloscontrolesfitosanitarios
alosquehandesometerselosproductosimportadosse
efectúencuandoentrenporprimeravezenelterritoriodela
Comunidad,esdecir,enlasfronterasexterioresdela
misma.
LaComisiónseencargadevelarporquedichoscontrolesse
efectúendemaneracomparableentodoslospuntosde
entrada.
3.Enloqueserefierealosmediosdeproducción,los
Estadosmiembrosaplicanregímenesdeayudaalainversión
enlasexplotacionesagrarias,conarregloalodispuestoenel
Reglamento(CEE)n°2328/91(5),relativoalamejoradela
eficaciadelasestructurasagrarias;lahorticulturapuede
beneficiarsetambiéndeestosregímenes.EnItalia,sonlas
autoridadesregionaleslasencargadasdeaplicaresteRegla
mento;porejemplo,laComisiónaprobóen1989las
disposicionescorrespondientes alaregióndeCampania.
4.LaComisiónrecuerdaquelossucesivosprogramas
marcodeinvestigaciónydesarrollotecnológicocontienen
porlogeneralunprogramaespecíficodeinvestigación
agraria.Concretamente ,el«Programadeinvestigacióny
desarrollotecnológicoydedemostraciónenelámbitodela
agriculturaydelaagroindustria,incluidalapesca»(1991
1994)(6)incluyealsectordelahorticulturaentresus
objetivosdeinvestigación.
Asimismo,elartículo8delReglamento (CEE)n4256/88
delConsejoporelqueseapruebanlasdisposicionesde
aplicacióndelReglamento(CEE)n°2052/88,enlorelativo
alFEOGA,sección«Orientación»(7)seaplicatambiénal
sectordelahorticultura .Esteartículopermiteconcreta
mentelacontribucióndelFondoalarealizaciónde
proyectosdedemostracióndestinadosademostraralos
agricultoreslasposibilidadesrealesdelossistemas,métodos
ytécnicasdeproduccióncorrespondientes alosobjetivosde
lareformadelapolíticaagrícolacomún.RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(18demayode1993)
LaComisióninformaaSuSeñoríaqueeldecretolegislativo
n°109hasidoobjetodeunareclamaciónpresentadaante
susservicioscompetentes .Porotraparte,partiendodel
análisisdelalegislaciónitaliana,laComisiónhaestimado
quelalimitaciónprevistaenelartículo22dedichodecreto
constituyeunamedidacontrariaalartículo30delTratado
CEE,enlamedidaenquelosoperadoresintermediostales
comorestaurantes,comedoresosupermercadosnopueden
utilizarelproductoconsiderado.
Enelmarcodelasreuniones«generales»entrelosrepre
sentantesdelaComisiónylosdelosministerioscompeten(1)DOn°L55de2.3.1968.
(2)DOn°L26de31.1.1977.
(3)DOn°L363de11.12.1992.
(4)DOn°L376de31.12.1991.
(5)DOn°L218de6.8.1991.
(6)Decisión91/504/CEE,DOn°L374de31.12.1988.
(7)DOn°L374de31.12.1988.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/37
¿QuéhacelaComisiónpararepararelperjuiciocausadoala
industriaportuguesadealimentoscompuestosporesta
discriminación ?
¿YquésolucionesaportaelacuerdoentrelaComunidad
EuropeaylosEstadosUnidosenesteámbito?
RespuestadelSr.Steichen
ennombredelaComisión
(1deabrilde1993)tes,sehabuscadounasoluciónnocontenciosaala
incompatibilidad entreeldecretolegislativoyelderecho
comunitario .Sehaencontradounasolucióntransitoria
—enesperadelamodificacióndeldecretoencuestión—
mediantelaadopcióndelacircularn°131150,de2de
noviembrede1992(BoletínOficialdelaRepúblicaItaliana
n°268,de13denoviembrede1992),quepermitela
circulacióndelpanparcialmentecocido,congeladoono,
fabricadolegalmentey/ocomercializado enotroEstado
miembrodelaComunidad.
LaComisióndeseasubrayarquelabúsquedadedicha
soluciónnocontenciosanoconstituyeunaformade
presión,sinounejerciciodelasfuncionesdevigilanciay
controldelcumplimientodelTratado,paragarantizarla
librecirculacióndemercancías,queelartículo155del
mismoatribuyealaComisión.
LaComisiónpretendegarantizarelcumplimientodela
legislaciónynolosinteresesparticularesdedeterminadas
categoríasdeoperadores.Asípues,enelcasoquenosocupa,
laaccióndelaComisiónnotienecomoobjetivocrear
«situacionesprivilegiadas»sinogarantizarelfunciona
mientodelmercadointeriorenelsectorconsiderado.
Porúltimo,lamodificacióndelartículo22deldecreto
legislativon°109noresultaperjudicialparalosinteresesde
losconsumidores .Dehecho,conformealprincipiode
proporcionalidad consagradoporlapropiajurisprudencia
delTribunalJusticia,unadisposiciónnacionaldespropor
cionadarespectodelobjetivoquesepersigueescontrariaal
derechocomunitario .Unaprohibiciónabsolutadeventade
pancocidoparcialmente,congeladoono,alosoperadores
intermediosconstituyeunamedidadesproporcionada .Siel
objetivoperseguidoporlasautoridadesnacionalesitalianas
enelcasoquenosocupaeslaproteccióndelconsumidor,el
mismopodríalograrseconmediosquenoobstaculicenel
comerciocomunitario,talescomounetiquetadoadecuado
queinformealconsumidoracercadelacalidadylaclasedel
productoqueadquiere.EnvirtuddelAcuerdoentrelaComunidadEconomica
EuropeaylosEstadosUnidosparalacelebraciónde
negociacionesalamparodelartículoXXIV.6delAcuerdo
GeneralsobreArancelesAduanerosyComercio(GATT),la
Comunidadsehacomprometido aabriruncontingente
anualdeimportaciónenEspaña,duranteelperíodo
comprendidoentre1987y1992,de2millonesdetoneladas
demaízy300000toneladasdesorgooriginariosdeterceros
paísesyquesedebenutilizarotransformarenEspaña.
ElReglamento (CEE)n°1799/87delConsejo(1),relativoal
régimenparticulardeimportación,yelReglamento (CEE)
n°3105/87delaComisión(2),porelqueseestablecenlas
modalidadesdeaplicacióndedichorégimen,establecenlas
condicionesenquedebenrealizarseestasimportaciones
paraqueelconsumoenEspañadelasmercancíasimpor
tadasquedeplenamentegarantizadoyparaque,almismo
tiempo,lasimportacionesseefectúensincrearperturbacio
nesenelmercadoespañol.
Todasestascondicionesymedidassetraducen,poruna
parte,enquelasmercancíasimportadasenEspañano
puedenreexpedirseaotrosEstadosmiembrosy,porotra,en
quelospreciosdeimportacióndeesosproductosson,en
todosloscasos,superioresalpreciodecompradeinterven
cióndeesosmismosproductos.Elprimerefectoqueda
garantizadomediantelaobligacióndedepositarunimporte
suficientequesedevuelveúnicamenteunavezdemostradoel
consumoenEspañadelproductoencuestión.Elsegundo
efectoeselresultadodelareduccióndelaexacción
reguladoraasignadaporlaComisiónunniveltalqueel
preciodeimportaciónseasuperioralpreciodecompradel
organismodeintervenciónespañoly,porlotanto,alprecio
delproductoencuestiónenelmercadoespañol.PREGUNTA ESCRITAN°3375/92
delSr.FranciscoLucasPires(PPE)
alaComisióndelasComunidades Europeas
(25deenerode1993)
(93/C195/64)
Porconsiguiente ,laindustriaportuguesadelospiensos
compuestosnohapodidoresultarperjudicadaporla
aplicacióndelAcuerdoyaquelospreciosdeimportaciónde
esosproductosyelcontroldesuconsumoenEspañason
unagarantíadequelosproductosimportadosnopueden
reexpedirseaPortugal.Además,laaplicaciónenPortugalde
todaunaseriedemedidasymecanismoscomplementarios
delosintercambiosdeestosproductosconlosdemásAsunto:ImportacióndemaízysorgodelosEstados
Unidos
¿CómoseexplicaladiscriminaciónentrePortugalyEspaña
enloquerespectaalaautorizaciónparaimportarmaízy
sorgoprocedentedelosEstadosUnidos?
DiarioOficialdelasComunidadesEuropeas19.7.93
N°C195/38
compararlaconlasituaciónquehabríaquesoportardeno
habersellevadoacaboaquella,yque,desafortunadamente ,
seríamuchomáscostosa.Estadosmiembrosconstituyeunaprotecciónadicionalpara
estesector.Puedeasegurarse,pues,quePortugalnohasido
objetodeningunadiscriminaciónrespectoaEspañacon
motivodelaaplicacióndeesteAcuerdo.
í1)DOn°L185de15.7.1988.
t1)DOn°L170de30.6.1987,p.1.
2)DOn°L294de17.10.1987,p.15.
PREGUNTAESCRITAN°3406/92
delaSra.MarieJepsen(PPE)
alConsejodelasComunidadesEuropeas
(25deenerode1993)
(93/C195/66)PREGUNTAESCRITAN°3381/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/65)Asunto:Violacióndelosderechosdelaminoríaturcaen
Grecia
SegúnunasdeclaracionesdelSr.SadekAhmet,diputado
independientegriego,alaprensadanesa,elGobiernogriego
ylamayoríadelospartidospolíticosgriegosnorespetanlos
derechosdelaminoríaturco-musulmana deGrecia.
DurantesuvisitaaDinamarca,elSr.Ahmetseñalóqueel
GobiernogriegoylamayoríadelParlamentodeestepaís
sóloquierenreconocerlaexistenciadeunaminoríamusul
manaenelpaísperonotienenlaintencióndeadmitirquelos
másde130000musulmanesconstituyen,desdeelpuntode
vistaétnicoycultural,unaminoríaturca.Enestecontexto,
elSr.SadekAhmetindicóqueaestaminoría,formadapor
cuidadanosgriegosqueaceptanlasobligacionesqueello
conlleva,noselereconoceelderechoaelegirasuspropios
profesoresylíderesreligiososyquenumerososmiembrosde
laminoríaturco-musulmana hanperdidolaciudadanía
griegadurantesusestancias,pormotivosdetrabajoo
estudios,enelextranjero.
¿PodríaconfirmarelConsejosiseviolanrealmentelos
derechosdeestaminoríaétnicatalycomoseñalaelSr.
Ahmet,loqueinfringiríalaDeclaraciónUniversalde
DerechosHumanos,elConvenioEuropeoparalaprotec
cióndelosDerechosHumanos,elActaFinaldeHelsinkiyla
CartadeParísdelaCSCE,todoslosEstadosmiembrosdela
Comunidadhanratificado?Asunto:Garantíassobreelpagodeayudasalarentaa
agricultores
Teniendoencuenta,porunaparte,quelaaplicacióndela
nuevaPACresultamuchomáscostosay,porotra,la
tendenciaarecortarlosgastosagrícolasenbeneficiode
otraspolíticas,¿quégarantíasexisten,segúnlaComisión,en
loreferentealpago,regularyconstante,delasayudasala
renta?
RespuestadelSr.Steichen
ennombredelaComisión
(1deabrilde1993)
LaComisióndesearecordaraSuSeñoríaque,aladoptarel
paqueteDelorsII,elConsejoEuropeodeEdimburgo
concediólasgarantíaspresupuestariasnecesariasparala
agriculturahastaelfinaldelsiglo.
Dehecho,losgastosagrariospodránseguircreciendo
anualmentecomodisponelaDecisión88/377/CEE,relativa
aladisciplinapresupuestaria (!).Porconsiguiente,nocabe
quedisminuyanenbeneficiodeotraspolíticas.Además,las
repercusionesdelosajustesmonetariossetendrántambién
encuenta.
Porotraparte,laComisiónseñalaquelaaplicacióndela
reformadelaPACpermitirárealizarunosahorrosconsi
derablesrespectoalasituaciónquesepresentaríasinose
hubiesellevadoacaboaquella.Aesterespecto,basta
observarlaevoluciónprevisible,sinlareforma,delos
excedentesdeproducciónenvariossectoresclave,como,
porejemplo,cereales,carnedevacunootabaco,parallegar
alaconclusióndequelasituaciónseharíarápidamente
insoportabledesdeelpuntodevistapresupuestario .Respuesta(J)
(15dejuniode1993)
LacuestiónqueplanteaSuSeñoríaserefierealasituación
internadeunEstadomiembroynoes,porlotanto,
competenciadelaCooperaciónPolíticaEuropea.
(!)EstafuelarespuestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.
Porconsiguiente,laComisiónconsideraqueesinadecuado
decirquelareformadelaPACesmáscostosa,sin
DiarioOficialdelasComunidadesEuropeasN°C195/3919.7.93
PREGUNTAESCRITAN°3411/92
delSr.AlexSmith(S)caboatravésdelaparticipacióndelaComisiónenlas
reunionesdelSAGSTRAM(StandingAdvisoryGroupof
theSafeTransportofRadioactiveMaterials)delOIEAy
mediantecontactosregularesconlosexpertosdelgrupoque
leasiste,elStandingWorkingGrouponthetransportof
nuclearmaterials.alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/67)
Asunto:Transportedematerialesnucleares
¿Cuálessonlasreunionesquesehancelebradoenelmarco
delaOrganizaciónMarítimaInternacionalsobreeltrans
portedematerialnuclear?PREGUNTAESCRITAN°3425/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/68)
Asunto:AplicacióndelaDirectiva86/609/CEE
¿Quétipodeesfuerzosseestánrealizandoparaaplicarla
Directiva86/609/CEE(l)referentealaproteccióndelos
animalesutilizadosparaexperimentación ?¿Puedeindicar
noslaComisiónquéEstadosmiembrosnohantraspuesto
aplicadolamencionadadirectivacomunitaria ?
í1)DOn°L358de18.12.1986,p.1.
RespuestadelSr.Paleokrassas
ennombredelaComisión
(27deabrilde1993)
LaDirectiva86/609/CEEdelConsejo,relativaalaprotec
cióndelosanimalesutilizadosconfinesexperimentales ,
entróenvigorennoviembrede1989.
Hastalafecha,todoslosEstadosmiembros,salvoLuxem
burgoeIrlanda,hancomunicadoalaComisiónsusmedidas
nacionalesdeaplicación .LaComisiónhainiciadoel
procedimiento deinfracciónprevistoenelartículo169del
TratadoCEEconrespectoaestosdosEstadosmiem
bros.RespuestadelSr.Matutes
ennombredelaComisión
(5deabrilde1993)
Eltransportedematerialnuclearpormar,enespecialel
combustiblenuclearirradiado(INF),hasidotratadodesde
1985en19reunionesdecomitésdelaOMI(Organización
MarítimaInternacional )conocasióndelosdebatessobreel
transportedemercancíaspeligrosas,proteccióncontra
incendiosydiseñodebuques.Losresultadosdetodaslas
reunionescitadasfuerondebidamentecomunicados al
ComitésobreSeguridadMarítimayelComitésobrela
ProteccióndelMedioAmbienteMarino.
Lanormativaparaeltransportedesustanciasradiactivases
establecidaporelOIEAyesaceptadaaescalamundial.La
primerareuniónconjuntacelebradasobreeltemaporla
OMIyelOrganismoInternacionaldeEnergíaAtómica
(OIEA)tuvolugarendiciembrede1992.Lasfuncionesdela
citadareuniónOMI/OIEAfueronlassiguientes:
—estudiarlaidoneidaddelasdisposicionesexistentespara
laseguridadeneltransportepormardecombustible
nuclearirradiado,paratenerencuentalarepercusiónde
siniestrosnavalescomoincendios,explosiónorotura
delcascosobrelaintegridaddelacarga,yevaluarlas
probabilidades detalessiniestros,
—efectuarrecomendaciones paracualquieracciónquese
considerenecesariaenelmarcodelastareasantes
mencionadas ,
—debatirsideberíatambiénincluirseeltransportepormar
deotrassustanciasradiactivas.
ApeticióndevariosEstadosmiembrosydeGreenpeace
Internacional ,organizaciónacreditadaantelaOMI,se
llamólaatencióndelareuniónacercadeltransportepor
mardeplutonioyderesiduosdealtoniveldelasplantasde
reelaboración.
Eneltranscursodeestareuniónseaprobóunprogramade
trabajoparaafianzarlanormativaycódigosexistentespara
laseguridadeneltransportedecombustibleirradiadoyde
sustanciasradiactivasdealtoriesgocontenidosenrecipien
tesabordodebuques.
LaComisiónestáestudiandolaposiblereconsideración o
revisióndelanormativaycódigosactuales.EllosellevaaPREGUNTA ESCRITAN°3426/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(25deenerode1993)
(93/C195/69)
Asunto:LaDirectiva92/43/CEEyloslepidópteros
¿ConocelaComisiónlosmotivosporlosquenosehan
incluidoenelAnexoIIdelaDirectiva92/43/CEE(*)
especiesdelepidópterostalescomoBoloriaaquilonaria,
Maculineaarion,Phagadespredotae,Zeryntiaruminay
Cupidolorquinii,quesiguen,enconsecuencia ,amenazadas
deextinción?
í1)DOn°L206de22.7.1992,p.7.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/40
RespuestadelSr.Paleokrassas
ennombredelaComisión
(18demayode1993)
Enlaelaboracióndelaslistasdeespeciesqueseadjuntanala
Directiva92/43/CEE,elConsejohabíadecididoatenerse
esencialmentealasespeciesqueyafiguranenelConveniode
Berna(Conveniorelativoalaconservacióndelavida
silvestreyelmedionaturaldeEuropa).
Porconsiguiente,laespeciesBoloriaaquilonaria,Phagades
predotae,ZeryntiaruminayCupidolorquininofiguranen
elAnexoIIdelaDirectiva92/43/CEE.
LaespecieMaculineaarionfiguraenelAnexoIV,listadelas
especiesanimalesyvegetalesdeinteréscomunitarioque
requierenunaprotecciónestricta.Enunadeclaraciónrecogidaenelactadelareunióndel
ConsejoseseñalaqueestaDirectivanocreaenfavordeesos
hijosdeemigrantesunderechoindividualysubjetivoaque
selesenseñesulenguamaterna.
Enestadeclaraciónseseñalaasimismoquelaobligaciónde
losEstadosmiembrosdeacogidadefomentaresaformación
presuponeunacooperaciónentreelEstadomiembrode
acogidayelEstadomiembrodeorigen,cooperaciónque
tambiéndebeproducirseenelámbitofinanciero.En
consecuencia,laComisiónconsideraque,siemprequela
organizacióndeestaenseñanzaseasufragadaporunoopor
losdosEstadosmiembrosdequesetrate,secumplelo
establecidoenelordenamientojurídicocomunitario.
LaposturadelaComisiónsólopodríaversealteradaen
casosespecialesenlosquelospadresdelosniñosinmigran
testuvieranquecostearlosgastosdelaenseñanzadela
lenguayculturamaternas.
Noobstante,laComunidad,atravésdelFondoSocial
Europeo,aportasuayudaparafinanciarestaenseñanzay
poderdisminuirasílacontribuciónfinancieradelosEstados
miembrosdeorigen. PREGUNTAESCRITAN°3465/92
delSr.DoménecRomeraIAlcázar(PPE)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)í1)DOn°L199de6.8.1977.
(93/C195/70)
PREGUNTAESCRITAN°3479/92
delSr.NiallAndrews(RDE)
alaComisióndelasComunidadesEuropeas
(28deenerode1993)
(93/C195/71)Asunto:Impuestosquegravanlaenseñanzaparahijosde
inmigrantesenelámbitocomunitario
LosacuerdosenlaCEEgarantizanaloshijosdeinmigrantes
laenseñanzaescolarensulenguamaternadentrodelos
paísesintegrantesdelamisma.
Algunospaísesmiembros,noobstante,gravanlaactividad
escolardeloscentrosdeenseñanzadedicadosalcitado
colectivo.
¿NoconsideralaComisiónqueresultaincompatibleconla
necesariasolidaridadelquesediscriminenegativamente a
talescentrosobligandoalosemigrantesaunosgastosque
nogravanalosnacionalesdelpaís?
RespuestadelSr.Ruberti
ennombredelaComisión
(29demarzode1993)
LaDirectiva77/486/CEEde25dejuliode1977(*)exigea
losEstadosmiembrosdeacogidaqueadoptenlasmedidas
necesariasparafomentar,deacuerdoconsuscircunstancias
nacionalesysusordenamientosjurídicos,encolaboración
conlosEstadosmiembrosdeorigen,ydeformacoordinada
conlaeducacióngeneral,laenseñanzadelalenguasy
culturadelospaísesdeorigenentreloshijosdelos
trabajadoresmigrantesprocedentesdeotrosEstadosmiem
brosdelaComunidad .Noobstante,estaDirectivano
concedeaesosniñosunderechosubjetivoarecibiresa
formación .Asunto:Incumplimiento deladirectivarelativaalos
arquitectosporpartedeEspaña
¿QuémedidasvaatomarlaComisiónparagarantizaruna
aplicacióncorrectayequitativadeladirectivarelativaalos
arquitectosenEspaña,teniendoencuentaquelaComisión
hadescubiertoqueestepaísincumplelasdirectivas?
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(7demayode1993)
LaComisiónhaemitidoundictamenmotivadocontra
Españaporlaincorporaciónincorrectaalordenamiento
nacionaldelaDirectivasobrearquitectos.
Paramásdetallessobreeltema,laComisiónremiteaSu
SeñoríaalarespuestadadaalaPreguntaescritan°2982/92
delSr.ValverdeLópezO).
í1)DOn°C185de7.7.1993.
DiarioOficialdelasComunidadesEuropeas N°C195/41 19.7.93
PREGUNTA ESCRITAN°3480/92
delSr.NiallAndrews(RDE)¿QuémedidasprevélaComisiónparahacerfrentealos
problemasmencionados ?DisponelaComisióndemétodos
paradeterminarlasconsecuenciasdelautilizacióndelas
normas«Maastricht»enlapoblación?alaComisióndelasComunidadesEuropeas
(28deenerode1993)
(93/C195/72)
RespuestadelSr.Christophersen
ennombredelaComisión
(3demayode1993)Asunto:Aplicaciónincorrectadeladirectivarelativaalos
dentistas
SegúnelNovenoinformeanualdelaComisiónalParla
mentosobreelcontrolporpartedelaComisióndela
aplicacióndelalegislacióncomunitariaen1991,sepresen
taronrecursosporincumplimiento contraAlemania,Espa
ñaeItaliapornoaplicarcorrectamenteladirectivarelativaa
losdentistas.¿InformaráahoralaComisiónsobrela
situaciónactualenrelaciónconlaaplicaciónadecuadade
dichadirectivaenlospaísescitadosyentodalaComuni
dad?
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(17demayode1993)
LaComisiónsigueaplicandolosprocedimientos deinfrac
ciónporaplicaciónincorrectadelasDirectivas78/686/CEE
y78/687/CEE(*)relativasalosdentistas,talcomoseindica
enelNovenoinformesobreelcontroldelaaplicacióndel
derechocomunitario (1991).Sehanemitidodictámenes
motivadoscontraAlemania,EspañaeItalia.Talcomose
desprendedelDécimoInformesobreelcontroldela
aplicacióndelderechocomunitario (1992),nosehan
iniciadoprocedimientos deinfraccióncontralosdemás
Estadosmiembros.
(MDOn°L233de24.8.1978.PararesponderalapreguntadeSuSeñoría,sonimportantes
dosfactores.ElprimeroesquelaUniónEconómicay
Monetariatendrágrandesefectospositivosdecarácter
permanente (véaselaposicióndelaComisiónenla
ConferenciaIntergubernamental sobrelaUEMoelestudio
«Onemarket,onemoney»(*)elaboradoporlosserviciosde
laComisión).Elsegundofactorqueconvienetenerpresente
esque,paraevaluarlosefectosdeloscriteriosestablecidos
enMaastricht,esprecisodeterminarquépolíticaeconómica
sehabríaseguidodenohabersefijadotalescriterios.No
cabedudadeque,comohandemostradorepetidamentelos
InformesEconómicosAnualesdelaComunidad,varios
Estadosmiembroshabríantenidoquetomarmedidas
encaminadasaaumentarlaconvergenciadesusresultados
económicos,independientemente delprocesodelaUEMy
deloscriteriosdeMaastricht .LaperspectivadelaUEM
daráunamayorcredibilidadalasmedidasdeconvergencia ,
locualpermitiráreducirlostiposdeinterés.Porlotanto,es
fundamentalquetodoslosEstadosmiembrosratifiquenel
TratadodeMaastricht.
Elprocesodeconvergenciaeconómicaesbeneficioso
porquepermitealosEstadosmiembrosentrarenelcírculo
«virtuoso»decrecimientososteniblenoinflacionista ,quees
elúnicomododecrearempleoduradero.LaComisión
prestaespecialatenciónalosproblemasque,eneste
contexto,puedentenerlosEstadosmiembrosmáspobresy
lascapasdepoblaciónmásvulnerablesdecadapaís.
ParalosEstadosmiembrosmáspobresdelaComunidad,
esteprocesopuedepresentarmayoresdificultadesyaqueno
tienenelmismoniveldeprosperidadquelosdemásy,para
recuperarsuretraso,debenhacermayoresinversiones
públicas.Paraayudarles,elTratadodeMaastrichtdispone
queantesdel31dediciembrede1993sehabrácreadoun
FondodeCohesión.Enlasperspectivasfinancieraspara
1993-1999aprobadasenelConsejoEuropeodeEdim
burgo,sereservóuntotalde15150millonesdeecuspara
Grecia,España,IrlandayPortugal,cifraqueequivaleal
2,5%delasumadesusPIB.Entretanto,laComisiónha
propuestoalConsejouninstrumentoprovisionalquese
mantendríahastalaratificacióndelTratado.
Elprocesodeconvergenciaplanteamayoresdificultadesen
lasituacióndeescasocrecimientoeconómicoenlaComu
nidad.Pararelanzarelcrecimientoyfacilitarasíelproceso
deconvergencia ,elConsejoEuropeodeEdimburgoaprobóPREGUNTA ESCRITAN°3482/92
delSr.LodeVanOutrive(S)
alaComisióndelasComunidades Europeas
(28deenerode1993)
(93/C195/73)
Asunto:LaUniónEconómicayMonetariaylosplanesde
convergencia delosEstadosmiembrosylas
consecuencias enelniveldeprotecciónsocial,los
ingresosyelempleo
Lautilizacióndecriteriosmonetariosestrictosparapermitir
elaccesoalaUEMpuedetenerenlosEstadosmiembros
gravesconsecuenciasenlaprotecciónsocial,elempleoylos
ingresos.
Esevidentequelosgruposdepoblaciónmásdébilespueden
serlosmásafectadospordichasmedidas.
DiarioOficialdelasComunidadesEuropeas19.7.93
N°C195/42
PREGUNTAESCRITAN°3512/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(28deenerode1993)
(93/C195/75)unainiciativadecrecimiento.Enlaactualidad,laComision
estápreparandolasmedidascomunitariasqueformanparte
deestainiciativadecrecimiento—enparticularlacreación
delFondoEuropeodeInversiones,queexigelamodifica
cióndelTratado—afindeaplicarlasloantesposible.En
cuantoalaampliacióndeloscréditosdelBancoEuropeode
Inversiones,enfebreroyasetomóunaprimeraseriede
decisionesdefinanciación .Porotraparte,hanempezadoa
aplicarseenlosEstadosmiembroslasmedidasnacionales
previstasenlainiciativadecrecimientodeEdimburgo.El
ConsejoECOFINexaminaregularmentelosavancesreali
zadosenestecampo.
í1)EuropeanEconomyn°44,octubrede1990.
PREGUNTAESCRITAN°3509/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(28deenerode1993)
(93/C195/74)Asunto:FocosdecontaminaciónenelmunicipiodeKerat
sini
ElmunicipiodeKeratsinihalanzadounaseñaldealarma
paraquesecombatanlosproblemasdecontaminaciónque
provocalafábricadefertilizantes,elcentrodelaDEI
(empresapúblicadeelectricidad),lalonjapesquera,el
vertederodeSjistó,lascisternasdecombustibleslíquidosy
losresiduosurbanos.
¿TieneintenciónlaComisiondemostrarsuinteréspor
combatirlosproblemasmedioambientales alosquese
enfrentaKeratsiniacausadelosfocosdecontaminación
anteriormente citados?
RespuestadelSr.Paleokrassas
ennombredelaComisión
(19deabrilde1993)
NoescompetenciadelaComisiónaconsejaroproporcionar
asistenciatécnicaalmunicipiodeKeratsinienelmodode
tratarlosproblemasdecontaminación alosquese
enfrenta.
Noobstante,laComisiónpodríaintervenirdedosfor
mas:
—enelámbitojurídicopodría,envirtuddelartículo169
delTratadoCEE,iniciarunprocedimientocontrael
Estadomiembro,siemprequeobraranensupoderdatos
precisosquepusierandemanifiestoelincumplimiento
delalegislacióncomunitariasobremedioambiente;
enelámbitoeconómico,podríafinanciarlasiniciativas
destinadasamejorarlaaplicacióndelalegislación
comunitaria,conlacondicióndequeéstasseajustena
loscriteriosyprioridadesdelosprocedimientos de
financiaciónvigentes.Asunto:Empresaintermunicipaldetransportesurbanosde
lacapitalgriega
EsconocidoquevaacrearseenAtenasunaempresa
intermunicipaldetransportesurbanos.Recientemente ,el
presidentedelconsejodeadministracióndeTEDKNA
(UniónLocaldeMunicipiosyComunidadesdelAtica),Sr.
D.Efstaciadis,anuncióqueunavezqueelTribunalde
PrimeraInstanciadeAtenasdésuvistobuenoalosestatutos
delacooperativacreadaportrabajadoresdelaantiguaEAS
(empresadetransportesurbanos),sepresentará,juntocon
losestatutosdelaempresaintermunicipalformadapor20
municipiosdelÁtica,alGobernadorcivildeAtenasparasu
aprobación.
Alavistadeloantedicho,¿puedeinformarnoslaComisión
desiexistealgunaposibilidaddequesefinanciealaempresa
intermunicipaldetransportesurbanosdeAtenasparala
adquisicióndeautobuses?
PREGUNTAESCRITAN°3515/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(28deenerode1993)RespuestadelSr.Millan
ennombredelaComisión
(2deabrilde1993)
Resultaríapocoapropiadoque,denosolicitarloasílas
autoridadesgriegas,laComisiónadoptaseunapostura
respectoalafinanciacióndeinversionesparticulares.No
obstante,SuSeñoríadeberíaadvertirquelosFondos
estructuralesdelaComunidadnosuelenfinanciarla
compradeautobusesdestinadosaltransporteurbano.(93/C195/76)
Asunto:ViolacióndelosreglamentosdelaFIAFporparte
delrégimendeSkopje
ElrégimendeSkopjeinfringelosreglamentosdela
FederaciónInternacionaldelosArchivosdeCinematografía
DiarioOficialdelasComunidadesEuropeas N°C195/4319.7.93
adoptaronenelConsejoEuropeodeEstrasburgo,el9de
diciembrede1989,laCartaComunitariadeDerechos
SocialesFundamentales delosTrabajadores.
LaComisiónpresentóalConsejounaseriedepropuestas
previstasensuprogramadeacciónenelámbitosocial.
Hastaahora,elConsejohaadoptado18delos32proyectos
previstosquelehansidopresentados.
ElConsejosigueestudiandolaspropuestasdeDirectiva
presentadasporlaComisiónenelámbitosocial.Asípues,el
ordendeldíadesusesiónde1dejunio,dedicadoaltrabajoy
alosasuntossociales,incluyeenparticularlaspropuestasde
Directivassobredistribucióndeltiempodetrabajo,protec
cióndelosjóveneseneltrabajo,buquesdepescaycomités
deempresaeuropeos.(FIAF)queestablecequeelintercambiodematerialcine
matográficoesobligatorio,especialmenteguandodicho
materialinteresadirectamentealospaísesmiembros.
Recientemente ,lasautoridadesdeSkopjesehannegadoa
entregarmaterialcinematográfico ,compuestopor800mde
películade35mm,realizadosporlosprimeroscineastasde
losBalcanes,loshermanosManakia,aldirectordela
filmotecagriega.
¿DequémodoseproponeafrontaresteasuntolaComuni
dadEuropea?
RespuestadelSr.VandenBroek
ennombredelaComisión
(27deabrilde1993)
LaantiguarepúblicayugoslavadeMacedonianoes
miembrodelaFIAFy,portanto,nopuedeexigírseleque
respetelostérminosdeunacuerdoquenohasuscrito.
PREGUNTA ESCRITAN°71/93
delSr.JoséTorresCouto(S)
alaCooperaciónPolíticaEuropea
(9defebrerode1993)PREGUNTA ESCRITAN°70/93
delSr.JoséTorresCouto(S)
alConsejodelasComunidadesEuropeas
(9defebrerode1993)(93/C195/79)
(93/C195/77)
Asunto:MercadointerioryEuropasocial
¿CuáleslavaloraciónquehaceelConsejodelasituaciónen
queseencuentraladimensiónsocialdelmercadointe
rior?
¿QuéavanceshahecholaPresidenciadelReinoUnidoy
cuálessonlasprevisionesparalospróximosseismeses?Asunto:ProcesodepazenAngola
AnteelfracasodelosacuerdosdeBicesse,celebradosentre
elMPLAylaUNITA,puestodemanifiestotraslas
eleccionesdeAngola,quenohanconducidoalainstaura
cióndeunrégimendedemocraciamultipartidaria ,ala
constitucióndeunauténticoParlamentorepresentativo de
todoelpuebloangoleñonialmantenimientodefinitivodela
paz;antelaamenazadequeestalleunnuevoconflicto
armadodeconsecuenciasgravísimasparalamartirizada
poblaciónangoleña,puededecirelConsejo:
¿quéiniciativashatomadoyaycuálespiensatomarel
ConsejoEuropeoparaqueprosigaelprocesodepazen
Angola?
¿quélecturahaceesainstitucióndelaseleccionesenesepaís
ydelasubsiguienteagitaciónpolíticaquehaprovocadoya
unauténticogenocidioensuterritorio?PREGUNTA ESCRITAN°486/93
delSr.JoséTorresCouto(S)
alConsejodelasComunidadesEuropeas
(12demarzode1993)
(93/C195/78)
Asunto:Aplicacióndelasdirectivassociales
CuándopiensaelConsejoasumirtodasuresponsabilidad
encuantoalaaplicacióndelasdirectivassocialesadopta
das,cuyoretrasosólopuedefomentarel«dumpingsocial»
enelámbitocomunitario ?
Respuestacomún
alaspreguntasescritasnos70/93y486/93
(11dejuniode1993)
Conobjetodedefinirunapolíticasocialenelmarcodel
mercadointerior,onceEstadosmiembrosdelaComunidadRespuesta
(15dejuniode1993)
RemitimosaSuSeñoríaalasdeclaracionesformuladaspor
laComunidadysusEstadosmiembrosel22deenero,el17
defebreroyel23deabrilde1993,respectivamente.
LasituaciónqueviveAngolasiguesiendomotivode
profundainquietudparalaComunidadysusEstados
N°C195/44 DiarioOficialdelasComunidadesEuropeas19.7.93
AlaComunidadyasusEstadosmiembroslespreocupa
profundamentelasituaciónhumanitariadeAngola.Las
NacionesUnidashanhechounllamamientourgenteala
ayudahumanitaria.LaComunidadysusEstadosmiembros
estándispuestosaprestarasistenciahumanitariaalos
millonesdeangoleñosquesufrenlastrágicasconsecuencias
delosenfrentamientos .Enestalínea,reiteranqueconside
raninaceptableelsupeditarlasoperacionesdesocorro
humanitarioacualquiercondiciónyestimanquetodaslas
partesinteresadastienenlaobligacióndehacerquelaayuda
humanitarialleguealaspoblacionesnecesitadas,indepen
dientementedelgrupoqueMiengaelcontroldelaszonasen
cuestión.
PREGUNTAESCRITAN°142/93
delaSra.WinifredEwing(ARC)
alConsejodelasComunidadesEuropeas
(15defebrerode1993)
(93/C195/80)miembros.Estosdangranimportanciaaqueserespetenlos
acuerdosdeBicesse,quesiguenconstituyendoelfunda
mentoyelmarcoglobalparaelrestablecimientodelapazen
Angola.LaComunidadysusEstadosmiembroshan
realizadounaaportaciónconsiderable,tantofinanciera
comomaterial,hanenviadoobservadoresalaselecciones
celebradasenelpaísyrespaldanlavaliosalabordelas
NacionesUnidas.
LaComunidadysusEstadosmiembroslamentanprofun
damentequelasprimeraseleccionesdemocráticasde
Angola,celebradasenseptiembrede1992yqueelRepre
sentanteEspecialdelSecretarioGeneraldelasNaciones
Unidasdeclaróengenerallibresyjustas,dieranpasoa
violentosincidentesresultantesdedisputaselectorales.La
ComunidadysusEstadosmiembroshicieronunllama
mientoparaelceseinmediatodelaviolenciayapelarona
todaslaspartesparaquerespetaranelresultadofinaldel
procesodemocráticoycontinuaranaplicandolosacuerdos
depaz,especialmenteporloqueserefierealadesmovili
zaciónycontencióndesustropas,larecogidadelasarmas
deéstas,laformacióndeunafuerzaarmadanacional
unificadaylainstauracióndecondicionesquepermitanla
celebracióndeunasegundavotación.
LaComunidadysusEstadosmiembrosdeclararonque
consideraríanresponsableacualquierpartidoquepusiese
trabasalprocesodepacificación,enelquesehan
comprometidotodoslospartidosyquecuentaconel
respaldodemocráticodelpuebloangoleño.
Pordesgracia,estosllamamientosnohantenidorespuesta.
LaComunidadysusEstadosmiembroslamentanlaamplia
oladeviolentosenfrentamientos ylaselevadaspérdidasen
vidashumanasquepadeceAngola.Hanapeladocon
insistenciaaambaspartes,especialmentealaUNITA,para
querespetenelacuerdodepaz,ponganfinaloscombates,
acatenlosresultadoselectoralesyreanudenelprocesode
desmovilización .Asimismo,haninstadoalospaísesdela
regiónparaqueseabstengandecualquieracciónque
pudierallevaralainternacionalización deesteconflicto.La
soluciónnoestáenelcampodebatalla.Enestalínea,el
objetoprincipaleinmediatoesunaltoelfuegogeneral.
LaComunidadysusEstadosmiembrosconsideranquela
prolongacióndelalabordelaMisióndeVerificacióndelas
NacionesUnidasenAngola(UNAVEM)esesencialparael
mantenimiento delapaz.Respaldandecididamente las
resolucionesdelasNacionesUnidas,enparticularla
número811,aprobadarecientementeporelConsejode
Seguridad,yhanexhortadoconfirmezaalaspartes
interesadas,especialmente alaUNITA,paraquerespeten
lostérminosdelamisma.
LaComunidadysusEstadosmiembrossefelicitandequeel
gobiernodeAngolaylaUNITAhayanentabladonegocia
cionesenAbidjánbajolosauspiciosdelasNacionesUnidas.
Expresansufervientedeseodequeestasnegociaciones
desemboquenenunasoluciónpacíficadelconflictoango
leñoqueculmineenlaunidadyreconciliaciónnacionales.
Esnecesarioquesevuelvaaimplantarelaltoelfuegoyque
cesendeinmediatolashostilidadesdetodotipo.Asunto:EscañosparaEscociayelPaísdeGalesenel
ParlamentoEuropeo
Ensuautobiografíatitulada«AllinaLife»,elDr.Garrett
Fitzgeraldcomentalasnegociacionesquellevaronal
acuerdosobreladistribucióndeescañosenelprimer
ParlamentoEuropeoelegidoporsufragiouniversaldirectoe
indicaqueaunquelabasedelargumentobritánicopara
reclamarunmayornúmerodeescañosfuelanecesidadde
tenermayormenteencuentaaEscociayalPaísdeGales,los
escañosadicionalessedestinaronfinalmenteaInglaterra.
¿PuedeelPresidenteenejercicioindicarsielReinoUnido,
segúnpalabrasdelDr.Fitzgerald,«jugólascartasdeEscocia
ydelPaísdeGales»enlasnegociacionesquedieroncomo
resultadoladecisióndelaCumbredeEdimburgorelativaal
incrementodelnúmerodediputadosalParlamentoEuro
peo?
¿PuedeelPresidenteenejercicioindicarsi,enelcontextode
lanuevaasignacióndeescañosenelParlamentoEuropeo,el
ReinoUnidohaanunciadoalgúnpropósitodeincrementar
larepresentacióndeEscociaydelPaísdeGaleshastaun
númerodeescañosigualosuperioralque,segúnelanterior
primerministroirlandés,JimCallaghanpropusopara
EscociayelPaísdeGalesenlafasefinaldelasnegociaciones
sobreladistribucióninicialdeescañosenelParlamento
elegidoporsufragiouniversaldirecto(esdecir,10escaños
reservadosaEscociay5escañosreservadosalPaísdeGales
sobreuntotalde81u82escañosdestinadosalReino
Unido)?
¿EjercerálaPresidenciadanesapresiónanteelGobiernodel
ReinoUnidoparaqueintroduzcaunsistemaderepresen
taciónproporcionalparalaseleccioneseuropeasenEscocia
yenelPaísdeGalesconlaantelaciónsuficientealas
próximaselecciones?
DiarioOficialdelasComunidadesEuropeasN°C195/4519.7.93
fundamentales ,quecomprendenelderechoaunjuiciojusto
eindependiente .Respuesta
(11dejuniode1993)
1.NocorrespondealConsejocomentarlasdeclaracio
nesrealizadasporunapersonalidadatítulopersonal.
2.ElrepartodelosescañosencadaEstadomiembroestá
reguladopordisposicionesnacionales,enaplicacióndel
apartado2delartículo7delActoporelqueseeligen
representantesenelParlamentoEuropeomediantesufragio
universaldirectode20deseptiembrede19760),y,en
cualquiercaso,hastaqueentreenvigorunprocedimiento
electoraluniformecuyascondicionesdeadopciónsedefinen
enelapartado3delartículo138delTratadoCEE.PREGUNTAESCRITAN°394/93
delSr.VíctorManuelArbeloaMuru(S)
alaCooperaciónPolíticaEuropea
(5demarzode1993)
(93/C195/82)
(!)DOn°L278de8.10.1976.Asunto:IraníesenlaguerradeSudán
¿TienenlosministrosdelaCooperaciónPolíticanoticias
ciertassobrelaparticipacióndecombatientesiraníesenla
guerradeSudán,enelbandodelastropasgubernamentales ?
Siestoesasí,¿quécomentariopolíticolesmerece?
PREGUNTA ESCRITAN°265/93
delSr.VíctorManuelArbeloaMuru(S)
alaCooperaciónPolíticaEuropea
(23defebrerode1993)
(93/C195/81)Respuesta
(15dejuniode1993)
LaComunidadysusEstadosmiembrosnodisponende
informaciónconcluyentesobrelacuestiónaqueserefieresu
Señoría.Noobstante,lasituacióngeneralenSudánsigue
siendounafuentedeextremapreocupaciónparalaComu
nidadysusEstadosmiembros.PuedoasegurarasuSeñoría
quelaComunidadysusEstadosmiembrosefectúanun
seguimientodetenidodelaevolucióndelosacontecimientos
yqueestándispuestosadarsuapoyoaldiálogopolítico
necesarioparaponerfinalconflictoarmadoqueestá
infligiendoterriblessufrimientosalapoblaciónde
Sudán.Asunto:DetenidosenBurundi
¿SiguendetenidasenlasprisionesdeBurundilascasi500
personasrecluidastraslosataquesrebeldesafinesde1991?
¿Hansidoinformadasdesuscargososometidasa
juicio?
PREGUNTA ESCRITAN°400/93
delSr.JoséVázquezFouz(S)
alConsejodelasComunidadesEuropeas
(5demarzode1993)
(93/C195/83)Respuesta
(16dejuniode1993)
Segúnlosúltimosdatosdisponibles,entrelosmesesdeabril
yagostode1992habíansidocondenadasapenasdeprisión
unas70personasacusadasdeparticiparenellevantamiento
denoviembrede1991.Otrascincopersonashabíansido
condenadasamuerte,aunquesuejecuciónsehabíasuspen
dido.Habíaunas400personasaúnpendientesdejuicio.
PuedoasegurarasuSeñoríaquelasautoridadesdeBurundi
sonplenamenteconscientesdelaintensainquietuddela
ComunidadydesusEstadosmiembrosfrentealascondenas
dictadasyalascondicionesenquesedesarrollaronlos
juicios.
LaComunidadysusEstadosmiembrosseguiránobser
vandodemuycercalaevolucióndelosacontecimientos.
EsperanquelosrecientesavancesrealizadosenBurundien
ladireccióndeunademocraciapluralistadaránlugaraun
respetoplenodelosderechoshumanosylaslibertadesAsunto:PolíticacomunitariaenelÁfricaAustral
ConsiderandolasituacióndeconflictosenelÁfricaAustral
(enMozambique ,Angola,ÁfricadelSur),asícomolos
procesosdenegociaciónparalademocratización progresiva
yelinterésdelaComunidad,asícomolaespecialnecesidad
deunaestabilidadpolíticaydemocráticaenestazona,
¿cómocontemplanelConsejoylaPresidencialaposibilidad
deunaconvocatoriadeunaConferenciadeseguridady
cooperaciónenelÁfricaAustral?
¿Cuálespodríanserlosobjetivosconcretosylosmediosa
emplearparaconseguirlos ?
DiarioOficialdelasComunidadesEuropeas19.7.93
N°C195/46
PREGUNTAESCRITAN°540/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(30demarzode1993)
(93/C195/85)RespuestaH
(15dejuniode1993)
LaComunidadysusEstadosmiembroscompartenplena
mentelaopiniónmanifestadaporSuSeñoríadequelapazy
laestabilidadenlasrelacionesentrepaísesvecinosenÁfrica
Australconstituyenunrequisitoprevioparaavanzarenla
direccióndelacooperaciónyeldesarrolloregionales.
Consideran,sinembargo,quelaresponsabilidad aeste
respectoincumbeprimerayprincipalmentealospaísesdel
surdeÁfrica.Portalmotivo,secongratularonporelhecho
dequeenelTratadorecientementefirmadoporelquese
establecelaComunidadparaelDesarrollodeAfricaAustral
sereflejendeformadestacadalosaspectosdeseguridad.La
ComunidadysusEstadosmiembrostienenlaesperanzade
quelacooperaciónenestecampopermitiráreorientarlos
recursosescasoshaciaobjetivosdedesarrollo,contribu
yendoasíaminimizarelriesgodeconflictos.
(J)EstafuelarespuestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.Asunto:Discriminación demujeresperiodistasenelAfga
nistán
AlaluzdelasdecisionesdelCongresodelaFederación
InternacionaldePeriodistas,quesecelebróenMontrealen
juniode1992,lajuntarectoradelaFederacióndelaPrensa
deGreciainformaenunarecientecomunicaciónqueenel
Afganistánseproducendiscriminaciones demujeresperio
distas.Concretamente ,seseñalaquelasautoridadesde
dichopaíshanprohibidolasemisionesrealizadaspor
mujeresenlatelevisiónnacionaly,asimismo,queestá
prohibidalaradiodifusióndevocesfemeninasporlaradio
nacional.Considerandotodoloanterior,¿vaacondenarel
Consejoestainicuadiscriminacióndelasmujerespracticada
porlasautoridadesafganas,discriminaciónqueconstituye
unhechointolerablecontrarionosoloalosprincipios
fundamentalesproclamadosporlaFederaciónInternacio
naldePeriodistasensucongresosinotambiénalosderechos
humanosengeneral?
PREGUNTAESCRITAN°459/93
delSr.ThomasMegahy(S)
alConsejodelasComunidadesEuropeas
(11demarzode1993)Respuesta (!)
(16dejuniode1993)
LacuestiónconcretasuscitadaporSuSeñoríaaúnnoseha
debatidoenelmarcodelaCooperaciónPolíticaEuro
pea.
(!)EstafuelarespuestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.(93/C195/84)
Asunto:Fondosestructurales—Objetivo6
Despuésdelrechazodelobjetivo6enelConsejode
Edimburgoyhabidacuentadelareferenciaalapropuesta
deincluirlasayudasalsectorpesqueroentrelosobjetivos
relevantes,¿enqueconsistenlaspropuestasactuales?
PREGUNTAESCRITAN°565/93
delSr.JoséLafuenteLópez(PPE)
alConsejodelasComunidadesEuropeas
(30demarzode1993)
(93/C195/86)Respuesta
(11dejuniode1993)
Eneseámbito,lasconclusionesdelConsejoEuropeode
Edimburgoseñalanque«seprestarálaatenciónadecuadaa
lasnecesidadesdelaszonasdependientesdelapesca,enel
respetodelosobjetivoscorrespondientes ».
Paradarcumplimientoadichasconclusiones,laComisión
remitióalConsejo,confechade10demarzode1993,
nuevaspropuestasrelativasalfuncionamiento delosfondos
estructuralescomunitarios1994-1999,sobrelasqueseha
consultadoalParlamentoEuropeoycuyoestudioacabande
iniciarlosórganosdelConsejo.Asunto:ExpulsióndeloscuerposdeseguridaddelEstado
delosagentesdeordenpúblicocondenadospor
practicartorturas
LarecientecondenaenEspaña,porpartedelostribunales
competentes,dedosagentesdeordenpúblico,porprácticas
detortura,haceincurriralosmismosenlafiguradelictiva
delareincidencia,puesyafueroncondenadosconanterio
ridadporotrostribunalesespañolesporhaberpracticadola
tortura.
Comoquieraquedebeserunobjetivoinapelableelerradicar
latorturadelospaísesmiembrosdelaComunidadEuropea
DiarioOficialdelasComunidadesEuropeasN°C195/4719.7.93
PREGUNTAESCRITAN°591/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(31demarzode1993)
(93/C195/88)ycomoquieraquelostribunalesdejusticiasiguenconde
nandoalosagentesdeordenpúblicoporprácticasde
tortura,deberíaseradoptadoporelconjuntodelas
autoridadesdelospaísesmiembroselprincipiosinexcep
cióndequecualquieragentedeordenpúblicoquepractique
latorturasobredetenidosdebeserexpulsadodelcuerpo
policialalquepertenezca.
¿PiensaelConsejoque,paraevitarequívocosalrespecto,
protegerlosderechoshumanosennuestraComunidady
evitarcaerenlareincidenciadeldelitodetortura,cualquier
agentedeordenpúblicoquepractiquelatorturadebeser
expulsadodesucorrespondientecuerpopolicialunavez
condenadoporlostribunalestrassuprimerasentencia
condenatoriaalrespecto?Asunto:Revalorización delpapeldelamujer
Considerandolaescasapresenciademujeresenlosórganos
institucionalescomunitariosqueimplicantomadedecisio
nes,¿tieneintenciónelConsejodeelaborarcuantoantesun
proyectoenprodelaparticipacióndelamujerydela
revalorizacióndesupapelaescalaregional,nacionaly
comunitaria ?
Respuestai1)
(16dejuniode1993)
LacuestiónconcretasuscitadaporSuSeñoríaserefiereala
situacióninternadeunEstadomiembroy,portanto,noes
competenciadelaCooperaciónPolíticaEuropea.
(*)EstafuelarespuestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.Respuesta
(11dejuniode1993)
EnsuResoluciónde21demayode1991,relativaaltercer
programadeaccióncomunitariaamedioplazoparala
igualdaddeoportunidadesentrehombresymujeres(1991
1995)0),elConsejoinvitóalosEstadosmiembros,entre
otrascosas:
—aalentarmedidasdestinadasalfomentodelapartici
pacióndelasmujeresenelprocesodetomadedecisiones
enlavidapública,económicaysocial;
—aqueadoptasen,segúnsusnecesidadesyenelmarcodel
programa,planesnacionales,regionalesolocalesde
igualdaduotrasmedidaspolíticaspertinentesporlos
queseestablecenobjetivosquecorrespondanalas
características nacionales.
Enesemismotexto,elConsejoinvitóalaComisión,entre
otrascosas:
—aqueprocedieseaunaevaluaciónprovisionalyauna
evaluaciónglobal(alamitadyalfinaldelperíodo)dela
políticadeigualdaddeoportunidades ydetrato;
—aquepresentaselosresultadosdedichasevaluacionesal
ParlamentoEuropeo,alConsejoyalComitéEconómico
ySocial.
(MDOn°C142de31.5.1991,p.1.PREGUNTAESCRITAN°590/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(31demarzode1993)
(93/C195/87)
Asunto:Políticacomúnenmateriaderefugiados
ConsiderandoqueentrelosdistintosEstadosmiembros
existendiferenciasdeopiniónenrelativoalosprincipios
comunesquedebenregirlafuturapolíticacomúnrelativa,
especialmente ,alosrefugiadospormotivoseconómicos,
¿tieneintenciónelConsejodeesforzarseenprodela
consecucióndeunacuerdosobreesteproblemaquecadadía
adquieremayoresproporcionesaescalaeuropeaainterna
cional?
PREGUNTA ESCRITAN°592/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(31demarzode1993)
(93/C195/89)Respuesta
(11dejuniode1993)
ComosabeSuSeñoría,lascuestionesrelativasalainmigra
ciónyalapolíticadeasiloconobjetodedebates
intergubernamentales entrelosdoceEstadosmiembros.El
Consejonopuede,pues,tomarposiciónsobreasuntosque,
porelmomento,nosondesucompetencia .Asunto:Derechoscompensatorios impuestosporlosEsta
dosUnidos
ElGobiernodelosEstadosUnidosanunciórecientemente
queexigiráelpagodederechoscompensatorios parala
importacióndeacerodelaComunidad .Asimismo,comu
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/48
ylafirmadelasActasydelaCartadeParísdelaCSCE
entrañanconsecuenciasparalagarantíadelalibertadde
expresiónyquelaexpulsióninjustificadadeperiodistasse
contradiceconloanterior?nicóqueapartirdel5demarzoquedaprohibidala
adquisicióndeproductoseuropeosdetelecomunicaciones
porpartedeorganismospúblicosdelosEstadosUnidos.A
lavistadeloanterior,¿puedeinformarnoselConsejode
cómopiensahacerfrenteaestegraveproblema?
Respuesta
(11dejuniode1993)
1.ElConsejoestámuypreocupadoporelanunciodelos
EstadosUnidosrelativoalaimposicióndederechos
compensatoriossobrelasimportacionesdeacerodela
ComunidadysiguedecercalasconsultasquelaComisión
estárealizandoactualmenteconlosEEUUenelcontexto
delcódigodesubvencionesdelGATT.Mantienesucon
vencimientodequelaúnicasoluciónalargoplazodeéstey
otrosproblemassimilaresdelsectorresideenlarápida
celebracióndelasnegociacionesparaunAcuerdoMultila
teralsobreelacero.
2.PorloquerespectaalaaccióndelosEstadosUnidos
enelámbitodeloscontratospúblicos,yparticularmente en
elsectordelastelecomunicaciones ,SuSeñoríaseguramente
sabequelaComunidadhacelebradorecientementeun
AcuerdoparcialconlosEEUUenelámbitodeloscontratos
públicos.Araízdeello,losEEUUhananunciadoque
retiraránlassancionesanunciadasylassustituiránpor
sancionesdeunnivelproporcionalalefectoexcluyentedela
negativadelaComunidadarenunciaralartículo29dela
Directivasobreserviciospúblicosporloquerespectaal
sectordelastelecomunicaciones .LaComisión,porsuparte,
sehareservadoelderechoaemprendercualquieracciónque
considereadecuada.Respuesta
(15dejuniode1993)
LaComunidadysusEstadosmiembroscompartenlas
preocupacionesexpresadasporSuSeñoría.Estánde
acuerdoenquelaparticipacióndeUzbekistánenlaCSCEy
lafirmadelosinstrumentosdelaCSCEydelaCartadeParís
suponenuncompromisorelativoalagarantíadelalibertad
deexpresiónyenquelaexpulsióndeperiodistassinrazón
válidaalgunaescontrariaadichocompromiso .LaComu
nidadysusEstadosmiembrosestándispuestosaponerese
hechoderelieveensusfuturoscontactosconlasautoridades
deUzbekistán.
Asimismo,talcomoserecordaráenrelaciónconla
respuestadadaalaSra.VanDijkenelperíododesesiones
delParlamentoEuropeodeabrilde1993(pregunta
n°H-279/93),laComunidadysusEstadosmiembrosvienen
recalcando,ensuscontactosconlasautoridadesdeUzbe
kistán,laimportanciaqueatribuyenalplenorespetodelos
derechoshumanostalcomoseestableceenlaDeclaración
sobrelosderechoshumanosdelConsejoEuropeodejunio
de1991yenlaResoluciónsobrederechoshumanos,
democraciaydesarrollodel28denoviembrede1991.
PREGUNTAESCRITAN°621/93
delSr.VíctorManuelArbeloaMuru(S)
alaCooperaciónPolíticaEuropea
(1deabrilde1993)PREGUNTAESCRITAN°597/93
delSr.JeanPenders(PPE)
'alaCooperaciónPolíticaEuropea
(1deabrilde1993)(93/C195/91)
(93/C195/90)Asunto:ProcesodepazenOrienteMedio
Comopartecoorganizadoraquesondelgrupodetrabajo
sobrelosRefugiados,¿quéavancedsavanceshanregistrado
losministrosparalaCooperaciónPolíticaenelperíodode
negociacionestranscurridodesdelaaperturaenMadriddel
procesodepazenOrienteMedio?
Respuesta
(17dejuniode1993)
Cadaunodeloscincogruposdetrabajocreadosenelmarco
delseguimientomultilateraldelprocesodepazdeOriente
Mediohainiciadosutrabajoenrelaciónconavancesde
carácterprácticodentrodesusrespectivosámbitosespecí
ficos,conobjetodeampliarlacooperaciónregionalyde
beneficiaralaspartesdemaneraconcreta.LasactividadesAsunto:DetencióndelcorresponsalenMoscúdeldiario
neerlandés «NCRHandelsblad »
1.¿Tienenconocimientolosministrosreunidosenel
marcodelaCooperaciónPolíticaEuropeadequeHubert
Smeets,corresponsalenMoscúdeldiarioneerlandés«NCR
Handelsblad»,fuedetenidoenUzbekistánel12defebrero
de1993yexpulsadoencalidaddeextranjeronodeseado,
acusadode«violaciόndelprograma»porhabermantenido
conversaciones conlaoposición?
2.¿Estándispuestoslosministrosreunidosenelmarco
delaCooperaciónPolíticaEuropeaallevaracabouna
investigaciónentornoaesteincidenteyapediraclaraciones
alrespecto?
3.¿Estándispuestoslosministrosreunidosenelmarco
delaCooperaciónPolíticaEuropeaaseñalaralaatención
delasautoridadesdeUzbekistánquelapertenciaalaCSCE
DiarioOficialdelasComunidadesEuropeasN°C195/4919.7.93
Lasmencionadascuestionesseguirántratándoseenla
próximareunióndelGrupodetrabajosobreelmedio
ambiente,cuyacelebraciónestáprevistaparalosdías24y
25demayode1993enTokio.realizadasentrelassesiones,asícomolosseminarios,sehan
convertidoenunapartecadavezmásvaliosadeeste
proceso.
Hastaelmomentopresentesehancelebradodosreuniones
decaráctersustancialdelGrupodetrabajosobrelos
refugiados.Lascuestionessometidasaconsideracióninclu
yenlasbasesdedatos,uninformesobrelascondicionesde
vidaenlosTerritoriosOcupados,lasanidad,elbienestarde
lapoblacióninfantil,eldesarrolloderecusoshumanos,la
formaciónprofesional,lacreacióndeempleoyelreagru
pamientofamiliar.LaComunidadsehaofrecidoarecopilar
uninventariodelasactividadesexistentesqueconciernena
losrefugiadosdeOrienteMedioyaconcederespecial
atención,enelmarcodeesteestudio,alacuestióndela
infraestructurasocialyeconómica.ElGrupodetrabajoha
solicitadoqueunEstadomiembroemprendauna«Misión
deevaluación»sobrelacuestióndelreagrupamiento fami
liar.
Lasmencionadascuestionesseguirántratándoseenla
próximareunióndelGrupodetrabajosobrelosrefugiados,
quesecelebraráenOslolosdías11al13demayode
1993.PREGUNTAESCRITAN°631/93
delSr.AlexandrosAlavanos(CG)
alaCooperaciónPolíticaEuropea
(5deabrilde1993)
(93/C195/93)
PREGUNTA ESCRITAN°622/93
delSr.VíctorManuelArbeloaMuru(S)
alaCooperaciónPolíticaEuropea
(1deabrilde1993)
(93/C195/92)Asunto:BloqueoeconómicodeArmeniaporpartede
Azerbaiyán
Enunacartade8defebrerode1993dirigidaalaPresidencia
delaCooperaciónPolítica,lacomunidadarmeniade
Salónicainformabaacercadelatrágicasituaciónenlaquese
encuentraArmeniadebidoalbloqueoeconómicoporparte
deAzerbaiyán,asícomodelaobstaculización delas
comunicaciones iniciadaparalelamenteporTurquía,y
pedíaalosministrosdeAsuntosExterioresreunidosenel
marcodelaCooperaciónPolítica:
1.quecondenaranelbloqueoimpuestoporAzerbaiyán,
queconstituyeunaviolacióndelDerechointernacional
yqueexigierandeestegobiernoelinmediatolevanta
mientodelmismo;
2.quesuspendierantodaslasayudasdelaComunidad
EconómicaEuropeadestinadasaAzerbaiyánhastaque
noselevantaseelembargo;
3.queintervenierananteelGobiernodeTurquíaparala
aperturaincondicionaldelasvíasdecomunicación ,
permitiendoasíellibrointercambioylacirculacióndela
ayudadestinadaaArmenia;
4.queapoyasenelprocesodepazparaconseguirunaltoel
fuegoyunasoluciónnegociadadelconflictoentreel
KarabajyAzerbaiyán ;
5.quegarantizaranunaayudadeurgenciaparaArmeniay
elKarabaj.
¿PodríanindicarlosMinistrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticaEuropeasi
hantenidoconocimiento deestacartayprecisarqué
medidaspiensanadoptarparasatisfacerlascincopeticiones
anteriormente expuestas?Asunto:ProcesodepazenOrienteMedio
Comopartecoorganizadora quesondelgrupodetrabajo
sobreelMedioAmbiente,¿quéavanceshanregistradolos
ministrosparalaCooperaciónPolíticaenelperíodode
negociacionestranscurridodesdelaaperturaenMadriddel
procesodepazenOrienteMedio?
Respuesta
(17dejuniode1993)
Cadaunodeloscincogruposdetrabajocreadosenelmarco
delseguimientomultilateraldelprocesodepazenOriente
Mediohainiciadosutrabajosobreavancesdecarácter
prácticoensusrespectivosámbitosespecíficos,conobjeto
deampliarlacooperaciónregionalydebeneficiaralas
partesdemaneraconcreta.Lasactividadesrealizadasentre
sesiones,asícomolosseminarios,sehanconvertidoenuna
partecadavezmásvaliosadeesteproceso.
Sehancelebradodosreunionesdecaráctersustancialdel
Grupodetrabajosobreelmedioambiente.Lascuestiones
sometidasadebateincluyenladesertización ,lagestióndel
medioambiente,larecogidadedatos,laformación,la
contaminación marítimaylapreparaciónparaunares
puestadeemergencia,asícomolagestiónderesiduos.Los
japonesescelebraronconéxitoenTokio,amediadosde
1992,unseminariosobrelagestiónmedioambiental .Respuesta
(17dejuniode1993)
LaComunidadysusEstadosmiembrosestánseriamente
preocupadosporlarecienteevolucióndelosacontecimien
tosenArmenia,AzerbaiyányNagornoKarabaj.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/50
PREGUNTAESCRITAN°693/93
delosSres.AlexanderLanger(V),MariaBelo(S),Jan
Bertens(LDR),RinaldoBontempi(S),PedroCanavarro
(ARC),PierreCamiti(S),MariaCassanmagnago Cerretti
(PPE),KennethCoates(S),BirgitCramon-Daiber (V),Peter
Crampton(S),BrigitteErnstdelaGraete(V),DesGeraghty
(NI),FrancoIacono,NereoLaroni(S),EugenioMelandri
(V),ArieOostlander (PPE),DorotheePiermont(ARC),
ClaudiaRoth(V),JannisSakellariou,MaartjevanPutten,
LuigiVertemati,IanWhiteyJuandelaCámaraMartínez
(S)
alaCooperaciónPolíticaEuropea
(7deabrilde1993)
(93/C195/94)El27deabrilde1993,laComunidadysusEstados
miembrosformularonunadeclaraciónsobrelasituaciónen
NagornoKarabaj,enlaquemanifestabansuinquietudpor
ladegradacióndelasrelacionesentreArmeniayAzerbaiyán
enelconflictodeNagornoKarabaj.LaComunidadysus
Estadosmiembroslamentabanlaampliacióndelazonade
combateaKelbajarylazonadeFizuli,hacíanunllama
mientoalaspartesenconflictoparaquedetuvieranlalucha
einstabanalgobiernodeArmeniaahacerusodesu
influenciasobrelasfuerzasdeNagornoKarabajpara
propiciarunaretiradainmediatadelterritorioazerí.
Lacomunidadinternacionalharesaltadoenvariasocasio
nesquerechazalasconquistasterritorialesyotroshechos
consumadosmediantelautilizacióndelafuerzapor
cualquieradelaspartesinvolucradasenelconflicto.Las
accionesdeestetiporesultantotalmentedestructivasparael
procesodenegociación.
LaComunidadysusEstadosmiembroshanargumentado
quelaspartesinvolucradasenellitigiodeNagornoKarabaj
debenmantenersucompromisoconlasnegociacionesen
cursoenelprocesodepazdeMinsk,querepresentaelúnico
marcorealistaparalograrunasoluciónpolíticadelcon
flicto.Tomannotadequeensuprimerareunión,celebrada
el21deabrilde1992enAnkara,elPresidenteTer
PetrossiandeArmeniayelPresidenteElchibeideAzerbai
yánreafirmaronsucompromisopúblicoconlasconversa
cionesdelaCSCE.LaComunidadysusEstadosmiembros
esperanqueestasconversacionesconduzcannosóloaun
altoelfuegoyaunaretiradadelasfuerzasocupantessino
tambiénaunanormalizaciónmásampliadelasrelaciones
enlaregión,incluidoellevantamientodetodoslosbloqueos
económicos .Asunto:IniciativasdelaCEenlasnegociacionesdepaz
entreIsraelylospalestinos
TraslaseleccionesenIsrael,deberánreanudarseenbreveen
Roma,lasnegociacionesdepazentreIsraelylospalestinos.
Cuandocomenzóeseprocesohabíaaúndosgrandes
potenciasenfrentadas,querespaldabanenciertaformaalas
dospartesnegociadorasyquedebíangarantizarquela
conferenciasedesarrollaradeformarelativamenteequili
brada.Enesecontextosepuedeexplicarelmodestopapel
desempeñadoporlaComunidadEuropea(ytambiénporlas
NacionesUnidas).Entretanto,lasituacióninternacionalha
cambiadoprofundamente ydesdemuchaspartestantoen
elcuartelpalestinocomoentrelasfuerzasdemocráticasen
Israel—seexpresaeldeseodequelaComunidadEuropea
actúemáseficazmenteenlasnegociaciones yejerzauna
influenciapositiva.Estaeslarazónporlaqueplanteamosa
losministrosreunidosenelmarcodelaCooperación
PolíticaEuropealassiguientespreguntas:
1.¿Quéopiniónlesmereceelpapeldesempeñadohasta
ahoraporlaCEenrelaciónconlasnegociacionesdepaz
enelPróximoOriente?
2.¿Quéiniciativastienenintencióndeadoptarpara
aumentarelpesodelaComunidadEuropea,conelfin
dequepuedavolveraponerseenmarchaelprocesode
pazentreIsraelylospalestinosylograrserápidamente
unasoluciónjusta?
3.¿Consideranlosministrosreunidosenelmarcodela
CooperaciónPolíticaEuropeaqueseríaprovechoso
entablar,loantesposible,contactosconelGobierno
israelíyconlaOLPparasondearlasposibilidadesal
respecto?
4.¿Quéotrasiniciativasconsideranoportunaslosminis
trosreunidosenelmarcodelaCooperaciónPolítica
EuropeaparaimpulsarunapazjustaentreIsraelylos
palestinos?Lasituacióneconómicayhumanitariadelaregiónesta
deteriorándoseprogresivamente .LospaísesdelaComuni
dadEuropeaseguiráncontribuyendo alosprogramasde
ayudahumanitariaencurso,aunquelaescaladadel
conflictohaobstaculizadogravementelastareasdesocorro.
LaComunidadysusEstadosmiembros,tantoporseparado
comocolectivamente ,proseguiránsuayudahumanitariade
socorroyaquedichaasistencianollevaaparejadascondi
cionespolíticas.LaComundiadysusEstadosmiembroshan
asignadorecientementeunacantidadadicionalde9,5
millonesdeecusalastareasdeayudadeemergenciaen
ArmeniayGeorgia.Noobstante,resultadelamayor
importanciaquelaayudainternacionaltantoaArmenia
comoaAzerbaiyánnoseutiliceparaapoyarfinesmilita
LaComunidadysusEstadosmiembrossemantienenen
contactoconlasautoridadesdelospaísesvecinosen
relaciónconlaevolucióndelosacontecimientos enArmenia
yAzerbaiyán.Debidoalaescasezdealimentosycombus
tibleenArmenia,laComunidadEuropeahahechovarios
llamamientosaTurquíaparaquepermitalostransportesde
ayudahumanitariaaArmenia.Respuesta
(17dejuniode1993)
LaComunidadysusEstadosmiembrosconsideranqueel
procesodepazdelOrientePróximoconstituyeunaopor
tunidadúnicaquedebeaprovecharse ,porloquese
DiarioOficialdelasComunidadesEuropeasN°C195/5119.7.93
PREGUNTAESCRITAN°707/93
delaSra.CristianaMuscardini (NI)
alConsejodelasComunidadesEuropeas
(7deabrilde1993)
(93/C195/95)
Asunto:Incitaciónalhomicidioporpartedelosresponsa
blesdelGobiernodeIrán
ElAyatollahJameneyhadecretadola«fatwa»contra
SalmanRushdie;estoconstituyenadamenosqueuna
incitaciónalhomicidio.ConelloelGobiernodeIrán
infringeporenésimavezelderechointernacional,yfaltaal
máselementalrespetodelosderechoshumanos.Siendoasí
queelParlamentoEuropeoaprobóel12demarzode1992
unaresoluciónenfavordelaabolicióndelapenademuerte,
¿noconsideraelConsejoquedebapediratodoslosEstados
miembrosquedenunciencualquieracuerdoyafirmadocon
elGobiernodeTeheránhastaqueselevantela«fatwa»y
queentodocasoseconsidereresponsabledelaintegridad
delSr.RushdiealGobiernoiraní?congratulandequesehayanreanudadolasconversaciones
depazel27deabril.
LaComunidadysusEstadosmiembrosestimanque,para
queunacuerdoresultejusto,duraderoyglobal,habráde
estarbasadoenlasresoluciones242y338delConsejode
SeguridaddelasNacionesUnidas.Reconocen,sinembargo,
quecorrespondealaspartesenfrentadasfijarlostérminos
deunacuerdoquesóloseráeficazsihasidonegociadoy
convenidolibremente.
LaCEfueinvitadaaasistirjuntoconlosEstadosUnidosyla
UniónSoviéticaalaConferenciadeMadriddeoctubrede
1991,enlaqueseemprendióelprocesodepazdeOriente
Próximo.LaConferenciadeMadridsigueconstituyendoun
marcodeterminantedelprocesodepaz,ynoestáprevisto
modificarestafórmula.Desdeeliniciodeestasnegociacio
nes,laComunidadysusEstadosmiembroshanintentado,
enplenacoordinaciónconloscopatrocinadores ,fomentar
eléxitodelasnegociacionesyllevaratodalaregiónpazy
seguridadglobales.
Unatroikacomunitariadealtosfuncionarioshavisitado
Washingtonencadarondadelasnegociacionesbilaterales.
Laúltimadeestasvisitastuvolugarlosdías28y29deabril,
alcomienzodelanovenaronda.Encadaunadeestas
ocasiones,latroikasereuniócontodaslaspartesenlas
negociacionesbilaterales,conlosEstadosUnidosy,siempre
quehasidoposible,conelcopatrocinadorruso.Todoslos
interesadosvalorancadavezmássupapel.
LatroikaministerialrealizóunavisitaalOrientePróximo
dal30demarzode2deabril,conlossiguientesobjetivos:1)
seguirmostrandoelrespaldocomunitarioalprocesodepaz;
2)animaratodaslaspartesaasistiralanovenarondade
negociacionesbilateralesenWashington;y3)exhortara
israelíesypalestinosabuscarunasoluciónsalidadelcírculo
viciososdeviolenciayterrorquepadecenlosterritorios
ocupados.
LavisitadelaTroikacontóconlaacogidafavorablede
todaslaspartesydemostrólaintencióndelaComunidadde
seguirdesempeñando unpapelactivo,constructivoy
equilibradoenelprocesodepaz.
LaCEysusEstadosmiembrostendránunpapelmásdirecto
enlavertientemultilateraldelprocesodepaz.Eneste
contexto,participaenlaorganizacióndetresdeloscinco
gruposdetrabajoypresideelGrupodeDesarrollo
EconómicoRegional(REDWG).LaComunidadsusEsta
dosmiembroshanpresentadonumerosaspropuestaspara
unaampliagamadeactividadesdecooperación,destinadas
areconciliaralaspartesinteresadasyaconsolidarlapaz
trassuinstauración .VariosEstadosmiembroshanservido
deanfitrionesparareunionesdelosgruposdetrabajo
multilaterales .LaúltimareunióndelComitéDirectivo,que
supervisaeltrabajodelosgruposmultilaterales,secelebró
enLondresendiciembrede1992.Respuestai1)
(17dejuniode1993)
LaComunidadysusEstadosmiembroscondenanla
sentenciademuertepronunciadaporuna«fatwa»del
ayatoláJomeinicontraSalmanRushdieporconsiderarque
esunaviolacióninaceptabledelosprincipiosyobligaciones
máselementalesquerigenlasrelacionesentreEstados,
ademásdesercontrariaalDerechoInternacional .Les
preocupóseriamentequealgunospersonajesimportantes
iraníesreafirmaranestaincitaciónalhomicidioenelcuarto
aniversariodela«fatwa»elpasado14defebrero.
EnelConsejoEuropeodeEdimburgodelpasadomesde
diciembre,losMinistrosconvinieronenque,dadala
importanciadeIránenlaregión,laCEEdeberíamantener
undiálogoconelGobiernoiraní,peroquederberíatratarse
deundiálogocríticoquereflejaralapreocupaciónporel
comportamiento iraníyqueinstaraalareformaen
numerososámbitos,especialmenteeneldelosderechos
humanos,lafatwadelAyatollahJomeinicontraSalman
Rushdieyelterrorismo.LosMinistrosestuvieronde
acuerdoenqueunamejoríaenestosámbitosseríaimpor
tanteparadeterminarenquémedidasepodríandesarrollar
unclimadeconfianzayunasrelacionesmásestrechas.
LaComunidadysusEstadosmiembrosseguiránanalizando
lasituación.
(!)EstafuelaresquestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.
19.7.93N°C195/52 DiarioOficialdelasComunidadesEuropeas
PREGUNTA ESCRITAN°746/93
delSr.SérgioRibeiro(CG)
alConsejodelasComunidadesEuropeas
(14deabrilde1993)tratoentrehombresymujeresenlosregímeneslegalesy
profesionalesdeseguridadsocial,laComisióndelas
ComunidadesEuropeashaincluidocomoincentivoy
soluciónalternativaalsistemadederechosderivados,la
progresivapersonalización delosderechos(artículos4y11
delapropuestadedirectiva).Considerandolosdictámenes
favorablesdelParlamentoEuropeoydelComitéEconómico
ySocialsobredichapropuestadedirectiva,¿cuándopiensa
elConsejotomarunadecisiónsobrelapropuestade
directivamencionada,aúnpendienteanteelmismo?(93/C195/96)
í1)DOn°C309de19.11.1987,p.10.Asunto:SituacióndepresosvascosenEspaña
Segúninformacionesfacilitadasporlosfamiliares,másde
600presosvascoshansidorepartidosenuncentenarde
prisionesdelEstadoespañol,incluidasregionesultraperifé
ricas,loquedalugaraenormesdificultades,cuandonoala
imposibilidad ,devisitasyasistencia.
Entrelasmuchascuestionesrelacionadasconlasituaciónde
losfamiliaresdepresossehanreferidocasosenlosque
pareceevidentelaviolacióndederechoshumanoselemen
tales,comoelaislamiento,lafaltadeasistenciamédica,la
prohibicióndehablar,escribiroleerenlalenguanacional;
estáteniendolugarunahuelgadehambreenlaprisiónde
Cácerescomoprotestaporestasyotrassituaciones.
Independientemente decualquiertomadeposiciónsobrelas
causasdelencarcelamiento ydelacargaafectivadela
informaciónrecibida,hayhechosobjetivosycomprobables ,
enparticular,enloqueserefierealadecisióndedesplazara
lospresosalugaresmuyapartadosdelosderesidencia,suya
ydelosfamiliares,porloquesepreguntaalConsejo,como
garantedelrespetodelosderechoshumanos,siconocela
situaciónysipiensainterveniranteelGobiernoespañol.Respuesta
(11dejuniode1993)
ElConsejonohapodidoalcanzarunacuerdosobrela
propuestadeDirectivaquemencionaSuSeñoríaensu
pregunta.
Paraobtenermásprecisiones,sírvaseremitirsealarespuesta
dadaporelConsejoalapreguntaH-217/93delaSra.
Banotti,quefiugraenelTurnodePreguntasdelperíodode
sesionesdelmesdeabrilde1993delParlamentoEuropeo,
relativaalaigualdaddetratoentrehombresymujeresen
materiadeseguridadsocial.
PREGUNTA ESCRITAN°876/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(26deabrilde1993)
(93/C195/98)Respuesta
(11dejuniode1993)
LacuestiónplanteadaporSuSeñoríanoescompetenciadel
Consejo,sinomásbiendelasautoridadesdelEstado
miembrodequesetrata.Asunto:SolicitudesdeGreciaafavordeunaayudaparalos
agricultoresgriegos
Laagriculturagriegaseenfrentaaungraveproblemaala
horadeencontrarsalidasparaimportantescantidadesdesu
producciónapreciossatisfactorios .Comoesnatural,Grecia
solicita,paraayudarasusagricultores,unaumentodelas
subvencionesenelsectordelaceitedeolivaydelalgodón,
unaayudaparaelsectordecereales,lacarnedeporcinoyel
arroz,unrégimenespecialparaeltabacodelavariedad
«Virginia»ylaadopcióndeunaseriedemedidasenelsector
deloscítricos.¿CómopiensaactuarelConsejoanteestas
solicitudesporpartedeGrecia?PREGUNTA ESCRITAN°875/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(26deabrilde1993)
(93/C195/97)
Asunto:Cursodadoaunapropuestadedirectivadela
Comisióndeoctubrede1987
Ensupropuestadedirectivadeoctubrede1987í1)porla
quesecompletalaaplicacióndelprincipiodeigualdaddeRespuesta
(11dejuniode1993)
ElConsejoconsiderasiempreconlamayoratenciónlas
propuestasdelaComisiónqueseencaminanaresolverlos
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/53
Respuesta(!)
(17dejuniode1993)
LacuestiónqueplanteaSuSeñoríanoescompetenciadela
CooperaciónPolíticaEuropea.
(*)EstafuelarespuestadelosministrosdeAsuntosExteriores
reunidosenelmarcodelaCooperaciónPolíticacompetentesen
lamateria.problemasespecíficosconqueseenfrentelaagriculturade
cualquierEstadomiembro.Deestemodo,elConsejo
decidióenelpasadounaayudaespecialparalostransportes
griegosdefrutasyhortalizas,araízdelosacontecimientos
acaecidosenlaantiguaYugoslavia.Además,trasunanálisis
delasituacióndelmercadodelavariedaddetabaco
«Virginia»ydelasposiblesmedidasparaponerremedioa
dichasituación,elConsejotomónotadelaintencióndela
Comisióndeadoptardeterminadasmedidasafindealiviar
lasituacióndelosproductoresquehayanefectuado
inversionesespecialmentecostosasenestesector.Porloque
serefiere,porúltimo,adeterminadosproblemasestructu
ralesespecíficos,elConsejoestáestudiandounapropuesta
delaComisióndestinadaamejorarlasestructurasagrícolas
enlasislasmenoresdelmarEgeo.
Enunplanomásgeneral,elConsejotieneinterésenresaltar
quelosproductosgriegossebeneficiandelapoyoydela
protecciónprevistosporlasorganizacionescomunesde
mercados,enpiedeigualdadconlosproductosdelosdemás
Estadosmiembros.Asípues,losproductoresgriegosreciben
ayudasoprimas(cereales,algodón,tabaco,trigoduro,
transformación decítricos),sebeneficiandelasgarantíasde
precios(cereales,arroz,cítricos,aceitedeoliva,carnede
porcino)yestánprotegidosporlaaplicacióndederechos
aduaneros,exaccionesuotrasmedidasdeprotección.Un
tratamientomásespecíficodelasproduccionesgriegas
amenazaríaconcreardiferenciasdetratoydistorsionesdela
competenciaentrelosproductoresdelosdistintosEstados
miembros,quenoseríandefendiblesenelplanoeconómico
nienelplanojurídico.PREGUNTA ESCRITAN°887/93
delaSra.Marie-JoséDenys(S)
alConsejodelasComunidadesEuropeas
(23deabrilde1993)
(93/C195/100)
Asunto:Sistemadeidentificación ydeposicionamiento
automáticodelosbuquesporsatélite
LascatástrofesmarítimasrecientesdelEgeanSeafrentealas
costasespañolas,delBraerenelMardeIrlanda,ponen
dramáticamente demanifiestolanecesidaddeelaboraruna
políticacomunitariaenmateriadeseguridadmarítima,de
acuerdoconlasorientaciones delTratadodelaUnión
Europea.
Efectivamente ,losprogresosactualesdelatécnicapermiten
disponer,enEuropa,desistemas(VTS)innovadoresde
identificaciónyposicionamiento automáticoporsatélitede
losbarcos,cualquieraqueseasuposiciónalrededordel
globo,sistemasqueconstituyenuninstrumentopara
prevenirtalescatástrofesygarantizarunamejorgestióndel
tráficodelospuertos,yaseandecomercio,depescaode
recreo.
¿EstádispuestoelConsejoarecomendarlaaplicaciónde
talessitemas,especialmente araízdelasdecisionesdelos
recientesConsejosdeMinistrossobrelaseguridadmaríti
ma?PREGUNTA ESCRITAN°877/93
delSr.SotirisKostopoulos (NI)
alConsejodelasComunidadesEuropeas
(23deabrilde1993)
(93/C195/99)
Asunto:Laprensagriegabajocontrolpolicial
ElMinisteriogriegodeJusticia,araízdelasenérgicas
protestasdeperiodistasgriegos,entreotros,hasuprimido
medianteunproyectodeleylapenadecárceldelallamada
«leyantiterorista »yhaduplicado (de50a100millonesde
dracmas)elimportemínimodelamultaimpuestacuandose
publicaninformaciones acercadelasactividadesyen
particulardeclaraciones degruposterroristas.Elloha
engendradoprotestasaúnmásfirmesdelosrepresentantes
delconjuntodeasociacionesdeperiodistasgrigosydela
mayoríadelaseditoriales,quienesargumentanconrazón
quelasautoridadesaspiranacontrolarlosmediosde
comunicación demasasconla«disculpadelterrorismo».A
lavistadeestasituación,¿piensaseñalarelConsejoalas
autoridadesgriegasqueenlaComunidadEuropeaestá
prohibidalacensuraycualquierotramedidatomadaeneste
sentido?Respuesta
(11dejuniode1993)
Enelpasadoy,porúltimovez,conmotivodesusesión
extraordinaria MedioAmbiente/Transportesdel25de
enerode1993,elConsejohadestacadolanecesidaddeun
desarrollocoherenteyarmónicoenelconjuntodela
Comunidaddelasinfraestructuras marítimas,enparticular
delossistemasdegestióndetráficodebuques(VTS).
ElConsejocontinúaactivamentesusreflexionesalrespecto
alaluzdelaComunicación quelepresentólaComisiónel3
demarzode1993,relativaaunapolíticacomúndela
seguridadmarítima.
N°C195/54 DiarioOficialdelasComunidadesEuropeas 19.7.93
PREGUNTA ESCRITAN°955/93
delSr.ErnestGlinne(S)
alConsejodelasComunidadesEuropeas
(29deabrilde1993)
(93/C195/101)Enestaperspectivaseinscribenlasactividadesdecoopera
cióneconómicaenlossectorescontempladosenelAcuerdo
ylaayudaparaeldesarrollo,quesellevaránacabocon
arregloalReglamentorelativoalaayudafinancieray
técnicayalacooperacióneconómicaconlospaísesen
desarrollodeAméricaLatinaydeAsia,esdecir,conarreglo
alosprincipiosyalosprocedimientos degestiónycontrol
establecidospordichoReglamento .IncumbiráalaComi
siónmixtavelarporelbuenfuncionamiento del
Acuerdo.
Noobstante,Mongoliahapresentadosusolicitudformalde
admisiónalprogramadeasistenciatécnicaTACIS.La
propuestadelaComisióndenuevoReglamentosobreel
programaTACISprevélainclusióndeMongoliaenel
ámbitodeaplicacióndelprograma.Aúnnosehatomado
unadecisióndefinitivaalrespecto.
ComoelAcuerdoacabadeentrarenvigorylaComisión
mixtanosehareunidoaún,esimposibledemomentodar
indicacionesconcretassobrelasactividadesyprogramas
quesellevaránacabo.Asunto:SituaciónparticulardelaMongoliaexterior
Oficiosamenteconsideradacomo«decimosextaprovincia»
delaUniónSoviéticadurantesetentaaños,laMongolia
exterior,desprovistadelcarburanteydelosrepuestosque
proveníantradicionalmente demásalládelosUrales(ahora
quehallegadoelinvierno)ytambiéndesprovistadedivisas
extranjerasestágobernadaenlaactualidadformalmente
porunpartidocomunistareconstituidoysobretodoporun
grupovariopintodeaventuerosdemúltiplesnacionalidades
quesefabricancontratosapañados,asícomoporideólogos
confrecuenciaimprovisados.
El«PartidoburguésdeMongolia»nohavistoconfirmadas
susesperanzasdurantelasrecienteselecciones,perosus
dirigentes,especialmenteelSr.Dargalsaikhan ,proclaman
suintencióndereemplazarlaculturalocalporelrockand
rollydelograrunacolonizaciónoporlomenosun
arrendamiento ,esdecir,ponerenalquilerelpaís,durante
porlomenos50años,bajolalégidadelosEstadosUnidos
y/odeGranBretaña.LasteoríasdeMiltonFriedman
progresanconstantemente ,enmediodeunaciénagasingu
lar.
Rindiendohomenajealosfuncionariosinternacionales
íntegros,quehacenloquepueden,¿puededaroconocerel
Consejosuactitudsobreelvolumendelaayudaporél
mismoconcedidaysunaturaleza,suscanalesdedistribu
ción,lainadmisiblidad delacorrupciónorganizadapor
ladronesextranjerosynacionales,asícomosobreel«código
deconducta»quedeberíaimponerseimperativamente alos
inversoresopseudoinversores delosEstadosmiembrosdela
ComunidadEuropea?PREGUNTA ESCRITAN°1128/93
delSr.ErnestGlinne(S)
alConsejodelasComunidadesEuropeas
(29deabrilde1993)
(93/C195/102)
Asunto:CentroInterinstitucional Europeo(CIE)situado
enDennenboslaan 54,B3090Overijse—Bélgi
ca
LaComisiónespropietaria,aproximadamente desde1972,
deuncentrodeportivosituadoenOverijse(barriodela
periferiadeBruselas).Estecentroes«interinstitucional »,
puestoque,ensusgastosdefuncionamiento ,participanla
Comisión,elConsejo,elComitéEconómicoSocialyel
ParlamentoEuropeo,conformeaunsistemadereparto
objetivo.
1.¿Podríaindicarelconsejolacuantíadelosgastosde
funcionamiento sufragadosporelConsejosegúneste
sistemaylosimportessufragadosporelConsejo:
—desdelacreacióndelCIE;
—eneltranscursodelosejerciciosde1991y1992?
2.Asimismo,¿podríaindicarcuáleslaactituddelConsejo
enrelaciónconelsistemaderepartoobjetivoycuálesel
niveldeasistenciaalCIEdepersonasygruposdepen
dientesdelConsejo?Respuesta
(11dejuniode1993)
ElConsejorecuerdaaSuSeñoríaquelaComunidadha
celebradoconMongoliaunAcuerdodecooperación
comercialyeconómicaqueentróenvigorel1demarzode
1993.
DichoAcuerdosefunda,comoseindicaensupreámbuloy
ensuartículo1,enelrespetodelosprincipiosdemocráticos
ylosderechoshumanosyenélsereconocenlosesfuerzos
realizadosporMongoliaparareestructurarsusociedadysu
economíaconobjetodereforzarlademocraciayfomentarel
progresoeconómicoysocial,ytieneporobjetodesarrollar
lasrelacionesentrelasPartesenbeneficiomutuo.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/55
4.ElíndicedeasistenciaalCentroInterinstitucional de
OverijsedelosfuncionariosdelConsejoydemásgrupos
bajoautoridaddelConsejoesaproximadamente del
5%delpersonaldelaInstitución.Respuesta
(17dejuniode1993)
AcontinuaciónexpongoaSuSeñoría,enrespuestaasu
preguntaescrita,lasinformacionesquepide:
1.En1978losJefesdeAdministración (Consejo,Comi
siónyComitéEconómicoySocial)confiaronlagestión
delcomplejodeportivositoenOverijseaunaasociación
internacionaldenominada «EuropaClub».Lasinstitu
cionessecomprometieron aentregarcadaañouna
subvenciónparafuncionamiento.
LassubvencionesdesembolsadasporelConsejofueron
lassiguientes:
(enfrancosbelgas)PREGUNTAESCRITAN°1245/93
delSr.ErnestGlinne(S)
alConsejodelasComunidadesEuropeas
(18demayode1992)
(93/C195/103)
1978
1979
1980
1981
1982
1983
1984
19851000000
1200000
1300000
1400000
1400000
1200000
1350000
1350000Asunto:Imposicióndecandidatosenlosnombramientos
dealtonivelenlajerarquíadelaComisión
El3demarzode1993,elTribunaldePrimeraInstanciade
LuxemburgoanulódosdecisionesdelaComisióndefecha4
dejuliode1990quenorespetabaneldeberdelaComisión
deprocederconformeadecisionesestatutarias,sinembargo
muyclaras,paracubrirlospuestosvacantesdedirectoresde
gradoA2enlasdireccionesByDdelaDGXIV.ElTribunal
tambiénanulódosdecisionesdelaComisióndefecha11de
juliode1990,porlasquenombrabaadosdirectoresenlos
mismospuestoscomoconsecuenciadeacuerdospreestable
cidos,almenosdeformatácita,quehabíanoriginado
reservasilegalesaraízdelaintervencióndedosGobiernos.
Sinembargo,laComisiónnopodíadesatenderprecedentes
comolasentenciadelTribunalde7defebrerode1990
(C-343/87).
Estecomportamiento delaComisióndalaimpresión,como
señala«TheEconomist»del10demarzode1993,deque
«laimposicióndecandidatos«y«elequilibriogeográfico»
primansobrelascualificacionesendeterminadosnombra
mientosdealtonivel.
¿QuéconclusionesextraeelConsejodelassentencias
dictadasel3demarzoporelTribunaldePrimeraInstancia
deLuxemburgo ,respectodeunadespolitización yuna
desnacionalización muchomayor,enloposible,delas
funcionesadministrativas superioresqueseejercenenlos
órganosejecutivoscomunitarios ?En1985,laAsociaciónEuropaClubsedisolvió
voluntariamente.
2.En1986secreólaJuntaDirectivadelCentroInterins
titucionalEuropeode.Overijse.Enlafinanciacióny
explotacióndelCentroparticipanelComitéEconómico
ySocial,laComisión,elConsejoyelParlamento
Europeo.LassubvencionesdesembolsadasporelCon
sejo,basadasenloscréditosasignadosporlaAutoridad
Presupuestaria ,hansidolassiguientes:
(enecus)
1986
1987
1988
1989
1990
1991
1992
199328000
30000
31500
24000
31500
53000
4000
4000Respuesta
(11dejuniode1993)
ElConsejoponederelievequelasentenciadictadael3de
marzode1993porelTribunaldePrimeraInstanciaenel
asuntoT-58/91noafectaalConsejosinoalaComisión.En
virtuddelEstatutodelosfuncionarios ,cadaInstitución
determinalasautoridadesqueejercenensusenolospoderes
conferidosalaautoridadfacultadaconelpoderde
nombramiento .ElConsejonotienecompetenciaspara
interferirenelejerciciodedichospoderesenlaComi
sión.3.Laclavederepartodelassubvencionesporinstitución
estácalculadasegúnelnúmerodefuncionariosdestina
dosenBruselaseincluidosenplantilla.
Ejemplo:ParticipacióndelConsejoenelpresupuesto :
1989:16,77%
1991:15,57%
1992:15,40%
1993:15,04%
Estecriteriopuedeconsiderarseobjetivo.
N°C195/56 DiarioOficialdelasComunidadesEuropeas 19.7.93
PREGUNTA ESCRITAN°1424/93
delaSra.WinifredEwing(ARC)
alConsejodelasComunidadesEuropeas
(9dejuniode1992)
(93/C195/104)2.Elartículo162(])delTratadodeAdhesióndispone
queelConsejodecidirá,conarregloalprocedimiento
previstoenelartículo43delTratadoCEE,antesdel31de
diciembrede1993,sobrelabasedeuninformequela
ComisiónacabadepresentaralConsejorelativoalas
adaptacionesdelasmedidasprevistasenelartículo158,
primerpárrafodelapartado2delartículo159,yaparta
dos1,2y3delartículo161,incluyendolasrelativasal
accesoazonasdistintasdelasmencionadasenelapartado1
delartículo158.Dichasmedidasdeberánsurtirefectoel1
deenerode1996yseránválidashastafinalesdel2002.
3.ElConsejorecuerdaaSuSeñoríaqueelrégimende
accesolimitadoestablecidoporelartículo6delReglamento
(CEE)n°170/83dejódeproducirsusefectosel31de
diciembrede1992.Eraenconsecuencianecesarioqueel
Consejodecidierasobreelrégimenqueseguiríaapartirdel1
deenerode1993.ComoSuSeñoríadebesindudasaber,el
Consejohaaprobadodenuevoporalmenosotrosdiezaños
elrégimendeaccesolimitadoexistenteenvirtuddel
artículo6delReglamento (CEE)n°3760/92delConsejode
20dediciembrede1992,porelqueseestableceunrégimen
comunitariodelapescaylaacuicultura (2).
4.Elacervocomunitario ,talcomoserecogeenel
Reglamento (CEE)n°170/83,esmantenidoporelRegla
mento(CEE)n°3760/92.Lasposiblesadaptacionesdel
régimentransitorioquesecontemplanenelsegundo
párrafodelarespuesta,noafectanaesteacuerdocomuni
tarioquefueaceptadoporEspañayPortugalasuentradaen
laComunidad.
5.ElConsejocree,comosedeclaraenelúltimo
considerandodeestenuevoReglamentobásicoque,debido
alnúmeroyalacomplejidaddelasmodificaciones que
debenrealizarse,eranecesarioderogarysustituirelRegla
mento(CEE)n°170/83alcanzandotambiéndeestamanera
unamayortransparencialegislativa.Asunto:AnulacióndelReglamento (CEE)n°170/83del
Consejo(PolíticaComúndePesca)
¿PuedeelPresidenteenejercicioconfirmarsisedebería
tomarunadecisióndeconformidadconelprocedimiento
previstoenelartículo236delTratadoCEEconelfinde
modificarelrégimentransitoriosobrepescaqueseestable
cióenelActadeadhesióndeEspañayPortugal?
¿PuedeelPresidenteenejercicioconfirmarsiladecisiónde
ponerfinalrégimentransitoriosobrepescaanteriormente
mencionado7añosantesdelafechaprevistaoriginaria
menteporlosfirmantesdelTratadodeadhesiónencuestión
vaasignificaruna«modificación »delrégimendeadhesión
encuestiónynoun«ajuste»?
¿PuedeelPresidenteenejercicioconfirmarsilaintenciónde
loslegisladoresoriginarioseraclaramentequelosacuerdos
establecidosenelartículo6delReglamento (CEE)n°170/
83delConsejo0)siguieranvigenteshastafinalesdelaño
2002enelcasodequenoserealizaraun«ajuste»(dentrolos
límitesimpuestosporlanecesidaddetenerencuentael
apartado1delartículo1dedichoReglamento),como
resultadodeunadecisiónadoptadaporelConsejode
conformidadconelartículo43delTratadoCEE,antesde
finalesde1992?
¿PuedeelPresidenteenejercicioconfirmarsiloslegisladores
originariosteníanclaramentelaintencióndequelarevisión
delrégimentransitoriodepescaestablecidoenelActade
adhesiónsellevaraacaboenelmarcodelacervocomuni
tario?
¿EstádeacuerdoelPresidenteenejerciciodelConsejoen
quelapropuestadelaComisióndeanularelreglamento
básicodelapolíticacomúndepescacarecedelatranspa
rencianecesariaentodalalegislacióncomunitaria ?(J)ParaEspaña;véaseartículo350paraPortugal.
(2)DOn°L389de31.12.1992.
í1)DOn°L24de27.1.1983,p.1.PREGUNTA ESCRITAN°1435/93
delosSres.DimitriosPagoropoulos (S)
yAlexandrosAlavanos(CG)
alConsejodelasComunidadesEuropeas
(9dejuniode1992)
(93/C195/105)Respuesta
(9dejuniode1993)
1.Elartículo6delTratadodeAdhesióndeEspañay
Portugaldisponeque:«LasdisposicionesdelapresenteActa
nopodrán,amenosqueéstadispongaotracosa,ser
suspendidas,modificadasoderogadasporprocedimientos
distintosdelosprevistosenlosTratadosoriginariosparala
revisióndedichosTratados».
Deacuerdoconello,lasdisposicionesdelcapítulo4dela
cuartapartedelTratadodeAdhesiónrelativasalapesca
podránsermodificadasúnicamentedeacuerdoconlas
disposicionesdelartículo6delTratado.Asunto:Elaccidentemortalen«PetrolaHelias»enElefsina
ylascarenciasenlaaplicacióndelDerecho
comunitarioyensucontrol
Enenerode1990,laComisióndePeticionesinicióel
examendelapeticiónn°411/89,presentadaporel
«MovimientoEcológicodelosCiudadanosdeElefsina»,
contralaautorizaciónparaampliarlasinstalacionesde
«PetrolaHelias»que,segúnelpeticionario,había,sido
N°C195/5719.7.93 DiarioOficialdelasComunidadesEuropeas
concedidainfringiendolalegislacióngriegaylacomunitaria
eimplicabagravesriesgosdeaccidente.
DelasrespuestasfacilitadasporlaComisión,alaque,de
conformidadconelartículo129delReglamento,sepidió
quefacilitaseinformación,sededucequelasdirectivas
comunitariasrelativasaestamateria,yenparticularla
Directiva82/501/CEEi1),denominadageneralmenteDirec
tiva«Seveso»,concebidaparaevitarlarepeticiónde
accidentessimilaresaldeSeveso,noseaplicabancorrecta
menteenGrecia.El1deseptiembrede1992tuvolugaren
lasinstalacionesde«PetrolaHelias»ungraveaccidenteque
ocasionó14muertosy20heridos.
Alaluzdeesteacontecimiento ,quedaclaramentede
manifiestolafaltadeeficaciaenelcontroldelaaplicaciónde
lasdisposicionesdelDerechocomunitarioenmateriade
medioambiente,especialmenteporloquerespectaala
Directiva82/501/CEE(Directiva«Seveso»).
¿ConsideraelConsejosatisfactoriaunasituaciónenlacual,
segúnlasinformacionesfacilitadas,ydesgraciadamente
confirmadasporloshechos,noserespetanlasobligaciones
quesederivandelalegislacióncomunitaria ?
¿CómocreeelConsejoquelaComisiónpuedeejercerel
controlprevistoporelartículo155delTratadoCEEsin
disposerdelosmediosadecuadosysinlacooperacióndelos
Estadosmiembros?
(MDOn°L230de5.8.1982,p.1.Respuesta
(9dejuniode1993)
ElConsejorecuerdaaSusSeñoríasque,envirtuddel
artículo155delTratadoCEE,escompetenciadela
Comisiónelvelar«porlaaplicacióndelasdisposicionesdel
presenteTratado,asícomodelasdisposicionesadoptadas
porlasinstitucionesenvirtuddeestemismoTratado».
Entreestasúltimasdisposicionessecuentanlascontenidas
enlasDirectivasadoptadasporelConsejo,cuyocumpli
mientocorrespondegarantizaralosEstadosmiembros.El
controlqueejercelaComisión,quepuederecurriral
TribunaldeJusticiaenvirtuddelartículo169delTratado,
debereferirseadichaejecución.
Porotraparte,elConsejorecuerdaaSusSeñoríasqueel
artículo171delTratadoconstitutivodelaComunidad
Económica,conlasmodificaciones introducidasporel
TratadodelaUniónEuropea,prevélaposibilidaddequeel
TribunaldeJusticiasancioneaunEstadomiembroconel
pagodeunacantidadatantoalzadoodeunacuantía
periódicadepenalización,cuandoelTribunalobservaque
dichoEstadonohacumplidounasentenciaenlaquese
establecequehaincumplidounadelasobligaciones
derivadasdelTratado.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/58
PREGUNTAS ESCRITASSINRESPUESTA(*)
(93/C195/106)
Estalistasepublicaenconformidadconelapartado3delarticulo62delReglamentodelParlamento
Europeo:«Sepublicarán,asimismo,enelDiarioOficialdelasComunidadesEuropeas,laspreguntas
quenohubieranrecibidorespuestadelaComisiónenelplazodeunmes,odelConsejoodelos
ministrosdeAsuntosExterioresenelplazodedosmeses.»
N°539/93delSr.SotirisKostopoulos (NI)alaComision
(10.3.1993)N°510/93delSr.SotirisKostopoulos (NI)alaComision
(10.3.1993)
Asunto:Elsectordelcueroylapieltraslasnegociacionesdel
GATT
N°511/93delSr.SotirisKostopoulos (NI)alaComisión
(10.3.1993)
Asunto:LadonacióndesangreenlaComunidad
N°512/93delSr.SotirisKostopoulos (NI)alaComisiónAsunto:Bandasdefrecuenciasentelecomunicaciones
N°541/93delSr.SotirisKostopoulos (NI)alaCooperación
PolíticaEuropea(10.3.1993)
Asunto:Aplicacióndelasnormasdelderechohumanitarioenel
territoriodelaantiguaYugoslavia
(10.3.1993)N°550/93delosSres.GiuseppeMottola(PPE),MarioForte(PPE),
GerardoGaibisso(PPE)yLorenzoDeVitto(PPE)alaComisión
Asunto:DesviacióndelcaucedelríoAqueloo
N°513/93delSr.SotirisKostopoulos (NI)alaComisión(10.3.1993)
(10.3.1993)Asunto:Realizacióndelaeropuertointercontinental deNápoles
N°551/93delSr.PanayotisRoumeliotis (PSE)alaComisión
(10.3.1993)Asunto:LasavessilvestresenlaComunidad
N°518/93delSr.SotirisKostopoulos (NI)alaComisión
(10.3.1993)
Asunto:SituacióndelosmitilicultoresdePierra
N°521/93delSr.SotirisKostopoulos (NI)alaComisiónAsunto:Problemasenlasexportacionesdemejillonesgriegos
N°552/93delSr.MihailPapayannakis (NI)alaComisión
(10.3.1993)
(10.3.1993)Asunto:SondeosalolargodelríoKifisós(Beocia)
N°555/93delSr.LlewellynSmith(PSE)alaComisión Asunto:ConferenciaMundialdeDerechosHumanos -
N°523/93delSr.SotirisKostopoulos (NI)alaComisión (10.3.1993)
(10.3.1993) Asunto:Confidencialidad deladocumentación
N°556/93delaSra.LauraGonzálezÁlvarez(NI)alaComisiónAsunto:Lasituacióndelosniñosenlospaísesendesarrollo
N°524/93delSr.SotirisKostopoulos (NI)alaComisión
(10.3.1993)(10.3.1993)
Asunto:ElinformeBraun
N°558/93delSr.FlorusWijsenbeek (LDR)alaComisiónAsunto:Elnacimientodeniñosanoftalmosenciertasrégionesde
GranBretaña
N°525/93delSr.SotirisKostopoulos (NI)alaComisión (10.3.1993)
(10.3.1993) Asunto:Líneasmarítimasdetransportedecontenedoresenlas
zonascongranintensidaddetráficomarítimo
N°559/93delSr.GerardoFernández-Albor (PPE)alaComisiónAsunto:Lagarantizacióndeunmismoniveldeproteccióndela
seguridadylasaludentodoslosramosindustrialesytodoslas
actividadesprofesionalesdeGrecia
N°527/93delSr.SotirisKostopoulos (NI)alaComisión(10.3.1993)
Asunto:MapaturísticoGalicia-NortedePortugal
(10.3.1993)N°560/93delSr.CarlosRoblesPiquer(PPE)alaComisionAsunto:Accidentesautomovilísticos
N°533/93delSr.SotirisKostopoulos (NI)alaComisión(10.3.1993)
(10.3.1993)Asunto:Legalidaddelapráticadel«millage»comomediode
promocióndel«marketing»eneltransporteaéreo
N°561/93delSr.CarlosRoblesPiquer(PPE)alaComisiónAsunto:ElfuturodelosescritoresenEuropa
N°534/93delSr.SotirisKostopoulos (NI)alaComisión
(10.3.1993)
Asunto:CreacióndenuevasobrasculturalesenlaComunidad
N°537/93delSr.SotirisKostopoulos (NI)alaComisión(10.3.1993)
Asunto:Vigenciadelaplacaturísticaenalgunosautomóvilesde
determinadospaísesmiembros
N°567/93delaSra.ChristineOddy(PSE)alaComisión (10.3.1993)
(15.3.1993)
Asunto:Metro-Freight
N°568/93delaSra.ChristineOddy(PSE)alaComisiónAsunto:Ladecisiónministerialgriegan°69269/90ylaDirectiva
delaCErelativaalaevaluacióndelasrepercusionesmedioam
bientales
N°538/93delSr.SotirisKostopoulos (NI)alaComisión
(10.3.1993)
Asunto:Políticacomunitariasobrelaszonascosteras(15.3.1993)
Asunto:Contraste
('*)Sepublicaránlasrespuestasunavezquelainstituciónaludidahayarespondido.EltextointegraldeestaspreguntassehapublicadoenelBoletíndelParlamento
Europeo(nos8/C-93a15/C-93).
N°C195/59
19.7.93DiarioOficialdelasComunidadesEuropeas
N°569/93delSr.JohnBird(PSE)alaComisión(15.3.1993)
Asunto:Tarjetaeuropeadearmasdefuego
N°571/93delSr.VirginioBettini(V)alaComisión
(15.3.1993)
Asunto:Financiacióncomunitariaenestudioparalarecuperación
delcentrohistóricodePalermo
N°576/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:LamodificacióndelReglamento (CEE)n°2052/88
N°578/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:Elresurgimientodelnacionalismoydelnazismoen
Europa
N°580/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:Lassustanciaspeligrosasparalasaludquecirculanenel
mercado
N°581/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:LasregionesforestalesincendiadasdelaComunidad
N°582/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:Labotellaconhidracinatóxicacaídaalmarenlaregiónde
lasEspóradasdelNorte
N°583/92delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:LaerosióndelascostasdeKiato
N°585/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:EstacióndepuradoraenMegara
N°586/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:Lasprivatizaciones enAlemania
N°587/93delSr.SotirisKostopoulos (NI)alaComisión
(15.3.1993)
Asunto:PielesycuerospreparadosenlaComunidad
N°589/93delSr.SotirisKostopoulos (NI)alConsejo
(15.3.1993)
Asunto:Salvaguardiadelaslenguasclásicaseuropeas
N°594/93delSr.Jean-PierreRaffin(V)alaComisión
(15.3.1993)
Asunto:Toxicidaddelpiralenoydelosproductosderivadosdesu
combustión
N°600/93delaSra.HiltrudBreyer(V)alaComisión
(16.3.1993)
Asunto:Ayudasestatalesalcarbónyalaenergíanuclear
N°601/93delSr.JoséValverdeLópez(PPE)alaComisión
(16.3.1993)
Asunto:PlandeactuacióndelGobiernoespañolenelentornodel
ParquedeDoñana
N°602/93delSr.JoséValverdeLópez(PPE)alaComisión
(16.3.1993)
Asunto:DenunciasalGobiernoespañolporincumplimiento dela
legislacióncomunitariaenelParquedeDoñanaN°603/93delSr.BenFayot(PSE)alaComisión(16.3.1993)
Asunto:AcessodelasPYMEalascontratacionespúblicasy
privadasenBélgicayFrancia
N°604/93delSr.IñigoMendezdeVigo(PPE)alaComisión
(16.3.1993)
Asunto:DeclaracionespúblicasdelMinistrodeEconomíay
Hacienda,Sr.Solchaga
N°614/93delosSres.CristianaMuscardini(NI),PietroMitolo
(NI),MarioMelis(ARC),SotirisKostopoulos(NI),FranzSchön
huber(NI),PierreCeyrac(DR)yBrunoGollnisch(DR)alConsejo
(16.3.1993)
Asunto:Sistemaelectoralypluralismodemocrático
N°615/93delSr.MadronSeligman(PPE)alaComisión
(16.3.1993)
Asunto:ProyectodedirectivasobrelarecuperacióndelV.O.C.
ISSN0257-7763
C195 DiarioOficial
delasComunidadesEuropeas36°año
19dejuliode1993
Edición
enlenguaespañolaComunicaciones einformaciones
Númerodeinformación Sumario Página
IComunicaciones
ParlamentoEuropeo
Preguntasescritasconrespuesta
N°2047/90delSr.GijsdeVriesalaComisión
Asunto:ImpuestofederalespecíficosobreelconsumoenlosEstadosUnidos(Respuesta
complementaria ) 1
N°462/92delSr.MihailPapayannakis alaComisión
Asunto:Incumplimiento delaDirectivarelativaalmantenimiento delosderechosdelos
trabajadoresencasodetraspasodeempresas(Respuestacomplementaria ) 293/C195/01
93/C195/02
93/C195/03 N°643/92delSr.EdwardMcMillan-Scott alaComisión
Asunto:ImpuestosaplicadosalosresidentesextranjerosenEspaña 2
93/C195/04 N°732/92delSr.LuigiMorettialaComisión
93/C195/05Asunto:FaltadecomunicaciónporpartedeItaliadelasmedidasnacionalesdeejecuciónde
directivasenmateriadepolíticasocialyempleo 3
N°1132/92delSr.HermanVerbeekalaComisión
Asunto:Envíoporcorreodemicroorganismos manipuladosgenéticamente 3
N°1340/92delSr.CarlosRoblesPiqueralaComisión
Asunto:PolémicacientíficasobrelaenfermedaddeAlzheimer 493/C195/06
93/C195/07 N°1551/92delSr.JaakVandemeulebroucke alConsejo
93/C195/08Asunto:Interpretacióndelaaplicacióndelprotocolosocial 4
N°1621/92delSr.JoaquimMirandadaSilvaalaComisión
Asunto:Insuficienciasdelapolíticamedioambiental yviolacióndelasnormasenlamateria5
N°1802/92delSr.DieterRogallaalaComisión
Asunto:PolíticaforestaldelCanadá 693/C195/09
Precio:18ecus (continuaciónaldorso)
Númerodeinformación Sumario(continuación) Pagina
93/C195/10
93/C195/11
93/C195/12
93/C195/13
93/C195/14N°1811/92delSr.JoséMendesBotaalaComisión
Asunto:Proyectosportuguesesaprobadosenelámbitodel«ProgramaCiencia» 8
N°1887/92delaSra.Marguerite-Maria DinguirardalConsejo
Asunto:RelacionesCEE-Marruecos 8
N°1984/92delaSra.DorisPackalaComisión
Asunto:SituacióndelosartistasenlasCEE 9
N°2146/92delSr.FriedrichMerzalaComisión
Asunto:Licitacionesparalaamplicacióndelaredferroviariaitaliana 10
N°2237/92delaSra.RaymondeDuryalaComisión
Asunto:AcuerdotextilconVietnam 10
N°2312/92delSr.CarlosRoblesPiqueralaComisión
Asunto:CelebraciónenGaliciadeEuropartenariat-93 10
N°2507/92delSr.SotirisKostopoulosalaComisión
Asunto:Contaminación atmosféricaenAtenas 11
N°2532/92delSr.Karl-HeinzFlorenzalaComisión
Asunto:TráficoderesiduosenEuropa 12
N°2540/92deLordO'HaganalaComisión
Asunto:ConsejeríasdeturismoenelReinoUnido 1293/C195/15
93/C195/16
93/C195/17
93/C195/18
93/C195/19 N°2543/92delSr.GiuseppeMottolaalaComisión
93/C195/20
93/C195/21
93/C195/22
93/C195/23
93/C195/24Asunto:Produccióndebiocombustibles —ConstruccióndediezfábricaspilotoenEuropa...13
N°2597/92delaSra.MaryBanottialaComisión
Asunto:RespuestadelaComisiónalinformeFayot/Schnizel 14
N°2599/92delaSra.MaryBanottialaComisión
Asunto:Competenciaenelmercadodelosmediosaudiovisuales 14
N°2636/92delSr.FrancosGuillaumealaComisión
Asunto:Importacióndebicicletasprocedentesdelsudesteasiático 15
N°2659/92delSr.JaakVandemeulebroucke alaComisión
Asunto:Cuartoprogramadeacciónenmateriademedioambiente 16
N°2709/92delSr.GeneFitzgeraldalaComisión
Asunto:ReunionespúblicasdelaComisión 16
N°2778/92delSr.SotirisKostopoulosalaComisión
Asunto:ElArcodeGalerio(Camara)Salónica 16
N°2790/92delSr.FreddyBlakalaComisión
Asunto:AyudasestatalesalosastillerosdelaantiguaRDA 17
N°2792/92delSr.FreddyBlakalaComisión
Asunto:AyudasestatalesalosastillerosdelaantiguaRDA 18
N°2795/92delSr.MihailPapayannakis alaComisión
Asunto:DesviacióndeaguasdelríoAqueloo 18
N°2800/92delSr.Jean-PierreRaffinalaComisión
Asunto:ViolaciónporpartedeGreciadelaDirectivarelativaalaconservacióndelasaves
silvestres 1993/C195/25
93/C195/26
93/C195/27
93/C195/28
93/C195/29
Númerodeinformación Sumario(continuación) Página
93/C195/30 N°2839/92delSr.AlexandrosAlavanosalaComisión
Asunto:Escándaloenelsectordelaceitedeolivagriego 19
93/C195/31 N°2891/92delSr.JanBertensalaComisión
Asunto:Violacióndelderechoalalibertaddeestablecimiento ydelalibreprestacióndeserviciosen
perjuiciodepropietariosdebarracasferialesnoalemanesenAlemania 20
93/C195/32 N°2894/92delSr.GerardoGaibissoalaComisión
Asunto:TrabajosdeconstruccióndeedificiosdestinadosalasinstitucionesdelaComunidad
Europeaadjudicadosalaempresa«COGEFERIMPRESIT»,sometidaainvestigaciónjudicialen
Italia 21
93/C195/33 N°2899/92delSr.CesareDePiccolialaComisión
Asunto:CierredelafábricaAlucentrodePortoMarghera 21
93/C195/34 N°2933/92delSr.SotirisKostopoulosalaComisión
Asunto:ElnuevorégimendeexplotacióndecanterasenGrecia 22
93/C195/35 N°2935/92delSr.SotirisKostopoulosalaComisión
Asunto:Establecimiento deuncatastroenGrecia 22
93/C195/36 N°2936/92delSr.SotirisKostopoulosalaComisión
Asunto:RenovacióndelareddesuministrodeaguaenelmunicipiodePortaría(provinciade
Magnisia) ¿5
93/C195/37 N°2952/92delSr.SotirisKostopoulosalaComisión
Asunto:LatragediadelosniñosenBosnia-Herzegovina 23
93/C195/38 N°2968/92delSr.SotirisKostopoulosalaComisión
Asunto:Lasubvenciónalaempresanormalizadora delsectordelaceite«Eleoparagoyikí Eladas
Z.A.Tambara» 24
93/C195/39 N°2987/92delSr.JoséValverdeLópezalaComisión
Asunto:VertidosdelacompañíamercantilSolvayyCía.enlaplayadeUsgo 24
93/C195/40 N°3021/92delSr.JoséLafuenteLópezalaComisión
Asunto:Medidascomunitariascontralacontaminación sonora.: 25
93/C195/41 N°3025/92delSr.FlorusWijsenbeekalaComisión
Asunto:Transportetransfronterizo depasajeros 25
93/C195/42 N°3090/92delSr.JoséValverdeLópezalaComisión
Asunto:EstudiosdeviabilidaddelfuturotúnelenelEstrechodeGibraltarentreMarruecosy
España 26
93/C195/43 N°3096/92delSr.MauroChiabrandoalaComisión
Asunto:IncorporaciónporpartedeItaliadelaDirectivarelativaalaprevencióndelautilización
delsistemafinancieroparaelblanqueodecapitales 26
93/C195/44 N°3105/92delosSres.VirginioBettiniyGianfrancoAmendolaalaComisión
Asunto:CazadeavesenPontida(Bérgamo)enLombardía—Italia 26
93/C195/45 N°3116/92delSr.MaxSimeonialaComisión
Asunto:Balanceecológicodeloscombustiblesbiológicos 27
93/C195/46 N°3173/92delSr.SotirisKostopoulosalaComisión
Asunto:EldeltadelríoIlisoenelÁtica. Noobstante,elConvenioseaplicaalimpuestosobre
consumosespecíficosquegravalasprimasdeseguros
abonadasaaseguradoresextranjerossóloenlamedidaen
quelosriesgoscubiertosporestasprimasnoesténreasegu
radosconunapersonaoempresaquenotengaderechoa
acogerseaunconveniodeexencióndedichoimpuesto.
OtrosconvenioscelebradosentreEEUUyalgunosEstados
miembros (Dinamarca,España,Francia,ItaliayelReino
Unido)contienendisposicionessimilares.
ElConvenioestablecelaexencióndelasprimasabonadas
sobrelabasedecontratosdeseguroscelebradosentreuna
personaoempresaresidenteenEEUUyunacompañíade
segurosalemanaquenoestéestablecidaconcarácter
permanenteenEEUU.Estaexenciónfiscalcontribuyede
estemodoalasupresióndeunabarreraalaprestaciónde
serviciosdesegurosporpartedelasempresasalemanas.En
lamedidaenqueseconsiderequelasnormasfiscalesno
entrandentrodelámbitodeaplicacióndelartículo113del
TratadoCEEperoformanpartedelapolíticafiscalquelos
Estadosmiembrospuedanadoptar,nohaynadaque
objetar,deconformidadconelDerechocomunitario,con
respectoalaconcesióndeunaexencióndeestetipopor
partedeunEstadomiembro.Porlotanto,lalimitacióndela
exenciónalascompañíasdesegurossujetasalimpuestode
sociedadesenAlemania—esdecir,alasempresasalemanas,
perotambiénalassucursales(establecimientos permanen
tes)deempresasextranjeras—noesincompatibleconel
Derechocomunitario .Asunto:Impuestofederalespecíficosobreelconsumoen
losEstadosUnidos
UnaempresaconsedeenlosEstadosUnidosounapersona
residenteendichopaísquedeseecontratarunsegurocon
unacompañíafueradelosEEUUdeberápagarunimpuesto
federalespecíficosobreelconsumodeun4%sobrela
prima.Elimpuestonosedeberápagarenelcasodequela
compañíadesegurosnoestadounidense estéestablecidaen
losEEUUyhayasidoreconocidacomocompañíaautori
zada,oenelcasoenqueexistauntratadoentrelosEstados
Unidosyelpaísdelasededelacompañíadeseguros
extranjera,siemprequeestetratadocontempleunaexen
cióndelimpuestoespecíficosobreelconsumo.
LosEstadosUnidostienenenlaactualidadtratadosque
incluyenunaexencióndelimpuestoespecíficosobreel
consumoconBélgica,Dinamarca,Francia,ItaliayelReino
Unido.LosEEUUtienenasimismotratadosqueno
contienendichaexenciónconGrecia,Irlanda,Luxemburgo
ylosPaísesBajos.Seestápreparandountratadoconla
RFA.
1.¿EstádeacuerdolaComisiónenqueladiversidadde
tratadosbilateralespuedeactuarcomoobstáculoala
prestacióndeserviciosporpartedeempresaseuropeas
enlosEstadosUnidos,unodelosmayoresmercados
mundialesenelsectordelosseguros?
2.¿EstaríadispuestalaComisiónaintentarobtenerun
mandatodelConsejoconelfindenegociaruntratado
conlosEstadosUnidosquecontemplelaexenciónpara
elimpuestoespecíficosobreelconsumoparalosseguros
contratadosporempresasociudadanosestadouniden
sesconcompañíasdesegurosestablecidasenlaComu
nidadEuropea?
N°C195/2 DiarioOficialdelasComunidadesEuropeas19.7.93
paraquelostrabajadoresnoseveanafectadosensus
derechoslegales?
2.¿CuálfuelareaccióndeGreciaaldictamenmotivado
quelecomunicólaComisiónyquéaccionesejercióel
Gobiernogriegoalrespectoconposterioridad ?Laotracondición,segúnlacuallosriesgos,paraacogerseal
Convenio,sólopuedenestarreaseguradosconcompañías
establecidasenAlemania,enEEUUoencualquieradelos
EstadosconlosquesehayaacordadolaexencióndelFET,
significaquelaexenciónnoseaplicarásielreaseguronose
contrataconunaempresadeunEstadobeneficiario .Esta
condiciónseaplicaríafundamentalmente alassucursaleso
filialesdeempresas(matrices)establecidasenunEstadono
beneficiario .Porconsiguiente,lasdisposicionesdelConve
niopodríanconstituirunadiscriminaciónconrespectoalas
compañíasdereaseguroestablecidasenunEstadono
beneficiarioqueseamiembrodelaComunidad .LaComi
siónvaaexaminarconmásdetalleestosaspectosy,ensu
caso,adoptarálasmedidaspertinentesparagarantizarel
complimientodelDerechocomunitario.
(!)DOn°C98de15.4.1991.(!)DiarioOficialgriegon°206de24.12.1991.
(2)DOn°L61de5.3.1977,p.26.
Respuestacomplementaria delSr.Flynn
ennombredelaComisión
(2deabrilde1993)
Enrelaciónconsurespuestade22demayode1992I1),la
Comisiónestáahoraencondicionesdefacilitarlasiguiente
informaciónadicional.
LaComisiónhaexaminadolacompatibilidad delaley
griegan°2000sobreprivatizaciónysimplificacióndelos
procedimientos deliquidaciónyelreforzamientodela
normatiyasobrecompetencia,yenconcretosusartículos5,
6,7,8y9,conlaDirectiva77/187/CEEdelConsejosobre
traspasodeempresas,decentrosdeactividadodepartesde
centrosdeactividad.LaComisiónconsideraque,en
términosgenerales,laleyanteriormentemencionadano
parecesercontrariaalaDirectiva.
(!)DOn°C285de3.11.1992.PREGUNTA ESCRITAN°462/92
delSr.MihailPapayannakis (GUE)
alaComisióndelasComunidades Europeas
(9demarzode1992)
(93/C195/02)
PREGUNTA ESCRITAN°643/92
delSr.EdwardMcMillan-Scott (ED)
alaComisióndelasComunidadesEuropeas
(23demarzode1992)
(93/C195/03)Asunto:Incumplimiento delaDirectivarelativaalmante
nimientodelosderechosdelostrabajadoresen
casodetraspasodeempresas
ElGobiernogriegopublicóel24dediciembrede1991laley
n°2000sobrelaprivatización ,simplificación delos
procedimientos deliquidación,reforzamientodelasnormas
sobrelacompetenciayotrasdisposiciones (*).Dadoque:
—enlosartículos5,6,7,8,9(modosyformasde
privatización )seomitenmedidasrelativasalmanteni
mientodelosderechosdelostrabajadoresencasode
traspasodeempresasodepartesdeempresas;
—seeludenimportantesdisposicionesdelaDirectiva
77/187/CEE(2)queserefierenalaproteccióndelos
trabajadores ;
—en1988,elentoncesComisariodeAsuntosSociales,Sr.
Marín,habíadeclaradoque:«...laRepúblicaHelénica
nohatraspuestocorrectamentelaDirectiva77/187/CEE
asulegislaciónysehaentabladoprocedimientopor
incumplimiento contraGrecia.Eldictamenmotivadode
laComisiónsecomunicóalaRepúblicaHelénicael8de
febrerode1988.SiGrecianoadoptaenbrevelegislación
acordeconlaDirectiva,eltribunaldecidirá,enelmarco
delprocedimientoquehaentabladolaComisión,sobre
elcarácterconformedelalegislaciónvigenteconla
citadaDirectivadelConsejo»;
1.¿QuéopinalaComisiónsobrelasdisposicionescorres
pondientesdelaleyn°2000yquémedidaspiensatomarAsunto:Impuestosaplicadosalosresidentesextranjerosen
España
¿TieneconocimientolaComisiónquelalegislaciónespaño
laimponealosresidentesextranjeroslaobligaciónde
designaraunnacionalespañolparaquepaguesusimpues
toslocalesmientrasqueesténausentesdelpaís,yno
representaestasituaciónunaposibleinfraccióndelartícu
lo59delTratado(discriminación porrazonesdenaciona
lidad)?
RespuestadelaSra.Scrivener
ennombredelaComisión
(14deabrilde1993)
LaComisiónconocelasdisposicionesdelalegislaciónfiscal
española,porlasquelaspersonasnoresidentesenEspaña,
esdecir,quenotienensuresidenciafiscalenestepaís,deben
designaraunapersonaquelasrepresenteantelaadminis
traciónfiscalparasusobligacionesfiscales.
Estapersonadebeserunapersonafísicaojurídicacon
residenciaenEspaña,perolalegislaciónespañolano
N°C195/319.7.93 DiarioOficialdelasComunidadesEuropeas
RespuestadelSr.Delors
ennombredelaComisión
(18demayode1993)
ItaliacomunicóalaComisiónlasmedidasnacionalesde
aplicacióndelasDirectivas88/264/CEE,86/188/CEE,
88/35/CEE,75/129/CEE.
EnItaliasehaabiertounprocedimientodeinfraccióncon
arregloalartículo169delTratadoCEEporlano
comunicacióndelasmedidasdeaplicacióndelaDirectiva
86/378/CEE.
LaComisiónnodisponedeinformaciónsobrelosmotivos
delretrasodelaincorporacióndedichaDirectiva.establecequelapersonafísicadebeserunciudadano
español.
SegúnlosdatosdequedisponelaComisión,losno
residentesafectadosporestadisposiciónfiscalsonesencial
mentepersonasconunaresidenciasecundariaenEspaña.
Enefecto,alserpropietariasdeunaresidenciasecundaria,
estánsujetasatrestiposdistintos(impuestossobrelarenta,
impuestossobreelpatrimonio,contribuciónurbana).
VariosciudadanosdelaComunidadhanpresentadodenun
ciasalaComisiónsobrelaobligacióndenombraraun
representantefiscal,quesuponeamenudogastosexcesivos
enrelaciónconlosimpuestosadeudados.Porconsiguiente,
laComisiónsehapuestoencontactoconlasautoridades
españolasparapedirlesqueexaminenlaposibilidadde
sustituirelrecursosistemáticoalrepresentantefiscalpor
procedimientos mássencillosymenoscostososparalos
ciudadanosafectados,especialmente sicumplenconsus
obligacionesfiscales.
LaComisiónrecuerdaquenohayobjecióndeprincipio
contraladesignacióndeunrepresentantefiscal,figuraque
existeenelderechocomunitario .Ahorabien,laobligación
derepresentaciónfiscalconstituyeunarestricciónquedebe
serexaminadaentérminosdeproporcionalidad .LaComi
siónsereservalaposibilidaddepronunciarsecuandahaya
obtenidoexplicacionesdelasautoridadesespañolas.PREGUNTA ESCRITAN°1132/92
delSr.HermanVerbeek(V)
alaComisióndelasComunidades Europeas
(11demayode1992)
(93/C195/05)
PREGUNTA ESCRITAN°732/92
delSr.LuigiMoretti(ARC)
alaComisióndelasComunidades Europeas
(6deabrilde1992)
(93/C195/04)Asunto:Envíoporcorreodemicroorganismos manipula
dosgenéticamente
El25demarzode1992,elperiódico«DeVolkskrant»
publicólosresultadosdeunainvestigaciónrealizadaporel
InstitutoneerlandésdelaViviendaydelaProteccióndel
MedioAmbientesobrelosenvíosporcorreodemicroorga
nismosmanipuladosgenéticamente .Enlamayoríadelos
casos,elembalajenoeseladecuado,porloqueexisteel
riesgodeunaliberaciónincontroladadelcontenidoenel
medioambiente.Dichoinstitutohallegadoaestaconclu
siónsobrelabasedeunainvestigaciónenlaquesepidieron
endistintospaísesmuestrasquefueronenviadaspor
correo.
1.¿PodríafacilitarlaComisiónunaestimacióndela
cantidaddepaquetesconmicroorganismos manipula
dosgenéticamentequesetransportananualmentepor
correoenlaCE(incluidoslosenvíosprocedentesdel
exteriordelaCE)?
2.¿Quérequisitosdeseguridadseexigenenlosdistintos
Estadosmiembrosenloquerespectaalembalajedelos
citadosenvíospostales?¿Incluyentambiénestasdispo
sicioneslaobligacióndehacermencióndelcontenido
delenvío(porejemplo,conlaindicación«riesgo
biológico»)?
3.¿ReconocelaComisiónlosriesgosecológicosquevan
ligadosalenvíodemicroorganismos manipulados
genéticamente ylanecesidaddecontrolarseveramente
dichosenvíos?
4.EnlaDirectiva90/219/CEEdelConsejo,de23deabril
de1990,relativaalautilizaciónconfinadademicroor
ganismosmodificadosgenéticamente i1)seexcluye
explícitamente delasdisposicioneseltransportede
dichosorganimos(artículo5).¿NoconsideralaComi
siónnecesariopreveraeserespectounalegislación
complementaria ?
(MDOn°L117de8.5.1990,p.15.Asunto:FaltadecomunicaciónporpartedeItaliadelas
medidasnacionalesdeejecucióndedirectivasen
materiadepolíticasocialyempleo
Considerandoquelaincorporacióndelasdirectivascomu
nitariasalordenamientolegislativodelosEstadosmiem
brosconstituyeunaobligaciónprimaria;
ConsiderandoqueItaliaacumularetrasosenlaadopciónde
dichasdirectivas;
¿CuálessonlasrazonesaducidasporelGobiernoitaliano
parajustificarlafaltadecomunicacióndelaaplicaciónde
lasDirectivas86/378/CEE(*),88/364/CEE(2),88/188/
CEE(3),88/35/CEE(4)y75/129/CEE(5)?
¿HaenviadolaComisióncartasdeintimaciónalGobierno
italiano,seguidasdedictámenesmotivados?*
(!)DOn°L225de12.8.1986,p.40.
(2)DOn°L179de9.7.1988,p.44.
(3)-DOn°L137de24.5.1986,p.28.
(4)DOn°L20de26.1.1988,p.28.
(5)DOn°L48de22.2.1975,p.29.
N°C195/4 DiarioOficialdelasComunidadesEuropeas 19.7.93
recientepolémicaentrecientíficosnorteamericanos yjapo
nesesapropósitodelaenfermedaddeAlzheimeryde
experimentosconratones,segúnestudiospublicadosenlas
revistasrespetadasNatureyScience?RespuestadelSr.Paleokrassas
ennombredelaComisión
(27deabrilde1993)
LaComisiónnodisponededatossobrelosenvíospor
correodeorganismosmanipuladosgenéticamente ,yaque
noexisteningunanormativacomunitariaqueproporcione
datosenestecampo.Lasnormasexistentesvaríandeun
Estadomiembroaotro,ynoexistendisposicionesarmoni
zadassobreenvaseyetiquetado.
LaComisiónesconscientedelhechodequenoexisten
medidascomunitariassobrelaseguridadduranteeltrans
portedemicroorganismos modificadosgenéticamente ,tales
comodisposicionesmínimassobreenvaseyetiquetado,ya
quenoestánprevistasenlaDirectiva90/219/CEE,relativaa
lautilizaciónconfinadademicroorganismos modificados
genéticamente .Noobstante,existennormasinternacionales
establecidasporlasNacionesUnidasensus«Recomenda
cionessobreeltransportedemercancíaspeligrosas»,quese
estánrevisandoactualmenteconrespectoalassustancias
infecciosasdelacategoría6.2,paratenerencuentael
progresocientífico,yque,unavezrevisadas,incluiránlos
microorganismos modificadosgenéticamente .Lasrecomen
dacionesseaplicangeneralmenteatodoeltransporte
internacionaldedichosorganismosentreEstadosmiem
bros.Asimismo,esprecisoseñalarque,dentrodesu
programaBRIDGEdeinvestigaciónenbiotecnología,la
ComisiónhaasistidoalCentrodeinformaciónsobre
cultivosenEuropa,consedeenBrunswick(Alemania),enla
elaboracióndelinforme«Instruccionesparaeltrasladode
sustanciasbiológicasinfecciosasynoinfecciosas».
Actualmente,laComisiónestáestudiandolaposibilidadde
presentarunapropuestasobreeltransportedeagentes
biológicosymicroorganismos modificadosgenéticamente ,
asícomodeorganismosquepresentenunriesgoparael
hombre,losanimalesoelmedioambiente.Todavíaqueda
porresolverlacuestióndesidebeincorporarseesteasunto
enunadirectivamarcogeneralrelativaamercancías
peligorsas.Encualquiercaso,todafuturadirectivarelacio
nadaconlaseguridadeneltransportedemicroorganismos
modificadosgenéticamentereflejarálasmedidasestableci
dasporlasNacionesUnidasparaeltransporteinternacio
nal,yaplicadasmediantelanormativamodeloespecífica
paraeltransportedemercancíaspeligrosas.RespuestadelSr.Ruberti
ennombredelaComisión
(5deabrilde1993)
Atravésdepublicacionescientíficas,laComisiónviene
siguiendolapolémicaquemantienencientíficosnorteame
ricanosyjaponeses,enrelaciónconlaenfermedadde
Alzheimer,sobrelapublicaciónderesultadosdeexperimen
tosrealizadosconanimales.
Enrelaciónconestaspublicaciones ,losInstitutosNaciona
lesdeSanidad(INS)estánrealizandounainvestigación
independientesobrelacualseríainoportunoquesepro
nunciaralaComisión,yaqueaúnnohanterminadolos
trabajosdelComitédeinvestigación .Noobstante,la
Comisiónsigueconmuchointeréslasinvestigaciones quese
estánrealizandosobreestetemaenEuropayenelrestodel
mundo.Desde1983,laComisiónfinanciaactividadesde
investigaciónsobredemencias,incluidalaenfermedadde
Alzheimer,atravésdelossucesivosprogramasdeinvesti
gaciónmédicaysanitariadelaComunidadEuropea.En
fechasmásrecientes,laComisiónfinanciódosproyectosde
colaboracióndirectaeindirectamente relacionadosconla
investigaciónsobrelaenfermedaddeAlzheimer,asaber:
—Factoresderiesgodelapatologíasdemenciales .Director
delproyecto:profesorA.Hofman;ErasmusUniversity
MedicalSchool,Rotterdam (NL).
—Cambiosproducidosporlaedadenlascélulasgliales;
estudiosconcultivos.Directordelproyecto:Dr.A.
Vernadakis,«AcademicResearchInstituteofMental
Health»,Atenas(GR)
PREGUNTA ESCRITAN°1551/92
delSr.JaakVandemeulebroucke (ARC)
alConsejodelasComunidadesEuropeas
(15dejuniode1992)PREGUNTA ESCRITAN°1340/92
delSr.CarlosRoblesPiquer(PPE)
alaComisióndelasComunidades Europeas
(5dejuniode1992)(93/C195/07)
(93/C195/06) Asunto:Interpretación delaaplicacióndelprotocolo
social
LaCumbreeuropeadejefesdeEstadoyGobiernoaprobó
enMaastrichtelllamadoprotocolo14sobrelapolítica
social.LosdoceEstadosmiembrosautorizarona11deellos
arecurriralasinstituciones ,procedimientos ydisposicionesAsunto:PolémicacientíficasobrelaenfermedaddeAlzhei
mer
Dadosuinterésparaunaltoporcentajedelapoblación
comunitaria,¿puedelaComisióndarunaopiniónsobrela
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/5
Norte,seránactosdederechocomunitarioporloque
respectaalosonceEstadosmiembrosdequese
trata.
2.ElAcuerdonopuedeconsiderarsecomounacuerdo
interestatalcomparablealdeSchengendebidoaque
dichoacuerdoesanejoaunProtocoloqueformaparte
integrantedelTratadoconstitutivodelaComunidad
Europea,envirtuddesuartículo239.ElProtocolo
establecelautilizacióndelasinstituciones,procedimien
tosymecanismosdeestemismoTratado.Dicho
ProtocoloyelAcuerdomencionadoseentiendensin
perjuiciodelodispuestoenelcapítulodelTratado
relativoalapolíticasocialycuyasdisposiciones
constituyenparteintegrantedelacervocomunitario.
3.LosactosqueadopteelConsejoenaplicacióndel
Acuerdoseránactoscomunitarios enelsentidodel
artículo189delTratadoconstitutivodelaComunidad
EuropeayseaplicaránportantoenlosonceEstados
miembrosconarregloalasnormascomunitarias.
Consecuentemente ,noseplantealacuestióndela
ratificacióndedichosactosporlosParlamentosnacio
nales
4.5y6.Delasrespuestasalaspreguntasprecedentesse
deducequeelTribunaldeJusticiadesempeñará ,porlo
querespectaalainterpretaciónyaplicacióndelAcuerdo
entrelosonceEstadosmiembrosydelosactosquese
adoptenapartirdelmismo,lafunciónqueleasignael
TratadoconstitutivodelaComunidadEuropea,enlas
condicionesqueésteestablece.Lascompetenciasdel
Tribunalserán,portanto,deplenaaplicación.
7.Puestoqueestapreguntaserefierealoscriteriosque
puedaadoptarlaComisiónparapresentarpropuestasal
Consejo,correspondeadichaInstituciónresponderla .delTratadoafindeaprobaryaplicarlosactosydecisiones
necesariosparalaaplicacióndelacuerdorelativoala
políticasocialanejoalprotocolo.
SepreguntaalConsejo:
1.¿Dependenlosactosderivadosdelacuerdoconcluido
porlos11EstadosmiembrosdelDerechocomunitario
desdeelpuntodevistajurídico?
2.¿Nodebeconsiderarseelacuerdoentrelos11másbien
comounacuerdointerestatalentre11Estados,deltipo
delAcuerdodeSchengen?
3.¿Losactosderivadosdelacuerdocelebradoentrelos11
tienenvalidezjurídicaenlosdiferentesEstadosmiem
brosdeacuerdoconlasnormascomunitarias ,oporel
contrario,debenratificarseporlosParlamentosnacio
nalesantesdeentrarenvigorenlosrespectivosEstados
miembros ?
4.¿CuálserálafuncióndelTribunaldeJusticiaenrelación
conlosactosderivadosdelacuerdodelos11?¿Es
competenteelTribunaldeJusticiaparaexaminarla
legialidaddelosactosderivadosdelacuerdo?
5.¿PodráelTribunaldeJusticiadictarsentenciasen
relaciónconestosactossobrerecursosporincompeten
cia,violacióndelasdisposicionesformalesfundamen
talesoabusodepoder?¿Podránrecurrirlaspersonas
físicasojurídicascontralasdecisionesderivadasdel
acuerdodelos11?
6.¿SerácompetenteelTribunaldeJusticiaparaexaminar
silaaplicacióndelosactosderivadosdelacuerdoselleva
acabocorrectamente enlosrespectivosEstadosmiem
bros?
7.¿EnquécriteriosdeberábasarseelConsejopara
proponeractosrelativosalapolíticasocialyasobrela
basedelTratado,yasobrelabasedelProtocolo14
anexoalacuerdo,alConsejoyalParlamento ?PREGUNTA ESCRITAN°1621/92
delSr.JoaquimMirandadaSilva(CG)
alaComisióndelasComunidades Europeas
(24dejuniode1992)
(93/C195/08)
Respuesta
(15dejuniode1993)
ComoquieraquelapreguntaqueplanteaSuSeñoríatiene
queverconlainterpretación deunprotocoloqueforma
partedeunTratadoquenohaentradoaúnenvigor,la
presenterespuestadelConsejorevisteuncarácterprelimi
nar.Puestoqueademássetratadeinterpretarunacuerdo
celebradoentreonceEstadosmiembros,estarespuesta
expresalaopinióndeesosEstadosmiembros.
1.LosactosqueadopteelConsejoenaplicacióndel
Acuerdosobrelapolíticasocialcelebradoentrelos
EstadosmiembrosdelaComunidadEuropea,aexcep
cióndelReinoUnidodelaGranBretañaeIrlandadelAsunto:Insuficiencias delapolíticamedioambiental y
violacióndelasnormasenlamateria
Habiendosidorecientementeelaboradouninformeporel
diputadoSr.Vernierqueapuntagravesinsuficienciasen
relaciónconlapolíticaportuguesamedioambiental ,en
particular,enrelaciónconelagua,losresiduosyla
proteccióndelanaturaleza;
Considerandoqueelcitadoinformeseñalalaexistenciade
infraccionesdenormasyobligacionescomunitarias ;
Siendociertoqueelgobiernoportuguésniegatalesdatosy
niegaademáselhechodequehayasidopresentadaantelas
institucionescomunitariasunaquejacontraPortugalenlo
relativoalConvenioCITES;
N°C195/6 DiarioOficialdelasComunidadesEuropeas19.7.93
PREGUNTAESCRITAN°1802/92
delSr.DieterRosalia(S)¿TienelaComisiónconocimientodeestasituación?¿Cuáles
sonlasentidadesqueencadaEstadomiembrofacilitanlos
datosparalaelaboracióndeladocumentacióncomunitaria
enmateriademedioambiente?¿TienelaComisióncono
cimientodealgunaquejacontraelEstadoportuguésenel
ámbitodeaplicacióndelConvenioCITES?alaComisióndelasComunidadesEuropeas
(6dejuliode1992)
(93/C195/09)
RespuestadelSr.Paleokrassas
ennombredelaComisión
(30demarzode1993)
LaComisiónnoestáalcorrientedequesehayaproducido
ningunareacciónporpartedelasautoridadesportuguesas
conrespectoalinformeaqueserefiereSuSeñoría.
Diversasdirectivasmedioambientales estipulanquese
informealaComisiónsobrelaaplicacióndesusdisposi
cionesporlosEstadosmiembros.Noobstante,corresponde
alosEstadosmiembrosdicidirsideseanconfiarlarecogida
deestainformaciónaorganismosespecíficos.LaComisión
nodisponedeunalistadetalesorganismos,ynormalmente
estosinformeslelleganatravésdelasRepresentaciones
PermanentesdelosEstadosmiembrosdequesetrate.
Engeneral,enrelaciónconestacuestiónconvienteremitirse
alaDirectiva90/313/CEEdelConsejo,de7dejuniode
1990,sobrelibertaddeaccesoalainformaciónenmateria
demedioambiente(*).
EstaDirectivaestablecequelosEstadosmiembrosharánlo
necesarioparaque,amástardarel31dediciembrede1992,
lasautoridadaspúblicasesténobligadesaponerlainfor
maciónrelativaalmedioambienteadisposicióndecual
quierpersonafísicaojurídicaquelosoliciteysinquedicha
personaestéobligadaaprobaruninterésdeterminado.
Dichasolicitudpodrádenegarseporunaserielimitadade
razonesqueseespecificanenelartículo3delaDirectiva,al
mismotiempoquedebenindicarselasrazonesdela
denegación.
DeconformidadconlaDirectiva,seentiendepor«autori
dadespúblicas»:cualquieradministraciónpúblicaanivel
nacional,regionalolocal,quetengaresponsabilidades y
poseainformaciónrelativaalmedioambiente,conexcep
cióndelosorganismosqueactúenenelejerciciodepoderes
judicialesolegislativos.
Además,elartículo7delaDirectivaprevéquelosEstados
miembrosadoptanlasmedidasnecesariasparafacilitaral
públicoinformacióndecaráctergeneralsobreelestadodel
medioambiente,utilizandomediostalescomolapublica
ciónperiódicadeinformesdescriptivos.
Hastalafecha,laComisiónnoharecibidoningunaqueja
sobrelaaplicacióndelConvenioCITESporPortugal.Asunto:PolíticaforestaldelCanadá
1.¿Sonciertaslasinformacionessegúnlascuales
—lasuperficiedebosquetaladoenelCanadáhaexperi
mentadounincrementodel67%entre1975y1986,
—cada2,5segundossedestruyeenelCanadáunahectárea
debosque,
—sóloel80%delassuperficiestaladasporrepoblado,
—sóloenel55%delasuperficietaladaentrelosaños1985
y1990vuelveagenerarseunbosqueproductivo,
—hastahoyel10%detodalasuperficieforestaldel
Canadá(250000km2)hasidotaladoyabandonadaen
ellalaproducciónforestal,
—enelCanadáelnúmerodeárbolestaladosescuatro
vecessuperioralnúmerodenuevasplantaciones,
—queenleCanadásehapasadoaaprovecharahora
tambiénlasselvasvírgenesborealesparalaproducción
decelulosa,apesardequenopuedegarantizarsela
regeneracióndelbosque?
2.¿Esciertoque
—dosterceraspartesdelapluviselavirgencanadiensehan
sidodestruidasmedianteaccionesdetalaradical,
—decontinuarelritmoacutaldetala,lapluviselvavirgen
canadiensehabrásidotaladaíntegramentedentrode
unos15a20años,yqueelloentrañaráconsecuencias
incalculablesparalapervivenciadeeseecosistema,
—loscultivosdesustituciónson,encomparaciónconla
selvaprimaria,bosquesdeplantaciónpobresenespecies
yestructuras,sujetosatalescompletascada60u80
años,ylamaderaproducidaesdecalidadinferior,
—lossistemasdegestiónforestalaplicadosenlaactualidad
nogarantizanlaconservacióndeladiversidaddela
pluviselvavirgen,
—hastalafechasehacatalogadocomoreservade
pluviselvavirgenenelCanadáunasuperficieabsoluta
menteinsuficiente ,
—enlaszonasdetaladelapluviselvavirgendelCanadá
estánsinesclarecerlosderechosdepropiedadyde
usufructoentrelasnacionesdeindiosyelEstado
canadienseyqueprosigueagranritmolatalamasivaen
laszonasconflictivasapesardelosprocedimientos
judicialesencurso,
—lapluviselvavirgenborealdelnoroestedelcontinente
americanoeselecosistemademayorriquezaenbiomasa
delmundoycuentaporestomismoconlamayor
capacidadparaacumularcarbonos,porloquesu
desaparicióncontribuyeaagravarelefectodeinverna
dero,(!)DOn°L158de23.6.1990.
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/7
—laCEeseltercermercadodeexportaciónenimportancia
paraproductosforestalesdelaprovinciadeBritish
Columbia ?
RespuestadeSirLeónBrittan
ennombredelaComisión
(30demarzode1993)
Larespuestaofrecidaacontinuaciónsebaseendatos
suministradosalaComisiónpordiversasfuentes,princi
palmentedelGobiernodeCanadáy,enconcreto,la
publicaciónoficial«TheStateofCanada'sforests1991»,
queseencuentraadisposicióndeSuSeñoría.
1.EsciertoquelasuperficiedebosquetaladoenCanadá
aumentóun67%desde1975,llegandoa1019millones
dehectáreasen1986;en1990estacifrasehabía
reducidoa913000hectáreas,loquesuponesóloel2%
delos453millonesdehectáreasdelasuperficieforestal
deCanadá.
LaComisiónnodisponededatossobrelasuperficiede
bosquedestruidoporsegundo,yaseaporlatala,el
fuegoolasplagas;noobstante,laestrategiacanadiense
derepoblaciónforestalconsisteenunacombinaciónde
plantacionesdeárbolesyregeneraciónnatural—en
principio,lamitaddelasuperficietaladacadaañose
regeneranaturalmenteylaotramitadserepuebla
artificialmente conunavariedaddeespecies.
Eléxitodelaregeneraciónforestalesdeun80%enla
superficietalada;el20%restanteconsisteenáreas
repobladasconespeciesnocomercialesoenbosques
conuncrecimientomáslentoquelosplantadosespecí
ficamenteconfinescomerciales.
Puedenpasarhastacincoañosantesdequeuna
superficierepobladacrezcalobastanteparaquepueda
clasificarsecomobosqueproductivoregenerado;por
tanto,esposiblequesololamitaddelasuperficietalada
enlosúltimoscincoañosysometidadespuésa
reforestaciónpuedaclasificarseactualmentecomobos
queproductivo.
Segúnpareceexisteunasuperficie—aproximadamente
el10%delbosqueproductivo—queseconsidera
actualmente «norepoblado».Losincendiosforestalesy
lasplagasdeinsectosenlosbosquesremotoseinacce
siblessonlasprincipalescausasdeestadesforestación ,
quesuponemásdeldobledelasuperficieforestal
perdidaentre1986y1989portalacomercial.No
obstante,durantelosúltimosquinceañoselnúmerode
árbolesplantadosenlasáreasobjetodetratamiento
forestalsehamultiplicadoporcuatro.
PorcadaárboltaladoenCanadáseplantaunamediade
dos;hayqueconsiderarestaproporciónteniendo
tambiénencuentalaregeneraciónnatural,quesedaen
alrededordel50%delasuperficietalada.
Porrazoneseconómicasymedioambientales ,losárboles
sanosdelosbosquesborealesseutilizanparamadera,y
noparalaproduccióndecelulosaypapel.Másdela
mitaddelamateriaprimautilizadaenlaindustriadela
celulosayelpapelprocedederesiduosdeaserraderos,
(virutas,serrínyotrossubproductos ).Otro10%consisteenpapelreciclado,yelrestoprocededeotras
partesdelosárbolesydeárbolesdeescasovalor,no
adecuadosparalaobtencióndemadera,odebosques
cultivadosintensivamenteparalaobtencióndepastade
madera.
2.SegúnlosdatosconquecuentalaComisión,delos7
millonesdehectáreasdequeconstabaoriginalmentela
pluviselvavirgencostera(enlaColumbiaBritánica),se
hantalado2millonesdehectáreas,quehansido
replantadas.
Delos5millonesdehectáresrestantesdepluviselva
costera,3millonesseconservaránindefinidamente ,ya
quesoninaccesiblesparalatala.Elritmoactualdetala
delosotros2millonesdehectáreasesde36950
hectáreasalaño.
Enaquelloscasosenlosquenoresultaadecuadala
regeneraciónnaturalseplantanárbolesnativos,selec
cionandolasespeciesdeacuerdoconlascondiciones
concretasdelazona.
Laproteccióndelasprincipalesextensionesdepluvi
selvagarantizaenprincipiolaconservacióndela
biodiversidad delosecosistemasrepresentativos .En
aquelloslugaresenqueseaplicaunplandeordenación
forestal,ellosellevaacabodeformaquetengaelmenor
impactoposiblesobrelabiodiversidad .EnCanadáse
investigaininterrumpidamente sobrelasdistintasprác
ticasdeordenaciónforestal,protecciónforestaly
reforestación ,conelfindemantenerenbuenestadoel
recursonaturalyrenovablemásimportantedelpaís.
Losparquesprovincialesynacionalescuentancon
200000hectáreasdebosquescosterostotalmente
protegidos.Enlaszonasenlasquenoexisteunaplena
seguridadsobrelasensibilidadmedioambiental ,el
gobiernoprovincialhaestablecidounamoratoriasobre
latalaparapoderevaluaradecuadamente losimpactos
ambientalespotenciales .Porúltimo,el6demayo
pasado,elGobiernodeColumbiaBritánicapublicósu
nuevaestrategiaparalasáreasprotegidas,queduplicará
lasuperficiedeparquesyzonasprotegidasparaelaño
2000hastamásdel12%delaprovincia,cumpliendoasí
elobjetivonacional.
Elproblemadelosderechosdepropiedadyusufructode
latierraporpartedelastribusaborígenesestásiendo
objetodenegociacionesconelfindellegaratratados
modernosquereflejentodalagamadeinteresesy
actividadestantodelospueblosindígenas,comodel
Gobierno,negociacionesquecuentanconelrespaldode
lospueblosindígenas.Entretanto,elsistemaactualde
concesionesdeexplotacionesforestalestieneencuenta,
entreotrascosas,losinteresesynecesidadesdelos
gruposaborígenesquealeganderechosobrelatierra
[véasetambiénlarespuestadelaComisiónalaPregunta
escritan°849/92delSr.Telkamperi1)].
Segúnelinformesobreeldesarrollomundialde1992,
«...lareforestación únicamentereducelasemisiones
netas(anhídridocarbónico)mientraslosbosquesestán
enfasedecrecimiento».Cuandoelbosqueesyaadulto,
lasemisionesdebidasaladescomposición selimitana
compensarlafijacióndelanhídridocarbónicodebidoa
losnuevoscrecimientos .Enconsecuencia ,laspluvisel
vasviejasnocontribuyenamitigarelefectoinverna
dero.
19.7.93N°C195/8 DiarioOficialdelasComunidadesEuropeas
Segúnlosdatosdeexportacióncanadiense,laComuni
dadeseltercermercadoenordendeimportanciapara
lasexportacionesdemaderadelaColumbiaBritáncia,el
primeroparalasdepastademaderayelsegundoparael
papelyelcartón.Traselexamendelosproyectos,segúneldictamendel
CODEST(ComitéparaelDesarrolloEuropeodelaCiencia
ylaTecnología),ydelanegociacióndeloscontratos,se
concedieron32ayudasfinancierasalaboratoriosportugue
sas,conunvolumentotaldeunosdosmillonesdeecus.
í1)DOn°C16de21.1.1993. Eldesgloseporregioneseselsiguiente:
(milesdeecus)
Financiacióncomunitaria
total
Región
portuguesaNumero
participaciones
portuguesasproyectosparticipantes
portuguesasPREGUNTAESCRITAN°1811/92
delSr.JoséMendesBota(LDR)
alaComisióndelasComunidadesEuropeas
(6dejuliode1992)
(93/C195/10)Aveiro
Oporto
Lisboa
Setúbal
Coimbra2
6
19
2
3688
1557
4503
470
723162
236
1110
204
263Asunto:Proyectosportuguesesaprobadosenelámbitodel
«ProgramaCiencia»
EnrelaciónconelProgramaCiencia,¿puedeindicarla
Comisiónquéplanificaciónsehahechoparalosproyectos
presentadosporPortugalycuálessonlosimportesrespec
tivosquetieneprevistoasignarlaComunidad,bienglobal
mente,bienporcadaáreadecoordinaciónregional?
¿PuedeindicarasimismolaComisiónquéproyectossehan
rechazado,asícomolosrespectivosimportesysuárea
geográficadeincidencia?3.Sedenegarononopudierontenerseencuentapor
diversosmotivos201solicitudesdeayudafinancierapara
unaparticipaciónportuguesaen«hermanamientos »u
«operaciones»duranteelperiodode1988-1992.
Lagestióndelprogramanoincluyeunacontabilidad
pormenorizada (nidesgloseporregiones)delosproyectos
noseleccionados.
PREGUNTA ESCRITAN°1887/92
delaSra.Marguerite-Maria Dinguirard (V)
alConsejodelasComunidadesEuropeas
(23dejuliode1992)
(93/C195/11)RespuestadelSr.Ruberti
ennombredelaComisión
(31demarzode1993)
1.LaaplicacióndelosprogramascomunitariosdeIDT
comoelprogramaSCIENCE(FomentodelaCooperacióny
delosIntercambiosNecesariosparalosInvestigadores
Europeos)serealizadeacuerdoconnormasdistintasdelas
queregulanlosFondosestructurales .Losproyectosde
investigaciónsonpresentadosnoporlosEstados-miem
bros,sinoporcualquierpersonafísicaojurídica(empresa,
universidaduorganismodeinvestigación )domiciliadao
consedeenunEstadomiembro,enrespuestaauna
convocatoriadepropuestaspublicadaporlaComisión.La
evaluacióndelosproyectospresentadoslaefectúala
Comisión,asistidaporunComité,basándoseenlacalidad
científica.
Unanálisisdelosproyectosporpaísesoregionesdeorigen
delosinteresadosnoproporcionaningunainformación
precisasobrelasverdaderasventajasderivadasdela
participaciónenlosprogramascomunitarios :cadaintere
sado(independientamente desucontribuciónfinanciera
propiaydelacuantíadelasumaqueleadjudiquela
Comisión)gozadelaccesoatodoslosresultadosdel
proyectoenelqueparticipaylosproyectosayudanala
creaciónyeldesarrollodeinfraestructuras deinvestigación
aescalaeuropea.
2.EnelcasodelprogramaSCIENCE1988-1992,la
Comisiónrecibió233solicitudesdecientíficosportugueses
paraparticiparen«hermanamientos »y«operaciones».Asunto:RelacionesCEE-Marruecos
EnelperíodoparcialdesesionesdeeneroelParlamento
Europeoabrobóunaresolucióni1)enlaqueexpresabasu
preocupaciónporelrespetoenlospaísesdelMagrebydel
Mashreq,yenparticularenMarruecos,delosacuerdos
internacionales firmadosporestospaísesyporelrespetode
losderechoshumanos.Duranteelmismoperíodo,esti
mandoqueMarruecossedistinguíaporsusnumerosas
violacionesdelosderechosyporlanoaplicacióndela
Resolución790delConsejodeSeguridaddelasNaciones
UnidassobreelSáharaOccidental,elParlamentorechazóel
cuartoprotocolofinancieroCEE-Marruecos.
Desdeentonces,yapesardequelasituaciónenMarruecos
nohaprogresadonienloqueserefierealrespetodelos
derechoshumanosnienloqueserefierealaaplicacióndela
Resolución690,elConsejoanuncióquesepropone
establecerconMarruecosunaasociaciónbasadaenun
acuerdodelibrecambio,unaayudaeconómicayla
instauracióndeundiálogopolítico.
¿NoconsideraelConsejoestapropuestatotalmente
contradictoria conladeclaraciónaprobadaporel
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/9
comoporejemplo,laelaboracióndeun«programade
acciónpara1993»yunestatutodelosartistas?ConsejodeMinistrosdeCooperaciónyDesarrollosobrela
democracia,losderechoshumanosyeldesarrollo?¿No
consideraquedeestemododaunaseñalpolíticamuy
negativaenloqueserefierealrespectoalosderechosdel
hombreyalosderechosdelospueblos?
(!)DOn°C39de17.2.1992,p.50.
Respuesta
(11dejuniode1993)
Elfomentodelosderechoshumanosydelosvalores
democráticosconstituye,comoelParlamentosabe,unade
laspiedrasangularesdelasrelacionesexterioresdela
Comunidady,sobretodo,desupolíticadedesarrollo.
Desdeestepuntodevista,elConsejoDesarrollodel28de
noviembrede1991adoptóunaResolucióncuyoartículo10
disponequelaComunidadysusEstadosmiembrosesta
bleceránformalmente laconsideración delosderechos
humanosensusrelacionesconlospaísesendesarrolloyque
ensusfuturosacuerdosdecooperaciónseincluiráncláusu
lasrelativasalosderechoshumanos.
Porotraparte,elConsejoEuropeodeLisboadelosdías26y
27dejuniode1992adoptóunaDeclaraciónsobrelas
relacioneseuro-magrebíes ,queresaltaprincipalmente el
deseodelaComunidaddequeestasrelacionessebasenen
unaconcepciónqueprivilegielasrelacionesdeasociación,y
seinspirenenuncompromisocomúnenfavordelrespetode
losderechoshumanos,laslibertadesfundamentales ylos
valoresdemocráticos.
PorloqueserefierealCuartoProtocoloFinancierocon
Marruecos,elConsejoseñalaqueelParlamentoEuropeo
emitióel28deoctubrede1992undictamenfavorable,que
permitióalConsejocelebraresteprotocoloel16de
noviembrede1992.
ElproyectodedirectricesparalacelebracióndeunAcuerdo
decolaboraciónpresentadoporlaComisiónalConsejoel
22dediciembrede1992afindeconcluirunAcuerdode
colaboración conMarruecosseinscribeenuncontexto
políticoclarificado.EsteproyectosecomunicaráalParla
mentoEuropeoporloscauceshabituales.RespuestadelSr.Pinheiro
ennombredelaComisión
(18demayode1993)
LaComisióntomónotadelaresoluciónsobrelasituación
delosartistasenlaComunidad,aprobadaporelParlamento
el11demarzode1992.
LaComisióninformaaSuSeñoríadequeelprograma
Caleidoscopio ,queposibilitabahastaahoraelapoyoa
proyectosdemanifestaciones culturales,cuentacondos
nuevostiposdeacciónparaelaño1993:
—Estímulodelacreaciónartísticaycultural,enparticular
medianteelapoyoalamovilidadylaperfeccionamiento
deartistasycreadoresointérpretesuotrosoperadores
delsectorcultural.
—Apoyoalacooperaciónculturalenformaderedes.
Lascondicionesdeparticipaciónendichoprogramase
publicaronenelDiarioOficialdelasComunidades
Europeas0).
Elestatutodelartistasolicitadoporlaresoluciónparlamen
tariaprevéunafiscalidadadaptadaalairregularidadde
ingresosquepercibenlosartistas.Cabeseñalarquela
Comisiónhaconcentradohastaelmomentosusesfuerzos
enlafiscalidadindirecta,queafectadeunaformamás
especialalalibrecirculacióndemercancías,asícomoenla
fiscalidaddelasempresas,conelfindeeliminarlas
normativasfiscalesqueobstaculizanlaactividadinterna
cionaldelasempresas.Lafiscalidaddelaspersonasfísicas
siguefueradecualquierprogramadearmonizacióncomu
nitaria.
Respectoalosregímenesdeseguridadsocialdelosartistas,
laaccióndelaComunidad selimitaacoordinarlos
diferentesregímenesnacionalesaplicablesalostrabajado
res,asalariadosono,quesedesplazandentrodela
Comunidad .Laconsecuenciaparalosartistaseslaconser
vacióndelosderechosadquiridosoenvíasdeadquisición.
ElReglamento (CEE)n°1408/71(2)puedefacilitar,en
particularalosartistasquesedesplazanaotroEstado
miembrooincluso,cuandosejubilen,recibirsu(s)pensio
nas)enelEstadomiembroenqueresidan,etc.
Portanto,correspondealosEstadosmiembros,silo
considerannecesario,incluirensulegislaciónsocialdispo
sicionesespecíficasparacategoríasprofesionalesparticula
res.
Porúltimo,respectoalaorganización ,aescalaeuropea,de
unconcursoparapremiarlamejorobradeartedelaño
realizadaporunartistaprincipiante ,laComisiónconsidera
queunaaccióndeestetipollevaconsigounosgastosdePREGUNTA ESCRITAN°1984/92
delaSra.DorisPack(PPE)
alaComisióndelasComunidades Europeas
(1deseptiembrede1992)
(93/C195/12)
Asunto:SituacióndelosartistasenlasCEE
ElParlamentoEuropeoaprobóen11demarzode1992por
ampliamayoríaunaResoluciónsobrelasituacióndelos
artistasenlaCE(doc.A3-0389/91),lacualcontieneuna
seriedeexigenciasalaComisión.Podríacomunicarla
Comisiónenquémedidahaatendidoadichasexigencias,
DiarioOficialdelasComunidadesEuropeas19.7.93
N°C195/10
LaComisiónseguirálaevolucióndeesteproyecto,especial
menteporloqueserefierealrespetodelderechocomuni
tariorelativoalacontrataciónpública.gestióndesproporcionadas conelresultadofinalparael
artista.Consideramásintersesanteeltrabajoamedioplazo
conintercambiosyelestímuloalacreaciónartísticay
literaria.
(!)DOn°C237de16.9.1992.
2)DOn°L149de5.7.1971.
PREGUNTAESCRITAN°2237/92
delaSra.RaymondeDury(S)
alaComisióndelasComunidadesEuropeas
(1deseptiembrede1992)PREGUNTAESCRITAN°2146/92
delSr.FriedrichMerz(PPE)(93/C195/14)
alaComisióndelasComunidadesEuropeas
(1deseptiembrede1992)
(93/C195/13)
Asunto:Licitacionesparalaamplicacióndelaredferrovia
riaitaliana
Lasegundapartedelapreguntaescritan°2246/91(J)
formuladaporelSr.Mattina(S)noharecibidorespuestade
laComisióndelaCE.Porello,planteodenuevola
pregunta:
¿QuénoticiastienelaComisióndelaCEsobrelaadjudi
cacióndecontratosparalaamplicacióndelostramosdealta
velocidadenlaredferroviariaitaliana?
¿Sehanvioladonormascomunitariasenestaslicitacio
nes?
¿QuémedidaspiensaadoptarlaComisión?Asunto:AcuerdotextilconVietnam
Enunaresoluciónde12dejuniode1992,elParlamento
EuropeopidióalaComisionquecelebraseunacuerdo
comercialconVietnamenelsectortextil.Cuándoycómose
responderáaestapetición?
RespuestadelSr.Marín
ennombredelaComisión
(26deabrilde1993)
AraízdelaresolucióndelParlamentoEuropeode12de
juniode1992,laComisiónnegocióyfirmó,el15de
diciembrede1992,unAcuerdoTextilconVietnam.
Noobstante,laaplicacióndelAcuerdoTextilensíplantea
unproblemaimportantealasautoridadesvietnamitas.
Enefecto,lanecesidaddeinformacióntécnicaporpartede
VietnamestanacuciantequelaComisiónhadecidido
enviar,apeticióndelMinisteriodeComerciodeestepaís,
unamisióndeexpertosparaqueinformenalosfuncionarios
vietnamitasencargadosdeaplicarelAcuerdoyorganizar
seminariosdeinformaciónparalosexportadores.
EstodeberíafacilitarlaejecucióndelAcuerdoporpartede
lasautoridadesvietnamitas,yaqueparecequereina
actualmenteunagranconfusiónenHanoientornoala
aplicacióndedeterminadasdisposiciones .(!)DOn°C126de18.5.1992,p.22.
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(2deabrilde1993)
LaComisiónhatenidoconocimientodequeelenteFerrovie
delloStatohafirmadouncontratoconlasociedadTAV
cuyoobjetoeslaconstrucciónygestióneconómicadeuna
reddeferrecarrildealtavelocidadenItalia.Segúnla
informacióndequedisponelaComisión,cuandose
constituyódichasociedad,labúsquedadesociosseefectuó
sinquehubiesediscriminacióndesdeelpuntodevistadela
nacionalidad.
PareceserqueTAV,porsuparte,hafimadocontratospara
laconstruccióndelíneasdeferrocarril.
LaComisiónestimaporelmomentoquenopareceexistir
infracciónalgunadelderechocomunitario.
Noobstante,loanteriornoesóbiceparaexaminarla
legalidaddelascondicionesdegestióndelared,teniendoen
cuentaprincipalmente lasnormasdecompetenciadel
TratadoCEE.PREGUNTAESCRITAN°2312/92
delSr.CarlosRoblesPiquer(PPE)
alaComisióndelasComunidades Europeas
(8deseptiembrede1992)
(93/C195/15)
Asunto:CelebraciónenGaliciadeEuropartenariat-93
LaConfederacióndeEmpresariosdeGalicia,condomicilio
socialenSantiagodeComplostela (LaCoruña-España )ha
N°C195/1119.7.93 DiarioOficialdelasComunidadesEuropeas
solicitadoenelpasadomesdejunioqueEuropartenariat-93
secelebreenGalicia.Lasolicitud,formuladaporel
PresidentedeestaConfederación ,D.AntonioRamilo
Fernández-Areal,hasidorespaldadaporlaXuntadeGalicia
yporelAyuntamientodeSantiagodeCompostela .PREGUNTA ESCRITAN°2507/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(12deoctubrede1992)
(93/C195/16)
LacelebraciónenGaliciadelEuropartenariat-93 serviría
paraaproximaralarealidadeuropeaalosempresariosde
unaregiónperiférica.Trátaseesencialmentedepequeñosy
medianosempresarios.
1993,porotraparte,seráunAñoSantoCompostelano ,lo
queserviráparaconmemorarelsignificadodelCaminode
SantiagoquefuedesdelaEdadMedialaprimeravía
históricaparalavinculaciónentrepuebloseuropeos.Asunto:Contaminación atmosféricaenAtenas
LosefectosdelacontaminaciónatmosféricadelÁticaenla
saluddesushabitantessondramáticas.Loscientíficos
señalanqueelaumentodeestacontaminaciónvaunidaaun
númerocadavezmayordeenfermosafectadosporpro
blemarespiratoriosycardiovasculares enloshospitalesdel
Ática.SegúnestudiosrealizadosporelLaboratoriode
HigieneyEpidemiologíadelaUniversidaddeAtenas,seha
registradounaumentomediodel16%delasenfermedades
respiratoriasyun13%delascardiovasculares .Alavistade
lasrepercusionesquetieneacortoplazolacontaminación
atmosféricaenlasaluddelosateniensesy,enparticular,de
losdemayoredad,loscientíficoshandadolaalarma,tras
haberseregistradounaumentodel10%delosafectadosen
estacategoríadelapoblación,loquerepresentaunamedia
de2,5muertesdiarias.¿Dequéformayconquémedios,
tantoalargocomoacortoplazo,piensalaComisiónque
podríaactuarlaComunidadparaprotegerlasaludpública
deloshabitantesdelÁticacontralacontaminación atmos
férica?Nadiepuededudardequelaaplicacióndelprincipiodela
preferenciacomunitariadebeservirjustamenteparaselec
cionaraestosfinesaunregióndelaComunidad,inclusosi
hubieracandidaturasprocedentesdepaísesajenosala
Comunidad.
¿PuedeinformarlaComisiónsobreloquehadecidido
respectoallugardecelebracióndeEuropartenariat-93 ?
RespuestadelSr.Paleokrassas
ennombredelaComisión
(6deabrilde1993)
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(18demayode1993)
LaComisiónhatomadonotadelinterésexpresadoporla
Confederación deEmpresariosdeGalicia,asícomodel
apoyodelaXuntadeGaliciaydelmunicipiodeSantiagode
Compostela,paralaorganizacióndeunEuropartenariat en
1993.LalabordelaComisiónenlaluchacontralacontaminación
atmosféricasellevaacaboendossectores:porunlado,la
reduccióndelasemisionesdecontaminantes y,porotro,la
fijacióndevaloreslímitedelaconcentracióndesustancias
contaminantes enelaire.
Respectoalaluchacontralasemisiones,variasdirectivas
limitanlaemisiónalaatmósferadedeterminadoscontami
nantesprocedentesdelasfuentesprincipalesdeemisión
(grandesinstalacionesdecombustión,incineradores y
vehículosdemotor).Porotraparte,sehanfijadotambién
límitesmáximosdelcontenidodeplomoodeazufredelos
combustibleslíquidos.
Encuantoalacalidaddelaire,sehanfijadolímitesdela
concentración dedióxidodeazufre,nitrógeno,plomo,
partículasyozono.LaComisiónprocuraqueserespeten
dichoslímitesoquelosEstadosmiembrosadoptenmedidas
parasituarlaconcentraciónpordebajodeloslímites
autorizados .LaComisiónhaestablecidoelsiguientecalendarioparael
Europartenariat ,decomúnacuerdoconlasautoridades
nacionalescompetentes :
199317-18dejunioEuropartenariat nordestede
FranciaLille
13-14dediciembreEuropartenariat EscociaGlas
gow
1994mayo-junio Europartenariat Polonia
noviembre-diciembre Europartenariat diversasregiones
delnordestedeEspañaDelosdatosfacilitadosporlasautoridadesgriegasse
desprendequelasconcentraciones registradasenelcasode
losdistintoscontaminantes reguladosenlasdirectivasse
acercanmuchoalosvaloreslímite(SO2)olosrebasan
(partículasyN02);enestecaso,laComisiónhaprocurado
queseestablezcanplanesdemejoradelacalidaddelaire.Sin
embargo,nocorrespondealaComisióntomarpostura
sobrelasmedidasadoptadasoquesevayanaadoptaranivel
regionalolocal.
N°C195/12 DiarioOficialdelasComunidadesEuropeas19.7.93
seguimientoyalcontrolenlaComunidaddelostraslados
transfronterizos detalesresiduos.Estonopermiteobtener
unavisióndelasituaciónenlaComunidadenconjunto.
2.Dadalasituacióndescritaenelpunto1,nopuede
darserespuestaalgunaconrespectoalosresiduoscaseros.
Conrespectoalaexportacióneimportaciónderesiduos
peligrosos,puedendarselassiguientescifrassegúnun
análisisdemovimientosinternacionales detalesresiduosen
1989-1990llevadoacaboporlaOCDE:
(entoneladas)Porúltimo,enloqueserefierealaproteccióndelasaludyen
unmarcomásgeneralqueelexpuestoporSuSeñoría,la
ComisiónparticipaenlalabordesempeñadaporlaOrga
nizaciónMundialdelaSalud(OMS)enladeterminaciónde
valoresguíadecalidaddelairerelativosaunaseriede
sustanciasque.entrañanriesgosparalasaludhumanaolos
ecosistemas .Además,laComisiónestápreparandouna
directivamarcorelativaalacalidaddelaire,cuyoobjetivo
será,enunplazodeterminado,laobligaciónderespetar
algunosdelosvaloresantescitadosentodalaComuni
dad.
Respectoaestemismoproblemadelacontaminacióndel
aireydelasalud,laComisiónintensificarásulaborde
recogidadeinformaciónparahacerunbalancedela
situaciónaniveleuropeo.LaComisióntienetambiénla
intencióndeponerenmarchaenlospróximosaños
(1994-1995)medidasenelámbitodelaepidemiología
(estudios,intercambiodeinformación,etc.).
Porotraparte,convieneseñalarlacontribucióncomunitaria
realizadapormediodelosFondosestructuralesenla
financiaciónconjuntadeproyectoscomoeldelmetrode
Atenas.EsdeesperarquelosFondosestructuralescorres
pondientesalperíodoposteriora1994yelFondode
cohesióncontribuyanamejorarlasituación.EstadomiembroExportaciones Importaciones
1989 1990 1989 1990
Bélgica 17698349178410362601070496
Dinamarca 8978132412684216323
Alemania 9909335220634531262636
Grecia ND 305NDND
España280202132741382269
Francia ND10552ND458128
Irlanda 13808NDNDND
Italia 1080019968 0 0
Luxemburgo NDNDNDND
PaísesBajos18825019537788400199015
Portugal ND 1954ND 0
ReinoUnido 04964074035910PREGUNTA ESCRITAN°2532/92
delSr.Karl-HeinzFlorenz(PPE)
alaComisióndelasComunidadesEuropeas
(27deoctubrede1992) (!)DOn°L256de7.9.1987.
(2)DOn°L326de13.12.1984.(93/C195/17)
PREGUNTA ESCRITAN°2540/92
deLordO'Hagan(PPE)
alaComisióndelasComunidades Europeas
(27deoctubrede1992)
(93/C195/18)Asunto:TráficoderesiduosenEuropa
1.¿ConquéinformacionescuentalaComisiónsobrela
dimensiónyespecialmentesobreeldesarrollodeltráficode
residuosenlaComunidadEuropea?
2.¿QuéEstadosmiembrosdelaComunidadexportan
residuosdomésticosy/uotrosdesechospeligrososaotros
Estadosmiembros (datosentoneladasdelpaísemisory
receptor)?
RespuestadelSr.Paleokrassas
ennombredelaComisión
(19deabrilde1993)
1.LaComisión,engeneral,notienedatossobrela
cantidadylostiposderesiduosengeneralenviadosdentro
delaComunidad .ElReglamento (CEE)n°2658/87(*)
relativoalanomenclaturaarancelariayestadísticayal
aranceladuanerocomúnrecogedatosestadísticossola
mentesobrealgunostiposespecíficosderesiduosrecupera
bles.
Porotraparte,solamenteunEstadomiembroinformóala
ComisiónconformealaDirectiva84/631/CEE(2)relativaalAsunto:ConsejeríasdeturismoenelReinoUnido
Laconpetenciasdelasdiferentesconsejeríasdeturismoenel
ReinoUnidodifieren.mucho,tambiénsuspresupuestosson
muydivergenteseigualmenteenmuchosotrosaspectos
importantesdifierentambiénunasdeotras.Asíporejemplo,
algunasconserjeríasestánautorizadasparahacerpublici
dadfueradelReinoUnidoyotrasno.
Dichasconsejeríassoncompetentesparazonasqueno
guardanrelaciónalgunaconelmapaderegionesbeneficia
ríasdeayudasconvenidoconlaComisión.
DiarioOficialdelasComunidadesEuropeas N°C195/1319.7.93
7.Noseharecibidoningunapreguntaporpartedelas
ConsejeríasdeturismodeInglaterraodelWestCountry.
PREGUNTA ESCRITAN°2543/92
delSr.GiuseppeMottola(PPE)
alaComisióndelasComunidadesEuropeas
(27deoctubrede1992)
(93/C195/19)1.¿EstálaComisiónconvencidadequelasdiscrepancias
encompetenciasylospresupuestosdelasdiferentes
consejeríasdeturismoenelReinoUnidonoconducena
unadistorsióndelacompetenciatalycomolodefineel
TratadodeRoma?
2.¿HacontraídoelGobiernobritánicoalgúncompromiso
alrespectoantelaComisión?
3.¿EstálaComisiónconvencidadequeladiferencia
existenteentrelaszonasparalascualessoncompetentes
lasdiferentesconserjeríasdeturismoylaszonas
delimitadasenelmapaderegionesbeneficiaríasde
ayudasconlaComisiónnoconducenaladistorsiónde
lapolíticaregional?
4.¿HamantenidolaComisiónrecientementeconversacio
nesconelGobiernobritánicosobreesteasunto?
5.¿SepresentaenotrosEstadosmiembrosunavariedad
similarenlascompetenciasdeorganizacionesregionales
ysubregionalesparalapromocióndelturismo?
6.¿EstálaComisiónconvencidadequeentodosloscasos
estasituaciónnoconstituyeinfracciónalgunadelo
dispuestoenelTratadoCEEencuantoalacompetencia
nidistorsionaelmaparegionalconvenidoconla
Comisión ?
7.¿HarecibidolaComisiónalgunapreguntasobreeste
asuntoporpartedelasconsejeríasdeturismode
InglaterraodelWestCountry?Asunto:Produccióndebiocombustibles —Construcción
dediezfábricaspilotoenEuropa
LaComunidadEuropeadisponedeunaproducciónsufi
cienteparasatisfacerlasnecesidadesdeabastecimiento dela
industriadecombustiblesdeorigenvegetal.Además,la
reformadelaPACdeberíaincrementar,debidoalaretirada
detierras,lasposibilidadesparalaproduccióndecultivos
nodestinadosalaalimentación.
Teniendoencuentaestosdatos:
1.¿EsciertoquelaComisióntienelaintencióndefinanciar
laconstrucción deunasdiezfábricaspilotopara
producircombustibledeorigenvegetalparamotores
diesel?
2.¿NoopinalaComisiónquealmenosunafábricapiloto
deberíainstalarseenelSurdeItalia?
3.¿EstaalcorrientelaComisióndequesepodríancrear
entre6500y7000puestosdetrabajoparauna
producciónde500000toneladas?
4.¿PiensalaComisiónqueelbiocombustible puede
comercializarse conunosprecioscomparablesalosdel
gasóleosiquedaexentodeimposiciónfiscal?
RespuestadelSr.Matutes
ennombredelaComisión
(18demayode1993)
1.EnsupropuestadedecisióndelConsejorelativaal
fomentodelasenergíasrenovablesenlaComunidad
(ProgramaALTENER )i1),laComisiónpropusounainicia
tivaconobjetodefacilitarlapuestaenmarchadeuna
industriadeproduccióndebiogasóleoenlospaísesmiem
bros.Así,seproponeconcederunasubvención,porun
importemáximodel30%,aunadecenadeinstalacionesde
produccióndebiogasóleo.Estainiciativadependerá,no
obstante,delosfondospresupuestarios quepuedanmovi
lizarseatalfin,como,porejemplo,losimporteseventual
mentedisponiblesenlosProgramasdeOrientaciónAgríco
la.
2y3.Enefecto,teniendoencuentalasrepercusionesque
podríatenerlarealizacióndeestetipodeproyectoenla
economíadelasregionesmenosdesarrolladascomo,entre
otras,elMezzogiornoitaliano,convendríaquelamenosuna
delasfábricaspilotoseinstalase—sifueraposible—enesta
partedeItalia.RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(14demayode1993)
1.LaComisiónnotieneningúnmotivoparacreerquelas
competencias ylospresupuestosdelasConsejeríasde
turismonacionalesrepresentenunadistorsióndelacompe
tenciatalycomolodefineelTratadodeRoma.
2.LaComisiónnohabuscadonirecibidoningún
compromisoalrespecto.
3.LaComisiónnoconsideraquelaszonascubiertaspor
lasConsejeríasdebanconcordarconlaszonasdelimitadas
enelmapaderegionesbeneficiaríasdeayudas,tantoporlo
querespectaalacompetenciacomoalapolíticaregio
nal.
4.Nosehanmantenidorecientemente conversaciones
conelGobiernobritánicosobrelarelaciónentrelaszonas
beneficiaríasdeayudasylaszonasdelaConsejerías
regionalesdeturismo.
5.Existeunagranvariedaddemanerasdepromocionar
yfinanciarelturismoenlasdiferentesregionesdeotros
Estadosmiembros,peronosedisponedeningúnanálisis
comparativogeneral.
6.SeruegaaSuSeñoríaseremitaalospuntos1y3
anteriores.
N°C195/14 DiarioOficialdelasComunidadesEuropeas19.7.93
4.SegúnlosestudiosefectuadosporlaComisión,el
biogasóleoagrícolaserácompetitivoconrespectoalgasóleo
fósilsielConsejoapruebalapropuestadedesgravaciónde
losbiocombustibles (2),presentadaporlaComisión(que
esperaeldictamendelParlamento).LaComisiónpresentará
próximamenteunapropuestadedirectivasobrelasespcifi
cacionestécnicasdelbiogasóleo.(apartados13y19delaResolución);losartículos48y
52delTratadoCEEseaplicanenmateriadelibre
circulacióndelosperiodistas [letrasB)yC)del
apartado30];laDirectiva89/552/CEE(2)fijaunas
directricescomunitariasparalapublicadaenlosprogra
mastelevisados (apartados11,12y20);elprograma
MEDIAconstituyeunamedidapositivacomolas
previstasenleapartado15;laComisiónestápreparando
undocumentodeconsultasobrelacomunicación
comercialenlaquesetieneencuentalanecesidadde
mantenerlosingresosprocedentesdelapublicidad
(apartados11,12,20y30),yademássubvencionala
cadenaEuronews(apartado22).(!)COM(92)180final.
(2)COM(92)36final.
PREGUNTAESCRITAN°2597/92
delaSra.MaryBanotti(PPE)
alaComisióndelasComunidades Europeas
(27deoctubrede1992)
(93/C195/20)—Otrascuestionessontratadasaescalanacionalyno
parecennecesitarunaactuaciónespecíficadelaComu
nidad,enlamedidaenquelaComisiónnohatenido
conocimientodeproblemasdedimensióncomunitariao
transfronterizaquelojustifiquen;setrataenparticular
delasmencionadasenlosapartados20(directivasobre
el«bartering»),23(directivasobreelaccesoala
información )y26(directivasobreelderechoderéplica
enprensayradio).
Porúltimo,aismargendelaconvenienciadeadoptar
iniciativascomunitarias ,algunasmedidassolicitadasporel
Parlamentoplanteaninterrogantesentornoalaexistencia
decompetenciascomunitariasquepermitansuadopción;se
tratafundamentalmente delasmedidasprevistasenlos
apratados24(directivasobrelaéticadeperiodistasy
editores)y25(directivasobrelaindependenciadelos
periodistas).
(!)COM(92)480final.
(2)DOn°L298de17.10.1989.
PREGUNTA ESCRITAN°2599/92
delaSra.MaryBanotti(PPE)Asunto:RespuestadelaComisiónalinformeFayot/
Schnizel
¿CuáleslarespuestadelaComisiónalinformeFayot/
Schnizelsobrelaconcentración delosmediosdecomuni
caciónyelpluralismo?
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(6deabrilde1993)
Eneltranscursodeldebatesobreelinformemencionadopor
SuSeñoríaquetuvolugarenelParlamentoel9dejuliode
1992,laComisiónseñalóquereconocíaplenamentela
importanciadelrespectodelalibertaddeexpresiónydel
pluralismoenlosmediosdecomunicación ,yquela
Comunidadsólopodíaactuarenesteámbitoenlamedida
desuscompetenciasyrespetandoelprincipiodesubsidia
riedad.
Enloquerespectaalacuestiónprincipaldelmantenimiento
delpluralismoantelasoperacionesdeconcentracióndelos
mediosdecomunicación ,el23dediciembrede1992,como
yahabíaanunciado,laComisiónaprobóunLibroVerde
titulado«Pluralismoyconcentración delosmediosde
comunicación enelmercadointerior.Valoracióndela
necesidaddeunaaccióncomunitaria »i1).EsteLibroVerde
vaaservirdebasedeconsultaatodoslosinteresados,y
permitiráalaComisiónadoptarunaposiciónconrespectoa
lanecesidaddeunaacciónaescalacomunitaria.
Porelcontrario,laComisiónconsideraquealgunasdelas
medidassolicitadasenlaResolución,almargendelas
destinadasalimitardirectamentelaconcentración delos
mediosdecomunicación ,noexigenporelmomentonuevas
medidasespecíficasaescalacomunitaria :
—Algunas ,delasmedidasprevistasporelParlamentoya
estáncubiertasporelDerechocomunitarioopor
iniciativascomunitarias .Así,lalegislacióncomunitaria
sobrecompetenciaseaplicaalascuestionesrelacionadas
conladistribuciónenlaprensayconlasexclusivasalaComisióndelasComunidades Europeas
(27deoctubrede1992)
(93/C195/21)
Asunto:Competenciaenelmercadodelosmediosaudio
visuales
¿Quéefectossobrelacompetenciaseesperandelos
derechosexclusivossobrelapropiedadintelectual,en
particularenloqueserefierealmercadodelosmedios
audiovisuales ?
RespuestadelSr.VanMiert
ennombredelaComisión
(11demayode1993)
Dadaslascaracterísticasespecíficasdelsectoraudivisual,la
concesióndederechosexclusivosdetelevisiónnoes,ensí
DiarioOficialdelasComunidadesEuropeasN°C195/1519.7.93
enformadekitylaevasióndelosimpuestossobrelos
productosimportadosenlaCEE?
¿ComóejercelaComisiónelcontrolenlasfronterassobre
estasimportaciones ,tantoporloqueserefierealvolumen
comoalospreciosylasnormasdeseguridad?misma,contrariaalasnormascomunitariasdecompeten
cia.Laexclusividadesunmedionormaldemantenerelnivel
delascifrasdeaudienciaeingresosporpublicidaddelos
programasdetelevisión.Sinembargo,deberáaplicarsela
normativadecompetenciacuandoseconsiderequelos
derechosexclusivosdetelevisiónsonexcesivosporsu
ámbitodeaplicaciónosuduración,comodejóclarola
ComisiónensuDecisiónde15deseptiembrede1989,
AsuntoIV/31.734—Adquisicióndepelículasporpartede
cadenasdetelevisiónalemanasi1).
EnlaactualidadlaComisiónestátrabajandoenotras
asuntosrelativosalosderechosexclusivosdetelevisión,
especialmentelosacontecimientos deportivos.
Paraobtenerunprogramaglobaldelasprácticasyefectos
delosderechosexclusivosdetelevisión,asícomodesu
posibleimpacto,laComisiónestallevandoacaboenestudio
quelepermitiráevaluarsusimplicacionestantoparala
políticadecompetenciacomoparalaaudiovisual.
(i)DOn°L284de3.10.1989.
PREGUNTAESCRITAN°2636/92
delSr.FrangiosGuillaume (RDE)
alaComisióndelasComunidadesEuropeas
(27deoctubrede1992)RespuestadelSr.Bangemann
ennombredelaComisión
(26deabrilde1993)
MepermitoremitiraSuSeñoríaalasrespuestasdela
Comisiónalaspreguntasoralesn°H-986/92delaSra.Enst
delaGraete(*)yn°H-1025/92delSr.Gil-RoblesGil
Delgadoi1),asícomoalaspreguntasescritasn°2526/92(2)
delSr.Vandemeulebroucke yn°2807/92delSr.Coates(3),
quetambiénserefierenalasimportacionesdebicicletas
procedentesdelsudesteasiático.
Respectoalasacusacionesdefraude,cabeseñalarque,por
unaparte,laimportacióndebicicletasenkitnotienepor
quédarlugaraunaevasióndelosderechosquegravanlas
bicicletasmontadas,puestoqueambostiposdebicicletas
estánclasificadasenlamismaclasificaciónarancelaria,y
que,porortaparte,laexistenciade«fábricasdedestorni
llador»enEuropanoconstituyeun«fraude».
Encuantoalasmedidasposiblesparalucharcontra«la
evasióndelosimpuestossobrelosproductosimportados»,
encasodedudasobrelaconformidaddelcertificadode
origenSPGpresentadoparaacogerseasrégimendeprefe
renciaarancelaria,elEstadomiembrodeimportaciónpuede
recurriralsistemadecooperaciónadministrativaprevisto
paraestoscasos,solicitandolacomprobacióndelcertifi
cadoaposterioriporpartedelasautoridadescompetentes
delpaísexportador.Además,losEstadosmiembrosylos
serviciosdelaComisión,amparándoseenelReglamento
(CEE)n°1468/81(4)sobreasistenciamutua,pueden
investigarunposiblefraudeoirregularidadcontrarioala
normativaaduanera.
Taiwán,sinembargo,noesbeneficiariodelSPGyen1991y
1992seimpusodenuevoeltiponormaldederechosparalas
bicicletasimportadasdeChinay,en1992,paralas
procedentesdeTailandiaeIndonesia.Aunqueel1deenero
de1993serestablecióelrégimenpreferencialparaestos
paísesyestosproductos,nosedescartalaposibilidadde
volveraimponerderechoseneltranscursodeesteaño.En
cuantoalcontrolenaduanasdelasimportaciones de
bicicletas,competealasadministraciones deaduanasdelos
Estadosmiembros,deacuerdoconlasdisposicionesperti
nentes(ArancelAduaneroComún,disposicionessobrelibre
práctica,etc.).(93/C195/22)
Asunto:Importacióndebicicletasprocedentesdelsudeste
asiático
Laindustriaeuropeadelabicicletaestáamenazadagreve
menteporlasimportacionesmasivasdeesteproducto
procedentesdelsudesteasiático.
En1990seimportaron4millonesdebicicletasenlaCEE,
siendoelconsumointeriorde15millonesdeunidades
anuales.En1991lasimportaciones seelevaronenun145%
hastaalcanzarlos5,8millonesdeunidades.Silasimporta
cionessiguenincrementándose aesteritmo,apartirde1994
elmercadointeriorpodráestartotalmenteabastecidopor
estavía.
¿QuémedidaspiensaadoptarlaComisión,yenquéplazos,
paraevitarladesaparicióndelaindustriaeuropeadela
bicicleta,delosproveedoresdeestaindustriaylosempleos
correspondientes ,habidacuentadelaurgenciadeltemay
lasprácticasdedumpingcomprobadasenelcasodelas
bicicletasprocedentesdeChinayTaiwán?
¿QuémedidasestádispuestaatomarlaComisiónpara
lucharcontralasprácticasfraudulentasenrelaciónalas
importacionesprocedentesdelsudesteasiático,lasplantas
japonesasdeensamblajesituadasenEuropa,losproductos(!)DebatesdelParlamentoEuropeon°422(octubrede1992).
(2)DOn°C86de26.3.1993.
(3)DOn°C155de7.6.1993,p.17.
(4)DOn°L142de28.5.1981.
19.7.93N°C195/16 DiarioOficialdelasComunidadesEuropeas
PREGUNTAESCRITAN°2709/92
delSr.GeneFitzgerald(RDE)PREGUNTAESCRITAN°2659/92
delSr.JaakVandemeulebroucke (ARC)
alaComisióndelasComunidadesEuropeas
(27deoctubrede1992)alaComisióndelasComunidadesEuropeas
(29deoctubrede1992)
(93/C195/23)(93/C195/24)
Asunto:ReunionespúblicasdelaComision
EldebatesobrelaratificacióndelTratadodeMaastrichtha
mostradoquelainfluenciaqueseadviertequeejercenla
Comisiónysusfuncionariosprovocaseriaspreocupaciones
enunabuenapartedelelectoradoeuropeo.
ElhechodequelasreunionesdelaComisiónsecelebrenen
secretoesunfactorquecontribuyeaestapreocupación
generalizada.
¿AccederálaComisiónacelebrarpúblicamentetodassus
reunionesfuturas?Asunto:Cuartoprogramadeacciónenmateriademedio
ambiente
Elpunto2.3.4.delaResolucióndelConsejorelativaal
cuartoprogramadeacciónenmateriademedio
ambiente0)abogaenfavordelaelaboracióndeprocedi
mientosinternosdestinadosaintegrardemodorutinariolos
factoresreferentesalmedioambienteentodoslosdemás
ámbitosdeactividaddelapolíticacomunitaria.
¿PuedelaComisióncomunicardequémodosehallevadoa
laprácticalodispuestoenelpunto2.3.4.delamencionada
resolución ?
í1)DOn°C328de7.12.1987,p.1.RespuestadelSr.Delors
ennombredelaComisión
(23deabrilde1993)
LaComisiónrecuerdaaSuSeñoríaqueenlosEstados
-miembroselejecutivo,ainstanciasdelaComisión,no
deliberaensesiónpública.
Lapublicidaddelosdebatesenlasdemocraciasparlamen
tariasafectaesencialmente alasasambleaslegislativasyalos
tribunales.
LaComisiónrecuerdaademásque,sielTratadoconfierea
laComisiónlainiciativalegislativa,laspropuestasdeésta
sonobjetodeunaampliapublicidadyporotraparte,enla
mayoríadeloscasos,deunaconsultaenprofundidadcon
loscírculosinteresados .RespuestadelSr.Paleokrassas
ennombredelaComisión
(19deabrilde1993)
ComoyasabeSuSeñoría,laComisiónadoptasusdecisiones
deformacolegiada.Disponedeprocedimientos internos
paragarantizarlacoherenciadepolíticaydecisiones,
medianteconsultasinterservicios yunaresponsabilidad
conjuntaentredosomásdireccionesgeneralesconrespecto
adeterminadas iniciativas.
Enrelaciónconlasección2.3.4delIVProgramademedio
ambienteaqueserefiereSuSeñoría,sehanproducido
avancesgraciasatalesprocedimientos paraquelosrequi
sitosmedioambientales formenpartedetodaslasdemás
políticas.Laspropuestassobreunaestrategiaencuantoa
C02/energía,elLibroVerdesobreunamovilidadsostenible,
laComunicación alConsejosobreelseguimientodela
UNCED,laComunicaciónsobrecompetenciaindustrialy
proteccióndelmedioambiente,elLibroBlancosobreel
TransporteyelProgramacomunitariodepolíticayactua
ciónenmateriademedioambienteydesarrollosostenible
(VProgramademedioambiente),sontodosellosun
ejemploclarodeltipodeintegraciónexpuestoenel
IVPrograma.
LaComisión,antelafuturaentradaenvigordelapartado2
delartículo130RdelTratadodeMaastricht,queconsolida
elaspectodeintegraciónexpuestoenelActaÚnica,yantela
ejecucióndelVPrograma,enelquesehapuestoclaramente
demanifiestoquelaintegracióneselplanteamientoclave
paraconseguirundesarrollosostenible,estárevisandosus
procedimientosinternosparaconsolidarlosymejorarlosen
loscasosenqueseanecesario.PREGUNTA ESCRITAN°2778/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/25)
Asunto:ElArcodeGalerio(Camara)Salónica
EnunodelossímbolosdeSalónica,elArco,quehasido
provistodeunacubiertaprotectora,seestánrealizando
trabajosdeconservacióndesusrelieves,quelacontamina
ciónambientalylalluviaácidaconviertenen«yeso».Está
previstoquelostrabajosdeconservacióndelmonumentose
prolonguenhasta1997,perosupreservaciónsóloserá
posiblesicesalaelevadacontaminaciónprocedentedelos
automóvilesenlaavenidaEgnatia,lacéntricaarteriadela
capitalmacedonia.¿TieneintenciónlaComisióndeintere
19.7.93 DiarioOficialdelasComunidadesEuropeas N°C195/17
sarseporlaproteccióndeestemonumentocultural,quees
patrimoniodeSalónica,deMacedonia,deGreciayde
Europaengeneral?
RespuestadelSr.Paleokrassas
ennombredelaComisiónaumentarmuyrápidamenteenelfuturosinnecesidadde
nuevasinversionesporpartedelospropietarios .Estosería
contrarioalascondicionesdeayuda,porloquemegustaría
sabercómopiensalaComisiónasegurarsequeéstono
ocurrirá.
¿CómopiensalaComisiónasegurarsedequesellevaacabo
unareducciónauténticaeirreversibledelacapacidaddelos
astillerosdelaantiguaRDA?¿Cómoseharepartidoenlos
diferentesastilleroslacapacidadfijadaporlaComisión?
¿Cabetemerquedentrodeunosañosseamplíedeprontola
capacidad?¿CómopiensareaccionarlaComisiónsidentro
depocosañosseconstruyeenrealidadelnúmerode
toneladascorrespondiente alacapacidadquesehacalcu
ladocomoelmáximoteórico?¿Cómopiensareaccionar
laComisiónsisesobrepasalacapacidadfijadade
327000tbc?(26deabrilde1993)
')DOn°L219de4.8.1992,p.54.Ensurespuestaalapreguntan°2507/92i1),laComisiónya
indicócuáleseransuslíneasgeneralesdeactuaciónen
materiadeluchacontralacontaminación atmosférica.
Porloquerespectaalacontaminacióndebidaaltráfico,la
normativavigentesobrelimitacióndeemisionesdevehícu
losdebepermitirunareducciónsignificativadelasemisio
nesunitariasdelosóxidosdenitrógeno.
Porotraparte,losfondosestructuralespuedenutilizarseen
lacofinanciación deproyectosparalaproteccióndel
patrimonioartísticoyelfomentoturísticodentrodel
desarrolloregional.
Véaselapágina11delpresenteDiarioOficial.RespuestadelSr.VanMiert
ennombredelaComisión
(31demarzode1993)
Enunestudiodetalladorealizadoporunaempresainde
pendienteparalaComisión,lacapacidaddeproduccióndel
conjuntodelosastillerosdelaantiguaRDAen1990se
estimóen545000tbc.
ElgobiernoalemánhacomunicadoalaComisiónlaforma
enquetieneprevistoprocederalaaplicacióndelaDecisión
delConsejoparareducirlacapacidaddelosastillerosenun
40%.Lacapacidadpasaráde545000tbca327000tbc,
conelsiguientedesgloseporastilleros:
(tbc)PREGUNTA ESCRITAN°2790/92
delSr.FreddyBlak(S)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/26)MathiasThesenWerft 100000
WarnowWerft 85000
PeeneWerft 35000
Volkswerft 85000
ElbeWerftBoizenburg 22000
Total 327000Asunto:Ayudasestatalesalosastillerosdelaantigua
RDA
LaDirectiva92/68/CEEi1)delConsejode20dejuliode
1992exigelareduccióndeun40%delacapacidaddelos
astillerosdelaantiguaRDA.Laactualcapacidadirrealque
seindicaesde545000tbc,loquesignifica,quelacapacidad
sedeberáreducira327000tbc.
Quisierasaberdequémanerasevaaevaluarestacapacidad
yquiénesresponsabledesudistribuciónenlosdiferentes
astilleros.
Queyosepa,losastillerosdelaantiguaRDAnuncahan
aprovechadoal100%supretendidacapacidady,porlo
tanto,seríainteresantecompararlacapacidadautorizada
conlaproducciónreal.
Sinosimaginamosquelacapacidaddelosastilleros
restauradosselimitaa327000tbcconunabajatasade
empleoyteniendoencuentaquelacapacidadfísicadelos
centrosdeproducciónmuchomayor,lacapacidadpodríaEstosignificaqueRosslauerSchiffwerftquedarácerradode
formairreversibleparalaconstruccióndenuevosbuques,
comoyaocurreenlaactualidadconNeptunWerft.
Conarregloalodispuestoenelartículo7delaSéptima
Directivasobreayudasalaconstrucciónnaval90/864/
CEEi1),laComisióncontrolarálareduccióndecapacidad
deloscincoastillerosrestantes,queseguiránconstruyendo
buquesalmenosdurantecincoañostraslareducciónde
capacidad,ycualquieraumentodedichacapacidaddurante
esoscincoañosestarásubordinadaaunaautorizaciónpor
partedelaComisión.Silafuturaproducciónindicaraquese
hansuperadoloslímitesdecapacidad,laComisióntomará
lasmedidasoportunas,entrelasqueseincluyeunaposible
recuperacióndelaayuda.
Enelmarcodelmencionadocontroldelacapacidad,la
Comisiónhapedidoaunaempresaindependiente un
análisisdelosplanesdeinversióndelosastillerospara
N°C195/18 DiarioOficialdelasComunidadesEuropeas19.7.93
estimarsilareducciónglobaldecapacidadyelcambiode
capacidadpropuestoporastillerovaallevarseacabo
efectivamente .Laestimaciónsebasaráenlimitacionesde
capacidadmaterialdegranenvergadura.
í1)DOn°L380de31.7.1990.
PREGUNTAESCRITAN°2792/92
delSr.FreddyBlak(S)
alaComisióndelasComunidadesEuropeas
(16denoviembrede1992)
(93/C195/27)RespuestadelSr.VanMiert
ennombredelaComisión
(29demarzode1993)
Lasevaluacionessobreelmercadoefectuadasporla
Comisiónestabanbasadasenlasprevisionesdelapropia
industria,y,alparecer,laesperadareactivacióndela
demandaseharetrasado.Noobstante,elimportemáximo
delaposibleayudaoperativaalosastillerosdelaantigua
RDAsehafijadoenel36%hastafinalesde1993(Directiva
90/684/CEEdelConsejode20dejuliode1992)(!).El
aumentorealdelaayudaconcedidaacadaastilleroenesta
regiónsebasaráenlaayudanecesariaparareestructurary
adquirircapacidadcompetitiva,peronosepermitirá
superarellímitemáximomencionado.Laspresentesinves
tigacionessobrelastresprimerasprivatizacionesmuestran
quelaayudaporastillerosesituarápordebajodeestelímite
máximoypordebajodelosimportesmencionadosenla
propuestadedirectivadelConsejo[SEC(92)991]citadapor
SuSeñoríaensupregunta.
EldeberdelaComisiónesaplicarestrictamentelaexcepción
formuladaenlacitadaDirectivadelConsejo.Deconformi
dadconlodispuestoenlasletrasa)yb)delapartado2dela
parte(a)delartículo10,laexcepciónfinalizael31de
diciembrede1993;todaslasayudasdeberánpagarseantes
deesafechaynosepodránconcedermásayudasala
producciónporcontratosfirmadosentreel1dejuliode
1990yel31dediciembrede1993.Porlotanto,nohay
posibilidaddeaumentaroampliarelniveldeayudanide
reaccionaranteelcambiodelascondicionesdelmer
cado.
Encuantoalasrepercusionesdelasactualescondicionesdel
mercadosobrelosdemásastilleroscomunitarios ,esta
cuestióndeberáresolversedeconformidadconlapolítica
comunitariadeayudasalaconstrucciónnaval,queactual
menteestárecogidaenlaSéptimaDirectivasobreayudasa
laconstrucciónnaval(90/684/CEE)i1).Asunto:Ayudasestatalesalosastillerosdelaantigua
RDA
EnlapropuestadelaComisióndeunaDirectivadelConsejo
porlaqueseintroducenmodificaciones enlaSéptima
DirectivadelConsejosobreayudasalaconstrucción
naval(l),de25demayode1992,laComisiónpresentauna
seriederazonesporlasquesedebenautorizarlasayudasa
losastillerosubicadosenlaantiguaRDA.LaComisión
indica,correctamente ,quehayquetenerencuenta,poruna
parte,losproblemasestructuralesenMecklenburgo-Pome
raniaoccidentaly,porlaotra,lascondicionesdecompe
tenciaenlaComunidad.
Enrelaciónaesto,laComisiónbasasupropuestaenlas
perspectivasdeunaumentodelosprecios(1992:9%,1993:
6%,1994:6%)ydeunaumentodelademanda(1990
1995:+45%,1995-2000:+95%).Estascifrassebasanen
lospronósticoselaboradosporasesoresylaAWES(Aso
ciacióndeArmadoresdeEuropaOccidental)ylaComisión
concluyequeestedesarrollopositivopaliarálasdistorsiones
delacompetenciacomoconsecuenciadelaayuda.
Ladecisiónsobreelimportedelaayudaestáprobable
mente,influenciadatambiénporestospresupuestos ,yaque
sehacalculadounacompensaciónporpérdidasdeproduc
ciónapartirdel1dejuliode1990.Laspérdidasde
produccióndebenestarinfluenciadasporeldesarrollode
lospreciosdemercado.
Sehademostradoqueyanosirvenlospronósticosquese
elaboraronantesdelaresoluciónsobrelaayudamasiva.Los
preciosylademandaoscilan,loquepodríaservircomo
motivopara,obienaumentarlaayuda—considerandoque
laspérdidasenlosastillerosdeMecklenburgo-Pomerania
occidentalaumentan,obienparareducirlaayuda
considerandoquelosefectossobrelacompetitividad delos
demásastilleroseuropeosempeoran.
QuisieratenerlapromesadelaComisióndequelas
consideraciones conrespectoalempleoenlosdemás
astilleroseuropeospesaránlosuficientecomoparaqueno
sepienseenunaumentooenunaampliacióndelaayudaa
losastillerosdelaantiguaRDA.
¿CómopiensalaComisiónreaccionaranteloscambiosde
lospresupuestosenquesebasaladecisiónsobrelaayudaa
losastillerosdelaantiguaRDA?
í1)SEC(92)991.(MDOn°L380de31.12.1990.
PREGUNTA ESCRITAN°2795/92
delSr.MihailPapayannakis (GUE)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/28)
Asunto:DesviacióndeaguasdelríoAqueloo
Ensurespuestaamipreguntaescritan°1943/91{x)del21-
defebrerode1992,laComisiónafirmabaque«...según
losestudiosllevadosacaboporlasautoridadesgriegasy
transmitidosalaComisión,globalmenteelpotencialde
generacióndeenergíadelríoAquelooseveráescasamente
afectadoporelproyectodedesviacióndeaguas».Enla
respuestaalapreguntaoralH-303/92(2)seafirmabaque,
segúnlosestudiosllevadosacaboporlacompañíaestatal
griegadeelectricidades ,ladesviacióndeaguasdelrío
Aqueloosupondríaunaumentodelaproduccióndeenergía
N°C195/1919.7.93 DiarioOficialdelasComunidadesEuropeas
—Corvusmonedula—Corvuscorone—Picapica—
Passerdomesticus—Passermontanus—Passerhispa
niolensis—Sturnusvulgaris—Garrulusglandarius.eléctricadeentre1000y1280Gwh/año,loqueconstituye
unimportanteaumentodelaproduccióndeenergía
hidroeléctricaenGrecia.¿PuedeexplicarlaComisiónla
evidentecontradicciónexistenteentresusdosafirmaciones
einformarnosdesicontinúaabsolutamenteconvencidade
quelaobradedesviacióndeaguasdelríoAqueloo
representaunainversióncomunitariadeimportanciaen
relaciónconsucoste?
(!)DOn°C141de3.6.1992,p.5.
(2)DebatesdelParlamentoEuropeon°3-417(abrilde1992).—Enépocadenidificación (encontradelodispuestoenel
apartado4delartículo7delaDirectiva79/409/CEE):
Streptopeliaturtur—Columbapalumbus—Columba
oenas—Columbalivia—Anasplatyrhychos.
—Durantelamigración(encontradelodispuestoenel
apartado4delartículo7delaDirectiva79/409/CEE):
Streptopeliaturtur—Columbapalumbus—Columba
oenas—Alaudaarvensis—Turduspilaris—Turdus
iliacus—Turdusviccivorus—Anseranser—Anas
streptera—Anascrecca—Anasquerquedula—Anas
platyrynchos—Anasclypeata—Aythyaferina—
Fúlicaatra—Lymnocryptesminimus—Gallinago
gallinago—Scolopaxrusticola—Gallínulachloropus
—Vanellusvanellus—Turdusmerula—Bucepbala
clangula.
¿QuémedidastienelaintencióndeadoptarlaComisión
pararemediarestasituación?
(!)DOn°L103de25.4.1979,p.1.
RespuestadelSr.Paleokrassas
ennombredelaComisión
(30deabrilde1993)
Lacazadeavesylosperíodosdemigracióndealgunas
especiesdeaveshansidoobjetodenumerosasdiscusiones
enelComitéORNIS(Comitédeadaptaciónalprogreso
técnicoycientíficodelaDirectiva79/409/CEE).Porotra
parte,lacreacióndelabasededatosORNISpermitealos
Estadosmiembrosinformarsedelosdatosmásrecientes
sobrelabiologíadelasespeciescubiertasporlaDirectiva
relativaalasaves.
Comoconsecuencia delasnumerosasdenuncias,seha
iniciadounprocedimiento ,deconformidadconelartícu
lo169delTratadoCEE,pormalaaplicacióndelaDirectiva
sobreavesenGrecia.Convieneahoraesperarlaevolución
dedichoprocedimiento .RespuestadelSr.Millan
ennombredelaComisión
(19demarzode1993)
LarespuestadelaComisiónalapreguntaescritan°1943/91
debeinterpretarseenelsentidodeque,segúnlosestudiosdel
DEI(Compañíaestatalgriegadeelectricidad),lasdiversas
hipótesisdeexplotaciónenergéticadelAqueloo,conosin
desviación,llevananivelesclaramentecomparablesde
produccióndeenergía.
Porotraparte,laComisiónconfirmaque,segúnlosestudios
deesemismoorganismo,elproyectodelAqueloo,talcomo
loconcibenlasautoridadesnacionales,implicaunaumento
aproximadodelaproducciónactualdeenergíahidroeléc
tricaenGreciadeun25%(de1000a1280Gwh/año).
LaComisiónnoveningunacontradicciónentreambas
afirmaciones.
LaComisiónsepronunciarásobrelaoportunidadde
concederunaayudacomunitariaparaelproyectode
desviacióndelAquelootalcomofiguraenelmarco
comunitariodeapoyodeGreciacuandorecibadelas
autoridadesgriegaslasolicitudcorrespondiente ydisponga
delosresultadosdeanálisisderentabilidadadecuados.
PREGUNTA ESCRITAN°2800/92
delSr.Jean-PierreRaffin(V)PREGUNTA ESCRITAN°2839/92
delSr.AlexandrosAlavanos(CG)
alaComisióndelasComunidades Europeas
(16denoviembrede1992)alaComisióndelasComunidades Europeas
(16denoviembrede1992)
(93/C195/29)(93/C195/30)
Asunto:ViolaciónporpartedeGreciadelaDirectiva
relativaalaconservación delasavessilvestres
¿EstáinformadalaComisióndelasgravesviolacionesdela
Directiva79/409/CEE{x)porpartedeGrecia?
Lanormativagriegarelativaalacazaparaelperíodo
1992-1993autorizaparticularmente lacazadelasespecies
siguientes :Asunto:Escándaloenelsectordelaceitedeolivagriego
ElDirectorGeneraladjuntodelaDirectivaGeneralde
AgriculturadelaComisión,Sr.MichelJacquot,enunacarta
dirigidaalGobiernogriegoenrelaciónconlos«fraudese
irregularidades enelsectordelaceitedeolivadenuestro
país»,solicita:
—queseleremitanlascopiasdelasdecisionesrelativasala
realizacióndeinvestigaciones decretadasporelministe
19.7.93N°C195/20 DiarioOficialdelasComunidadesEuropeas
PREGUNTA ESCRITAN°2891/92
delSr.JanBertens(LDR)
alaComisióndelasComunidadesEuropeas
(23denoviembrede1992)
(93/C195/31)riogriegodeAgriculturaylaadministracióndelOEEE
(Organismodecontroldelasayudasalaceitede
oliva);
—queselecomuniquenlasconclusionesdefinitivasde
estasinvestigaciones ;
—queseleinformeacercadelestadodeaplicacióndelas
sanciones.
¿PodríaindicarlaComisión:
1.Siharecibidorespuestasalassolicitudesmenciona
das;
2.AquéconclusiónhallegadolaComisiónapartirde
dichasrespuestasydelainvestigacióninsitudelSr.
Jacquot;
3.Quéotrasaccionespiensallevaracaboparaesclarecer
estasituación?
RespuestadelSr.Steichen
ennombredelaComisión
(10demarzode1993)
1.ElSr.M.Jacquot,DirectordelFEOGA,visitóAtenas
el16deoctubrede1992paratratarconlasautoridades
griegasylaadministracióndelOEEEdiversospuntosdelas
accionesemprendidastraslasdenunciasqueaparecieronen
laprensacontralosfraudeseirregularidadescometidosenel
sectorgriegodelaceitedeoliva.
Duranteestavisita,tantolasautoridadesgriegascomola
administración delOEEErespondieronatodaslaspregun
tasplanteadassobreeltemayentregaronalrepresentantede
laComisióncopiasdelasdecisionesadoptadasporlos
MinisteriosgriegosdeAgriculturayHaciendaordenando
unainvestigaciónenestesector,asícomodocumentación
sobreelestadoactualdeésta.
Entretanto,lasautoridadesgriegashancomunicadoala
Comisióninformacióndetalladasobrelassanciones
impuestasaunidadesdetransformación ,almazarasy
organizaciones deproductorescomoresultadodelos
controlesefectuadosporelOEEEdesdeelcomienzodela
investigaciónhastalavisitadelSr.Jacquot.
2.TantolainvestigacióninsiturealizadaporelSr.
Jacquotcomoladocumentación facilitadaalaComisión
indicanquelasautoridadesnacionalesyelOEEEhan
adoptadotodaslasmedidasnecesariasparainvestigarlos
casosdefraudequesecomentaronenlaprensaylosque
conciernenalpersonaldeeseorganismo.Segúnlainforma
ciónrecibida,yasonvarioslosexpedientesquesehan
enviadoalasautoridadesjudiciales.
3.LaComisiónestásiguiendomuydecercaesteasuntoy
esperaalasconclusionesdefinitivasdelainvestigaciónpara
decidirsobrelaconveniencia ,ensucaso,deemprender
nuevasmedidasquepermitanresolverelasuntodeforma
satisfactoria .Asunto:Violacióndelderechoalalibertaddeestableci
mientoydelalibreprestacióndeserviciosen
perjuiciodepropietariosdebarracasferialesno
alemanesenAlemania
¿EstáalcorrientelaComisióndequedesdehacepoco
tiempoenlaRepúblicaFederaldeAlemaniadebepresen
tarse,paralasolicituddeasignacióndeunpuestoferial,un
llamadodocumentodeactividadprofesionalambulante
(Reisegewerbe-Karte )?
EnlosdemásEstadosmiembrosnoseconocetaldocu
mento,demodoquelospropietariosdebarracasproceden
tesdeestosEstadosmiembrosnopuedenpresentardicho
documento,conlocualsedeniegansussolicitudesde
inscripción.
¿Trátaseaesterespectodeunadiscriminaciónporrazones
denacionalidadydeunaviolacióndelderechoalalibertad
deestablecimiento ydelalibreprestacióndeserviciospara,
entreotrasactividades,propietariosdebarracasferiales,tal
comolodisponelaDirectiva75/368/CEE?
¿Encasoafirmativo,estádispuestalaComisiónarealizarlas
gestionesnecesariasparaponerfinaestaprácticadiscrimi
natoria?
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(2deabrilde1993)
Porloqueserefierealalibrecirculacióndepropietariosde
barracasferiales,elConsejodelasComunidadesEuropeas
aprobólaDirectiva75/369/CEE(*)de16dejuniode1975,
relativaalasmedidasdestinadasafavorecerelejercicio
efectivodelalibertaddeestablecimiento ydelalibre
prestacióndeserviciosparalasactividadesejercidasde
formaambulanteyporlaqueseadoptan,enparticular,
medidastransitoriasparadichasactividades.
ElprincipalobjetivodedichaDirectivaeseldeeliminarel
obstáculoalamovilidaddelaspersonasylosservicios
derivadodelasdisposicionesnacionalesquecondicionanel
ejerciciodedeterminadasactividadesprofesionalesauna
pruebadehonorabilidad ,yqueseextiendeindistintamente
tantoalosciudadanosnacionalescomoalosextranjeros.
EstasdisposicionesexistenprecisamenteenAlemaniapara
elejerciciodelasactividadesambulantesylapruebadela
honorabilidadparalosciudadanosalemanessesuministra,
enprincipio,mediantela«Reisegewerbekarte ».Paralos
ciudadanosdelosdemásEstadosmiembros,laDirectiva,en
suartículo3,establecelosdocumentosprobatoriosque
puedensustituirala«Reisegewerbekarte »,asaber:un
certificadodepenaleso,ensudefecto,undocumento
equivalenteexpedidoporlaautoridadjudicialoadminis
trativacompetentedelpaísdeorigenodeprocedencia,del
quesedesprendaquesecumplelaexigenciadehonorabi
lidad.AfaltadedichodocumentoenelEstadomiembrode
origenodeprocedencia,elEstadomiembrodeacogidadebe
N°C195/21 19.7.93 DiarioOficialdelasComunidadesEuropeas
admitiruncertificadoounadeclaraciónelaboradocon
arregloalodispuestoendichoartículo3.
LaComisiónnotieneconocimientodequeexistanproble
masderivadosdelaaplicacióndedichaDirectiva.
í1)DOn°L167de30.6.1975.
PREGUNTA ESCRITAN°2894/92
delSr.GerardoGaibisso(PPE)
alaComisióndelasComunidadesEuropeas
(23denoviembrede1992)Encuantoalaspreguntasconcretas,cabesuponerqueSu
Señoríaserefierealoscontratosrelativosalnuevoedificio
delConsejo,cuyoórganodeadjudicaciónsonlasautorida
desbelgas.
Enrelaciónconlaconstruccióndelnuevoedificiodel
Consejo,«COGEFARIMPRESIT»nohaobtenidoningún
contratoasunombre,sinoúnicamenteentantoque
miembrodeunconsorciointernacional ,CDK,formadopor
«COGEFARIMPRESIT»,Dywidag(Alemania)yKoeckel
berg(Bélgica),adjudicatariodetreslotesdelaobrade
construccióndelnuevoedificiodelConsejo.
1.Lasautoridadesbelgas,ensucalidaddeórganode
contratación,publicarondebidamenteunanunciode
licitaciónenelSuplementodelDiarioOficialdelas
ComunidadesEuropeasn°S142de25dejuliode1987,
página11.Dichapublicaciónsupusoeliniciodeun
procedimiento deadjudicaciónrestringido.
2.Paracadaunodelostreslotesserecibieronnueve
ofertasdeempresaso,sobretodo,degruposde
empresasdeBélgica,Italia,Francia,Alemania,Luxem
burgo,EspañaylosPaísesBajos.
3.LaComisiónnopuedeproporcionar lainformación
solicitadasobreelcontenidodelalicitación,que,en
cualquiercaso,tantoelconsorciocomolasautoridades
belgascompetentesconsideran,legítimamente ,de
carácterconfidencial.
4.LaComisiónhaanalizadolosprocedimientos emplea
dosenlaadjudicacióndeloscontratosparaloslotes1.2
y3ydeesteanálisisnosedesprendequelascondiciones
deadjudicacióndelaobraalconsorciodelque
«COGEFARIMPRESIT»formapartenoseajustarana
lasdisposicionescomunitariassobrecontrataciónpúbli
ca.(93/C195/32)
Asunto:Trabajosdeconstruccióndeedificiosdestinadosa
lasinstitucionesdelaComunidadEuropeaadju
dicadosalaempresa«COGEFERIMPRESIT»,
sometidaainvestigaciónjudicialenItalia
Entrelasempresasquetrabajanenlaconstrucciónde
edificiosdestinadosalasinstitucionesdelaComunidad
EuropeaenBruselasfiguralaitaliana«COGEFERIMPRE
SIT»,sometidaainvestigaciónjudicialenItaliaporhaber
entregadoadistintasautoridadespúblicasypartidos
políticosingentessumasenconceptodecomisionesilegales
paraasegurarse,ilegalmente,laadjudicacióndelicitaciones
deobraspúblicas,violandogravementelanormativa
comunitariarelativaalacompetencialibreyleal,corrom
piendoenlugarde«compitiendo».Porestemotivo,unode
losprincipalesdirectivosdela«COGEFARIMPRESIT»ha
sidodetenidoporordendeljuezdeinstrucción.
¿PuedeinformarlaComisión:
1.siparalaconstruccióndelosedificiosencuestión
convocóunalicitaciónendebidaforma,estoes,
publicandolaconvocatoriaenelDiarioOficialdelas
ComunidadesEuropeas;
2.cuántasempresasydequépaísesmiembrosparticiparon
enlalicitación;
3.quécondicionesofrecióla«COGEFARIMPRESIT»
paraganarlalicitaciónyadjudicarselostrabajos;
4.mediantecuálesprocedimientos seconfiaronlostraba
josala«COGEFARIMPRESIT»?í1)DOn°C6de11.1.1993.
PREGUNTA ESCRITAN°2899/92
delSr.CesareDePiccoli(UE)
alaComisióndelasComunidades Europeas
(23denoviembrede1992)
(93/C195/33)
Asunto:CierredelafábricaAlucentrodePortoMarg
hera
Considerando quelamultinacional Alusuissehadecidido
cerrarlafábricadePortoMargherallamadaAlucentro,lo
queconllevaeldespidodecientosdetrabajadores ;
Considerandotambiénquedichocierreformapartedeun
proyectodeAlusuisseaescalaeuropea;
¿PuedeinformarlaComisiónsiestáalcorrientedeelloy,en
casoafirmativo,sipiensaadoptarmedidasparaimpedirque
enlaComunidadseproduzcaunagravepérdidadepuestos
detrabajoyunareduccióndelaproducciónenelsectordel
aluminio?RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(7deabrilde1993)
Paralosaspectosgeneralesplanteadosenlapregunta,
remitoasuSeñoríaalarespuestadelaComisiónala
preguntaescritan°1437/92,presentadaporelSr.Link
ohrí1).
N°C195/22 DiarioOficialdelasComunidadesEuropeas 19.7.93
PREGUNTA ESCRITAN°2933/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/34)
Asunto:Elnuevorégimendeexplotacióndecanterasen
Grecia
Laintroduccióndeunnuevorégimendeexplotaciónde
canterasenGrecia,basadoencriteriosmedioambientales ,
nohasidoaúndecretadaporlasautoridadesgriegas
competentes .SegúnhadeclaradoelGobiernogriego,el
Decretopresidencialquetrataráderesolverlasituaciónde
lascanterashasidoaplazadosinedie.¿PiensalaComisión
interesarseporesteasunto?RespuestadelSr.Bangemann
ennombredelaComisión
(5deabrilde1993)
AlucentropertenecealgrupoAlusuisseItalia,ysededicaala
produccióndeánodosempleadosparalaobtenciónde
aluminioprimarioporelectrólisis.Suprincipalclienteerala
fábricaSAVAdePortoMarghera,propiedaddeAlumix
(Estadoitaliano).Enlaactualidad,Alumixproducesus
propiosánodosdecarbonodecalidad,porloqueAlucentro
haperdidoasuprincipalcliente.
Lacrisiseconómicaqueafectaalmundodesde1990ha
provocado,entreotrascosas,unestancamientodela
demandadealuminioprimario,'locualsehatraducidoen
unabajadepreciosenlosmercadosinternacionales.
Elaumentodelasexportaciones dealuminiodelas
repúblicasdelaantiguaURSS,quehandescargadoenlos
mercadosinternacionales ,ysobretodoenlaComunidad,
cercadeunmillóndetoneladasalañoen1991y1992,ha
deterioradoaúnmáslospreciosmundiales.Estacaídadelos
preciosdelaluminiohasituadoalaindustriacomunitariaen
unaposicióncrítica,sobretodohabidacuentadelhechode
quesuscostesdeproducciónson,enmuchoscasos,
superioresalosdesuscompetidoresnocomunitarios ,sobre
tododelossituadosenpaísescuyasreglamentaciones son
menosexigentesquelascomunitarias ,porejemploen
cuantoalaproteccióndelmedioambiente.
Parahacerfrenteaestasituación,losindustrialeshan
decididoelcierretemporalodefinitivo,segúnloscasos,de
lasfábricasmenoscompetitivas.
LaComisiónesconscientedeestosproblemasysiguede
muycercasuevolución,principalmente atravésdelosdatos
estadísticosobtenidosgraciasalsistemadevigilancia
establecidoporsupropiainiciativaporelReglamento
(CEE)n°958/92,de14deabrilde19920).Porotraparte,
instruyeenestemomentounademandadelGobierno
francésrelativaalaaplicacióndeunacláusuladesalvaguar
diacomunitariaalasimportaciones dealuminiobruto
procedentesdelasrepúblicasdelaCEI.Ladecisiónfinalen
esteasuntocorrespondealConsejo.Porsuparte,la
Comisiónseesmeraráporllevarestainstruccióndemanera
eficazyrápida.
LaComisiónestáconvencidadequelasalvaguardiadelos
interesescomunitarios ,sobretodolosrelativosalempleo,
exigelaobservanciadelasnormassobrelacompetenciaen
losmercadosinternacionales .Paraalcanzaresteobjetivo,en
particularenlasrelacionescomercialesconlasrepúblicasde
laCEI,esnecesario,juntoamedidasdepolíticacomercial
quelaComisiónpodríaproponer,desarrollarunainiciativa
decooperaciónimportante,dirigidasobretodoafacilitarla
insercióndeestasrepúblicasenlaeconomíademercado.RespuestadelSr.Paleokrassas
ennombredelaComisión
(27deabrilde1993)
LaComisiónseñalaquelacuestiónplanteadaporSu
Señoríasobreelrégimendeexplotacióndecanterasen
GreciaescompetenciadelosEstadosmiembros.
Setrata,enefecto,deundecretoqueestableceloscriterios
generalesquedebencumplirlasexplotacionesdecanterasy
que,ensí,noentraenelámbitodeaplicacióndelaDirectiva
85/337/CEE(J),pueséstasólorequiereunaevaluaciónde
impactoambientalenelcasodeproyectosparticularesdela
industriaextractiva.
Así,cadavezquesesoliciteunaautorizaciónparala
explotacióndeunacantera,corresponderá alasautoridades
griegascomprobar,antesdeconcederla,siesnecesariauna
evaluacióndeimpactoambientaldeacuerdocondicha
Directiva,teniendoencuentaeltamañoolalocalizaciónde
lacantera.
(MDOn°L175de5.7.1985.
PREGUNTA ESCRITAN°2935/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(24denoviembrede1992)
(93/C195/35)
í1)DOn°L102de16.4.1992.Asunto:Establecimiento deuncatastroenGrecia
ConsiderandoqueGrecianodisponehastalafechadeun
catastrogeneralnacionalnidecatastrosespecíficos,¿piensa
laComisiónproponerunaayudaaestepaísdestinadaal
próximoestablecimiento deloscatastrosnecesarios?
DiarioOficialdelasComunidadesEuropeasN°C195/2319.7.93
Afinalesde1992,lasautoridadesresponsablesdela
ejecucióndelmismohabíanagotadototalmenteelpresu
puesto,porloquerecientementesehanasignadootros2,8
millonesdedracmascorrespondientes a1993paracomple
tarlafaseencursodelproyecto.Sepuedeestudiarla
financiacióndenuevasfasesdentrodelanuevarondade
ayudasdelosFondosestructuralesaGrecia,quecomenzará
en1994.RespuestadelSr.Millan
ennombredelaComisión
(22demarzode1993)
LaComisiónconsideraquelaelaboracióndeuncatastro
nacionalydecatastrosespecíficosenGreciapermitirían
disponerdeuninstrumentoimportanteparaeldesarrolloy
lamodernizacióndelosserviciosadministrativosnacionales
y,deformamásgeneral,delaeconomíaylasociedad
griegas.
Enestecontexto,laComisiónestáfinanciandolaelabora
cióndeunregistrooleícolayvitivinícolaenGrecia,y
tambiénunestudiopilotoenMacedoniacentralconvistasa
prepararunmétododeelaboracióndelcatastronacional
adecuadoalaspeculiaridadesgriegas.Noobstante,elinicio
deestasoperacioneshapuestoenevidencialosmúltiples
inconvenientesqueprovocalafaltadeuncatastrodefincas
rústicasy,porlotanto,lanecesidaddedesarrollarun
instrumentoquepermitaefectuarunseguimientoque
satisfagalasnecesidadesdelaspolíticascomunitariasy,en
particular,delaPAC.
Porúltimo,laComisiónestádispuestaaestudiarla
posibilidaddecofinanciarelcatastronacionalgriegoagran
escaladentrodelpróximomarcocomunitariodeapoyo
griego,silasautoridadesgriegascompetentesenlamateria
presentanunapropuestaalrespecto.PREGUNTAESCRITAN°2952/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/37)
PREGUNTA ESCRITAN°2936/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)
(93/C195/36)Asunto:LatragediadelosniñosenBosnia-Herzegoviña
ElbalancedelaguerracivilenBosnia-Herzegovina es
trágicoparalosniños,víctimasinocentesenesteconflicto.
Desdequeenelmesdeabrilsedesencadenaron las
hostilidades,ysegúnlosdatosdelInstitutodeSanidadde
Bosnia-Herzegovina ,hanfallecido1500niños,hanresul
tadoheridos30000ypadecengravesproblemaspsicológi
cosmásde900000.Considerandoque,segúnelAlto
ComisariadodelasNacionesUnidas,muyprobablemente
seproduciráunelevadonúmerodefallecimientosdeniñosa
consecuenciadelfríoydelafaltadeayudaalolargodeeste
invierno,¿quémediosseproponeutilizarlaComisiónpara
salvaralosniñosdeBosnia-Herzegovina ,dadoquelos
refugiadosquecarecendetodotipodeabrigorebasanyala
cifrade2700000?¿TieneintenciónlaComisiónde
solicitar,entreotrascosas,unmayoraumentodelaayuda
queconcedelaComunidadatravésdelprogramaespecial
paraestaregión?
RespuestadelSr.Marín
ennombredelaComisión
(7demayode1993)
Desdeelcomienzodelconflictoenelterritoriodelaantigua
Yugoslavia,laComisiónhaconcedidoayudasimportantes
enbeneficiodelosrefugiadosydesplazadosacausadelos
combates.Enefecto,laasignacióndeayudaporunvalorde
cercade290millonesdeecus,conarregloalaayuda
humanitariadeemergencia,conviertealaComisiónenel
primerdonantemundial.
Estaayudafinancieraseharealizadomedianteelenvíode
300000toneladasdeproductosalimenticios,2,7millones
depaquetesparafamilias,178000mantas,50000colcho
nes,4500toneladasdejabón/detergente,larealizaciónde
programasmédicosporunvalordeaproximadamente 24
millonesdeecus,programasderefugiosporunvalorde
aproximadamente 37millonesdeecus,etc.Estaayudaestá
destinadaatodalapoblaciónnecesitada,sindiscrimina
ción,yevidentementetambiénalosniñosdeBosnia
Herzegovina .Asunto:Renovacióndelareddesuministrodeaguaenel
municipiodePortaría(provinciadeMagnisia)
Considerandoquelasobrasderenovacióndelaredde
suministrodeaguadelalocalidadturísticadePortaría,enla
provinciadeMagnisia,figurabaentrelasprimerasenla
propuestainicialdelosPIM(1986)conunimporte
asignadode17millones,yteniendoencuentaqueel
programaPIMacabaen1992sinquehayanfinalizadolas
obrasderenovacióndedichared,¿piensalaComisión
actuarparaseguirasegurandolafinanciacióndedichas
obras?
RespuestadelSr.Millan
ennombredelaComisión
(13deabrilde1993)
LaComisiónconfirmaquelosProgramasIntegrados
Mediterráneosincluíanunproyectodesuministrodeagua
paraelmunicipiodePortaríaconunpresupuestode17
millonesdedracmas.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/24
LaComisióncontinúasusesfuerzosen1993yel3demarzo
pasadodecidiólaprimerasignaciónde60millonesdeecus
enfavordelasvíctimasdelconflicto.
PREGUNTAESCRITAN°2968/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(24denoviembrede1992)altasproduccionesdedichasinstalaciones,740000Tm/año
decarbonosódicoy256000Tm/añodesosacáustica,el
pesototaldesólidosqueseviertedirectamentealmarsupera
las1500Tm/día.
Talesvertidostienenunimpactomedioambiental clara
mentenegativo,sobretodorespectodeloscultivosmarinos
quesedesarrollanenlacostapróxima,yaquelaalta
concentracióndemateriasensuspensiónenlazonadeter
minaquelasaguasnopuedancumplirlosrequisitos
mínimosestablecidosenlaDirectiva79/923/CEEdel
Consejo,de30deoctubrede1979(!),relativaalacalidad
exigidaalasaguasporlacríademoluscos.
¿EsconscientelaComisióndelaexistenciadeuningente
vertidodeproductossólidosrealizadodirectamentealmar
porSolvayyCía.sindepurarenlaplayadeUsgo,enla
ComunidadAutónomaEspañoladeCantabria,juntoa
zonasenlasqueserealizancultivosmarinos?
¿QuémedidaspiensaadoptarlaComisiónparaexigirdel
EstadoEspañollagarantíadequeloscultivosmarinosenlas
proximidadesdetalesvertidoscumplenlosrequisitosde
calidaddeaguasmínimosestablecidosporlanormativa
comunitaria ?(93/C195/38)
Asunto:Lasubvenciónalaempresanormalizadora del
sectordelaceite«Eleoparagoyikí EladasZ.A.
Tambara»
Segúnpublicacionesdelaprensagriegade4deoctubrede
1992,surgenmultituddeinterrogantesrespectoalos
procedimientosporlosquesesubvencionalaempresa
normalizadoradelsectordelaceite«Eleoparagoyikí Eladas
Z.A.Tambara»deSalónica.¿PiensasolicitarlaComisiónel
esclarecimiento deesteasunto?
RespuestadelSr.Steichen
ennombredelaComisión
(4demarzode1993)
LaComisiónnodisponedeinformaciónparapodertomar
unaposturasobrelaposibilidaddeconcederunaayudaala
unidaddeenvasado«Elaioparagoyiki EliadasTH.A.
Tabara»deTesalónica;sehaenviadoalasautoridades
griegasunanotificaciónenvirtuddelapartado3del
artículo93delTratado.
LaComisiónnodejarádepronunciarseacercadeesta
medidaenfuncióndelasnormasdecompetenciadel
Tratado.(!)DOn°L281de10.11.1979,p.47.
RespuestadelSr.Paleokrassas
ennombredelaComisión
(3demayode1993)
LaDirectiva79/923/CEEdelConsejo,de30deoctubrede
1979,relativaalacalidadexigidaalasaguasparacríade
moluscossóloesaplicablealasaguascosterasysalobres
consideradasporlosEstadosmiembroscomoaguasque
requierenprotecciónomejoraparaquelosmoluscos
puedanvivirenellas.
Españacuentaconcincozonasdeclaradascomoaguaspara
críasdemoluscosenlaregióndeCantabria,númeroquela
Comisiónconsideraadecuadoyrepresentativo paraesta
zona.Delascincozonas,lasmáspróximaalaplantade
BarredaseencuentraenlaMarismadeMogroaloestedel
estuariodelríoSoya.
LaComisiónharecibidodeEspañalosresultadosdelos
controlesrealizadosdurante1990ensusaguasdeclaradas
paracríademoluscos.Sinembargo,losdatosfacilitadosson
insuficientesparapermitirapreciarsiexistenproblemasen
relaciónconelparámetrodesólidosensuspensiónenlas
zonasdeclaradascomoaguasparacríademoluscosenla
regióndeCantabria.Porestarazón,laComisiónvaa
procederaunasinvestigacionesespecíficasparadeterminar
siseestárespetandoenCantabrialaDirectiva79/923/CEE,
einformaráaSuSeñoría,asudebidotiempo,sobrelos
resultadosdedichasinvestigacones.
Además,laComisiónestáexaminandolaconformidadcon
laDirectiva76/464/CEE(J)relativaalacontaminación
causadapordeterminadassustanciaspeligrosasvertidasenPREGUNTA ESCRITAN°2987/92
delSr.JoséValverdeLópez(PPE)
alaComisióndelasComunidades Europeas
(30denoviembrede1992)
(93/C195/39)
Asunto:VertidosdelacompañíamercantilSolvayyCía.en
laplayadeUsgo
LacompañíamercantilSolvayyCía.viertedirectamenteal
marysindepurarloslíquidosresidualesdelosprocesosde
fabricacióndesuplantadeBarreda(Cantabria).Dadaslas
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/25
elmedioacuáticodelaComunidad(yconlasdirectivas v
derivadasdeella)enloquerespectaalosvertidosdela
empresaSolvayyCíadeBarreda.requireque,enelcursodesuformación,sellamelaatención
delosconductoresdevehículosdemotorsobreelrespetodel
medioambientemediante,enparticular,una«utilización
pertinentedelasseñalesacústicas».
í1)DOn°L129de18.5.1976.
(!)DOn°L176de10.8.1970.
(2)DOn°L237de24.8.1991.
PREGUNTA ESCRITAN°3021/92
delSr.JoséLafuenteLópez(PPE)
alaComisióndelasComunidadesEuropeas
(30denoviembrede1992)PREGUNTA ESCRITAN°3025/92
delSr.FlorusWijsenbeek (LDR)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)(93/C195/40)
(93/C195/41)
Asunto:Transportetransfronterizo depasajeros
¿SabíalaComisiónquelosserviciosdetaxitransfronterizos ,
alcruzarlasfronterasinteriores,debendetenerseconelfin
deabonarelIVAqueadeudanenunEstadomiembro
distintoalpaísdesuresidencia?
¿Cómosecompaginaestoconlalibertaddeprestaciónde
serviciosenlaComunidadyconelhechodequeelIVAhaya
deabonarseenelpaísenelquesepagalafactura?Asunto:Medidascomunitariascontralacontaminación
sonora
Mientrassecumpleelsueñodeque«unaciudadsincoches
esunareformanecesariayrazonable,tantodesdeelpunto
devistaeconómicocomomedioambiental »,segúnha
expuestounaautoridadcomunitaria,convieneresaltarque
hayaspectosdelaciudad«concoches»queconviene
abordar,comunitariaemente yconurgencia,parapaliarla
contaminación sonoraqueeltráficoenlasciudades
provoca.
Unodetalesaspectoseselusoindebido,yexagerado,del
claxondelosautomóviles,queprovocaunaauténtica
contaminación sonora,insoportable,enlasprincipales
arteriasdetráficoporsudensidadydificultad.
Porello,ymientrassellegaalaanheladametadeorientarel
tráficodeformaqueserecuperenlasciudadesdelactual
caosqueprovocaeltráfico,convendríasilaComisiónno
estimanecesarioproponeralosejecutivosnacionalesdelos
Estadosmiembrosqueregulenlaprohibicióndelusodel
claxondelosautomóviles ,comoalgunospaísescomunita
riosyahandecretado,conobjetodeeliminarunodelos
elementosmásprovocadoresdelacontaminaciónsonoraen
nuestrasciudades.RespuestadelaSra.Scrivener
ennombredelaComisión
(5deabrilde1993)
LaComisiónesconscientedelasobligacionesquemenciona
SuSeñoríaeneltransporteintracomunitario porcarretera.
Estasobligaciones,queconsistenencargasadministrativas
impuestasalostransportistasinternacionalesenlosEstados
miembrosqueaplicanelIVAyquesuponenunapérdidade
tiempoenlasfronteras,resultannecesariasenvirtuddel
textoactualdelaSextaDirectivadelIVA77/388/CEE(*),
porlaque,entérminosfiscales,setienenencuenta,paraun
mismotransporte,todoslospaísestransitadosenfunciónde
lasdistanciasrecorridas.
Noobstante,porloqueserefierealtransportedepersonas,
estamismadirectivaestablecequeelobjetivofinalesla
imposicióndetodoelrecorridoenelpaísdeorigen.La
supresióndeloscontrolesenlasfronterasintracomunita
rias,previstaapartirdel1deenerode1993,constituye
tantolaoportunidadcomolarazónfundamentalque
justificanlaurgenciaderealizardichoobjetivo.
Contalfin,enseptiembrede1992,laComisiónpresentóal
Consejounapropuestadenuevadirectivaquesepropone
situarenelpaísdeorigenlasprestacionesdeserviciosde
transporteporcarreterayporvíafluvial.RespuestadelSr.Matutes
ennombredelaComisión
(31demarzode1993)
LaDirectiva70/388/CEEdelConsejode27dejuliode
1970H,relativaalosaparatosproductoresdeseñales
acústicasdelosvehículosdemotor,limitaelniveldepresión
acústicadedichosaparatosa118dB(A).
Laregulacióndelusodeestosaparatosproductoresde
señalesacústicasenlaszonasurbanasesdelacompetencia
delasautoridadesnacionales,einclusolocales.
Noobstante,cabeseñalarqueelAnexoII(punto2.10)dela
Directiva91/439/CEE(2)sobreelpermisodeconducciónODOn°L145de13.6.1977.
19.7.93
N°C195/26DiarioOficialdelasComunidadesEuropeas
¿PodríaindicarlaComisiónsiestasinformacionesson
ciertasy,encasoafirmativo,quémedidaspiensaadoptar
paraasegurarlaaplicacióncorrectayuniformededicha
directivaentodoslosEstadosmiembros?PREGUNTAESCRITAN°3090/92
delSr.JoséValverdeLópez(PPE)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/42)í1)DOn°L166de28.6.1991,p.77.
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(2deabrilde1993)
Losdías9deabrily14demayode1992,elGobierno
italianoinformóalaComisióndequesehabíaincorporado
alderechoitalianolaDirectiva91/308/CEE.Actualmentela
Comisiónestácomprobandoquetodaslasdisposicionesde
laDirectivaestáncorrectamenteincorporadasenlanueva
normativaitaliana.Asunto:Estudiosdeviabilidaddelfuturotúnelenel
EstrechodeGibraltarentreMarruecosyEspaña
LosGobiernodeEspañayPortugal,desdehacedécadas,
vienenestudiandolaposibilidaddeuntúnelqueenlace
MarruecosconEspaña.Dadoquelanuevapolíticamedi
terráneadelaCEconllevaráungranaumentodelflujode
personasydemercancíasentrelospaísesdelMagrebyel
restodepaísesdeOrientepróximo,¿prevélaComisión
impulsarlosestudiosdeviabilidadysufuturaimpulsióna
travésdelosnuevosinstrumentosdecooperacióncon
dichospaíses?
PREGUNTAESCRITAN°3105/92
delosSres.VirginioBettiniyGianfrancoAmendola(V)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)RespuestadelSr.Marín
ennombredelaComisión
(2deabrilde1993)
Lasautoridadesespañolasomarroquíesnosehanpuestoen
contactoconlaComisiónparaquecolaboreenlafinancia
cióndeestudiosdeposibilidadsobrelaconstruccióndeun
túnelbajoelEstrechodeGibraltar.Enelcasodequela
Comisiónrecibiesedichasolicitud,procederíaaexaminarla
convistasadeterminarsielproyectopodríabeneficiarsede
unafinanciaciónenelmarcodelanuevapolíticamedite
rránea,enparticulardentrodelapartado«horizontal».(93/C195/44)
Asunto:CazadeavesenPontida(Bérgamo)enLombardía
—Italia
ConsiderandoquelaDirectiva79/409/CEE0)relativaala
conservacióndelasavessilvestresprohíbelacazade
aves,
considerandoqueenlaprovinciadeBérgamoydeBresciase
haninstalado,comopuedeapreciarseenlafotografía
adjunta,instrumentosdestinadosacapturarymataraves,
prohibidosporlaDirectiva79/409/CEE,
¿nocreelaComisiónquedeberíaentablarunprocedimiento
porincumplimientocontralasautoridadesitalianasporno
respetarlaDirectivamencionada ?
í1)DOn°L103de25.4.1979,p.1.PREGUNTAESCRITAN°3096/92
delSr.MauroChiabrando (PPE)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/43)
Asunto:IncorporaciónporpartedeItaliadelaDirectiva
relativaalaprevencióndelautilizacióndelsistema
financieroparaelblanqueodecapitales
ItaliaaúnnohaincorporadolaDirectiva91/308/CEEHde
10dejuniode1991relativaalaprevencióndelautilización
delsistemafinancieroparaelblanqueodecapitales.
Esteretrasooriginaráapartirdel1deenerode1993
problemasparaelsistemabancarioylaclientela,yaquelas
operacionesserealizaránsegúnnormasdistintasdelos
demásEstadosdelaCEE.
Estasdificultadesyahansidoseñaladasporlasentidades
bancariasitalianasalasautoridadescompetentes .RespuestadelSr.Paleokrassas
ennombredelaComisión
(28demayode1993)
LaComisiónllevaráacaboenelEstadomiembroafectado
unainvestigacióndeloshechosaquehacenreferenciaSus
Señorías,yleinformarásobrelosresultadosdedicha
investigación.
DiarioOficialdelasComunidadesEuropeasN°C195/2719.7.93
PREGUNTAESCRITAN°3116/92
delSr.MaxSimeoni(ARC)
alaComisióndelasComunidadesEuropeas
(14dediciembrede1992)
(93/C195/45)
Asunto:Balanceecológicodeloscombustiblesbiológicos
LaOficinaalemanademedioambiente(Umweltbunde
samt)acabadeterminarunestudiosobreelbalance
ecológicodelautilizacióndecombustiblesbiológicos.
Segúnesteestudio,losbiocombustibles ,sibienproducen
unasemisionesmenoresdeCO2requierenabonoqueenel
casodelcultivodelacolzadespidenprotóxidosde
nitrógeno,ungastrescientasvecesmáspeligrosoparael
efectoinvernaderoqueelCO2.Elbalanceglobalesnegativo.
Lomismopuededecirsedelosalcoholesextraídosde
cereales,remolachasopatatas.Ensuproducciónsecon
sumeentotalmásenergíadelaqueelproductopuede
proporcionar.
Encuantoaloscostedebalanceesigualmentenegativo.Los
investigadoreshancalculadoqueaunenelcasodeuna
exenciónfiscalparalosbiocarburantes ,elaceitedecolza,
queeselbiocarburantemenoscaro,necesitaríaunasub
venciónde0,80marcosalemanesporlitroparapoderser
vendidoalmismoprecioqueelgasoilconvencional.
Losinvestigadoresalemaneshanllegadoalasiguiente
conclusión :combustiblesobtenidosdelcultivointensivode
lacolzanopresentanventajasecológicasrespectodelgasoil
convencional.
¿ConocelaComisiónesteestudio?Encasoafirmativo,¿qué
conclusionessacadeélparasuacciónenelámbitoagrícola
medioambiental ?2.Encuantoalbalanceenergéticodelosbiocarburantes ,la
mayorpartedelosestudiosinventariadosdanresulta
doscomprendidosentre1,2y5(relaciónentrelaenergía
necesariaparaproducirlos,incluidoelcontenidoener
géticodelosabonos,lospesticidasyloscarburantes
paralosaparatosagrícolasutilizados,yelcontenido
energéticodelosproductosysubproductos).Las
variacionesdependendelaeleccióndelossectoresyde
lastecnologíasutilizadas.Portanto,segúndichos
estudios,empleandobiocarburantes sereducenlas
emisionesdeCO2entodosloscasos.Sinembargo,se
habránderealizarestudiosadicionalesparaprecisartal
reducciónsegúnlaexperienciaadquirida.
Asimismodichosestudiosotorganalosbiocarburantes
ventajasrespectoalaemisióndepartículas,humoSO2,
COehidrocarburosnoquemados.Noobstante,el
balanceecológicoesmenospositivoenelcasodelos
compuestosorgánicosvolátilesylosóxidosdenitróge
no.
3.Enloqueserefierealcostedeproduccióndelos
biocarburantes ,lapropuestadelaComisióndereducir
losimpuestosespecialescubreladiferenciaexistente
entredichocosteyelpreciodeloscarburantesfósiles.
Nohayqueolvidarqueactualmenteeldiésterdecolzase
produceenpequeñasunidadespilotoyquelaproduc
cióneninstalacionesdemayortamaño(50000
100000toneladasanuales)ylosavancestecnológicos
reduciránloscostesactuales.Además,traslareformade
lapolíticaagrícolacomúñ,lospreciosdelosproductos
agrícolasdelaComunidadseaproximaránalosdel
mercadomundial.
4.Porotraparte,convienetomarenconsideraciónlas
ventajasenergéticasyeconómicasquepodríanofrecer
losbiocarburantes ,asaber,
—elaumento,pormuymodestoquesea,dela
seguridaddeabastecimientoenergéticodelaComu
nidadylareduccióndelaenormedependenciadel
transporteporcarreterarespectoalosproductos
derivadosdelpetróleo
—elefectopositivoenlabalanzadepagosyenla
balanzacomercialasícomoenelincrementodel
PNBydelempleo;aesterespecto,enunestudiodela
Comisiónsehacalculadoque,traslosprimeros5a
10años(segúnlosdistintosEstadosmiembros)los
ingresosfiscalesrecaudadosdelaactividadeconó
micaproducidaporestenuevosectorpodrían
compensarconcreceslapérdidadeingresosfiscales
resultantedelasupresióninicialdeimpuestossobre
losbiocarburantes.
5.LaComisiónconsideraque,dadoelsaberactualsobreel
tema,porelmomentonosepuedehaceractualmenteun
balanceecológicodelasituacióndelosbiocarburantes a
niveleuropeo,yaqueendichobalancenosólose
deberíantenerencuentalosefectosnocivosdealgunos
gasesrespectoalefectodeinvernaderosinoquetambién
sedeberíanplantearlaproblemáticademedioambiente
entodossusaspectos,enespecialeldelaalternativade
sustituciónentrelosbiocarburantes yloscarburantesRespuestadelSr.Matutes
ennombredelaComisión
(6deabrilde1993)
Hastalafecha,noparecequeelestudiocitadoporSu
Señoríasehayapublicadooficialmente .Noobstante,
basándoseenlainformacióndequedisponesobreestetema,
laComisiónhacelossiguientescomentarios :
1.Lasemisionesdeprotóxidodenitrógenonoson
específicasdelcultivodecolza.Dependendemuchos
factoreslocales,porloquenosepuedencuantificarde
modouniformeaniveleuropeo.Elaumentodel
rendimientodelaproduccióndecolzalogradodurante
losúltimosañossedebe,sobretodo,alosavances
realizadosenbiotecnología .Lascantidadesapuntadas
porelMinsiterioalemándeMedioAmbiente(Umwelt
bundesamt)respectoalasemisionesdeN20liberadas
enloscultivosdecolzaparecenmuysuperioresalasque
suelecitarlamayoríadelosinvestigadores .Portanto,
parecenecesariorealizarnuevasinvestigaciones al
respecto.
19.7.93N°C195/28 DiarioOficialdelasComunidades Europeas
PREGUNTA ESCRITAN°3190/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/47)fósiles.Entrelosfactoresquehabríaqueconsiderar
figurantambiénlasrepercusionessobreelmedio
ambientedelapuestaenbarbechodegrandessuperfi
ciesagrícolasdelaComunidadylaindispensable
conversióndeciertonúmerodeempleosagrícolasen
empleosindustrialesuotros.
6.Enconclusión,laComisiónconsideraqueconviene
avanzarconprudenciaeneldesarrollodelsectordelos
biocarburantes y,segúnlaexperienciaqueseadquiera,
hacerdemodopermanenteunbalanceenergético,
económicoyecológicoyunbalancedelasrepercusiones
sobreelempleo.Asunto:ProteccióndelaaldeadeKalojori(Salónica)
LaaldeadeKalojori,enlasproximidadesdeSalónica,se
estáhundiendodebidoaimportantesbombeosdeaguayse
encuentraenpeligroinmediato,bienporcausadeterremoto
uotracatástrofe,bienporlaimprevistasubidadelniveldel
mar.CabeseñalarqueelMinisteriogriegodeMedio
Ambiente,OrdenacióndelTerritorioyObrasPúblicases
conscientedeestasituación,sibienlasmedidasadoptadas
hastalafechahanresultadoinsuficientes .¿Piensala
Comisiónpedirqueseestablezcannuevasmedidas,consi
derandoque:a)Kalojeriseencuentraenunazonasísmicay
b)hacepoco,debidoaunatormenta,desbordóunapresade
15metrosdelongitud,inundandounas100hectáreas,con
objetoderemediarinmediatamente estasituación?
RespuestadelSr.Paleokrassas
ennombredelaComisión
(17demayode1993)
Lasituación,talycomoladescribeSuSeñoría,pareceserde
lacompetenciadelasautoridadesgriegas.PREGUNTA ESCRITAN°3173/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/46)
Asunto:EldeltadelríoIlisoenelAtica
Apesardelosterraplenadosquesufre-devezencuando,el
deltadelríoIlisoenelÁticacontinúaalbergandocomo
biotopoacuáticounaimpresionantecantidaddeaves
migratorias.LaSociedadOrnitológicaHelénica(EOE)
sostienequeesnecesarioconvertirladesembocadura del
Ilisoenparquenaturaldadoqueenellugarsedetieneny
anidan119especiesdeaves.¿TieneintenciónlaComisión
demanifestarsuinterésporlaproteccióndeldeltadelrío
Iliso?PREGUNTA ESCRITAN°3207/92
delSr.GiuseppeMottola(PPE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/48)RespuestadelSr.Paleokrassas
ennombredelaComisión
(20deabrilde1993)
Grecianohadesignadolaregiónaludidazonadeprotección
especial,deconformidadconlaDirectiva79/409/CEE{l)
relativaalaconservación delasavessilvestres,que
constituyeporelmomentoelúnicofundamentolegalque
permiteunaintervencióndelaComunidadparalaprotec
cióndelanaturaleza.Tampocohasidodeclaradazonade
interéscomunitarioconarregloalamismaDirectiva.
Porconsiguiente,ydeacuerdoconelprincipiodesubsidia
riedad(apartado4delartículo130RdelTratadoCEE),
incumbealasautoridadesgriegasadoptarlasmedidas
necesariasparagarantizarlaprotecciónyutilizaciónpru
dentedeestebiotopo.Asunto:Necesidaddequelosestudianteseuropeoscom
pletensuciclodeestudiosenotrospaísesdela
Comunidad
DadalarealizacióndelMercadoÚnicoquetendrálugarel1
deenerode1993yqueprevélalibrecirculacióndepersonas
yprofesionesyalavistadelosobjetivosdelprograma
ERASMUSquefomentaelintercambioentrelossistemasde
enseñanzauniversitariadelospaísesdelaComunidadque
afectantantoalprofesoradocomoalosestudiantes,
1.¿NoconsideralaComisiónqueesurgenteynecesario
quelosestudianteseuropeosdecualquiergradotengan
laposibilidaddecompletarsusestudiosenotrospaíses
miembrosdelaComunidad ?
2.¿Noconsidera,además,quedebefacilitarestasinicia
tivasmedianterecursosfinancierosconelfindeacelerar
elprocesodeintegraciónculturalentrelosjóvenes?(i)DOn°L103de25.4.1979.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/29
frecuentementeabordadoeslareformadelapolíticaagraria
común.
Ademásdelosconvenios-marco conlasorganizaciones
profesionalesagrariasylosencuentrosentreprofesionales
delsectoryfuncionariosatravésdeloscomitésconsultivos
olosgruposdeexpertos,laComisiónorganizadosgrandes
tiposdeactividadesprácticas;
1.SeminariosycoloquiosenlosEstadosmiembros.
2.VisistasinformativasaBruselas(unas100alaño)de
gruposinteresadosporlacelebracióndeencuentroso
debatesconfuncionariossobretemasdeterminadosde
comúnacuerdo.
Entodosestoscasos,elobjetivoquesepersigueesla
informacióndirectadelosagricultoresydelosresponsables
encuestionesagrariasparalograrunamayordifusióndela
informaciónenlosEstadosmiembros.
Conestefin,laDirecciónGeneraldeAgricultura (DGVI)
suelecolaborarconlaDirecciónencargadadelainforma
cióncomunitaria (DGX).RespuestadelSr.Ruberti
ennombredelaComisión
(7demayode1993)
LaComisióncomparteelanálisisrealizadoporelSr.
DiputadosobrelarealizacióndelMercadoÚnicoy,aeste
respecto,vuelveasubrayarlaimportanciaeducativayel
significadoculturalquetieneparalosestudianteseuropeos
unaexperienciadirectadeestudios,devidaydetrabajoen
otropaísdelaComunidad.
Enestecontexto,eléxitodeprogramastalescomoErasmus
yCometíesejemplar,perosolamentopodrádarseuna
dimensiónmásimportantealamovilidadsiseestableceuna
estrechacooperaciónconlosEstadosmiembros,tantoen
materiadesupresióndelasbarrerasaúnexistentescomode
estructurasdeacogidaodefinanciacióndebecas.
LaComisiónrealizaenlaactualidadunaevaluaciónglobal
delosdiversosprogramascomunitariosenmateriade
educaciónyformaciónquelleganasufinafinalesde1994.
LaComisiónpresentarápróximamentesuspropuestasde
accionesfuturas,tomandocomobaselaevaluaciónante
riormentemencionadayhabidacuentadelasnuevas
situacionesdecarácterpolíticoyeconómicoalasquedeberá
hacerfrente.
Paramayorinformación,laComisióntransmitedirecta
mentealSr.Diputado,asícomoalaSecretaríaGeneraldel
Parlamento,elMemorándumsobrelaenseñanzasuperior,
queadoptóennoviembrede1991yenelqueseexaminan,
entreotras,lasdiversascuestionesaquíplanteadas.PREGUNTA ESCRITAN°3234/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/50)
PREGUNTAESCRITAN°3213/92
delSr.VíctorManuelArbeloaMuru(S)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/49)Asunto:Luchacontralaplagaderatonesdecampoque
afectaalasregionesagrícolasgriegas
Teniendoencuentalasrecientesinformaciones delaprensa
relativasalmundoagrícolagriegosobrelosproblemas
provocadosporlaexistenciadeungrannumeroderatones
decampoenochoprovinciasdeGrecia(Evros,Serres,
Salónica,Larisa,Magnesia,Eubea,ÉlideyQuíos),¿existe
algunaposibilidaddequelaCEayudaacombatirestaplaga
quepadecelaagriculturay,también,dequeseconcedan
indemnizaciones alosagricultorescuyoscultivosyproduc
tosagrícolasalmacenadossufrenimportantesdañospor
estacausa?
RespuestadelSr.Steichen
ennombredelaComisión
(9demarzode1993)
LaComisiónesconscientedelproblemaocasionadoporlos
dañoscausadosporlosratonesdecampoaloscultivosen
determinadasregionesagrícolasdeGrecia.
Estosroedores,aunquesonmuynumerososentodoel
mundo,noseconsideran«organismosnocivosdecuaren
tena».Asunto:NuevaPolíticaAgraria
¿QuéaccionesestáemprendiendolaComisiónafindehacer
conoceralosdestinatarios ,entérminosclarosyconvincen
tes,laNuevaPolíticaAgrariadelaComunidad,recién
aprobada?
RespuestadelSr.Steichen
ennombredelaComisión
(16defebrerode1993)
Concargoalalíneapresupuestaria deformacióne
informaciónentemasagrarios(línea514),laComisión
financiadiversasactividadesdedivulgaciónenlosEstados
miembros.Lostemasqueenellassetratansonmuyvariados
yseescogenenfuncióndelademanda.Actualmente,elmás
19.7.93
N°C195/30DiarioOficialdelasComunidadesEuropeas
frentealasinundaciones,continuarlaluchacontrala
erosióndelsuelo,fomentarelusonacionaldelosrecursos
hídricoseincrementarlaproteccióndelafaunayla
flora.Existenvariasmedidasparalimitarlosdañoscausadospor
losratonesdecampo.Lapuestaenmarchadelasmismases
competenciadelosEstadosmiembros.
El21dediciembrede1989laComisiónpropuso0)un
sistemademedidasdeluchaysolidaridadfinanciera
comunitariaencasodequeseproduzcalaapariciónde
organismosnocivosdecuarentena.ElConsejonoha
adoptadoaúnestapropuesta.Enestasituación,laComisión
noprevémedidasespecíficasdelucha,niindemnización
alguna,enrelaciónconlosorganismosnocivosquenosean
decuarentena.
(!)DOn°C31de9.2.1990,ysumodificaciónDOn°C205de
6.8.1991.PREGUNTAESCRITAN°3247/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/52)
PREGUNTAESCRITAN°3236/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/51)Asunto:EdicionesdematerialimpresoenGreciaeIVA
Hastael1deagostode1992,eltipodeIVAvigenteen
Greciaentodaslasfasesdeproduccióndeunlibro,
periódicoorevista,eradel4%,ydel4%tambiénparael
productofinalacabado.Ahora,conloscambiosqueesta
realizandoelGobiernogriego,elIVAcontinúasiendodel
4%paraelproductofinal,peroenlorelativoatodoslos
demásestadiosdeproduccióndematerialimpreso(compo
sición,filmado,encuademación ,etc.)asciendeal18%.Esta
norma,talcomoexponenloscolectivosdelossectoresdela
librería,papeleríayedición,seaplicaatodaslasempresas
exceptoalosgruposverticales,quepuedenllevaracabo
todaslasfasesdeproduccióndeunimpreso.Paraéstos
continúavigenteeltipodel4%.Teniendoencuentaque
estanormacreacondicionesdesigualesdecompetencia
entrelosgrandesgruposverticalesylaspequeñasempresas,
¿vaasolicitarlaComisiónalasautoridadesgriegasque
anulenestamedida?¿TieneprevistolaComisióndejarclaro
queelmundodelaedicióntieneunasingularimportanciay
nopuedesufriruntipodeIVAqueasciendaal«astronó
mico»porcentajedel18%?Asunto:RepartodeaguasentrelaComunidadEuropeay
Bulgaria
EnelmarcodelAcuerdodeAsociación (acuerdoeuropeo)
quenegocialaComunidadconBulgaria,puedesolucionarse
uncomplejoyduraderoproblemaexistenteenlasrelaciones
entrelaComunidadEuropeayBulgariayqueserefiereala
distribuciónycanalizacióndelosrecursosacuíferos.Grecia
proponequeseañadaenelcitadoacuerdounprotocolo
especialsobrelasaguasdelosríosfronterizos;parece
probable,silaCEmuestrauninterésespecial,quela
demandagriegaquedesatisfecha.Puedeinformarnosla
Comisióndesilaspartescontratantes (CEyBulgaria)están
deacuerdoenestablecerunsistemadeseguimientoycontrol
delacalidadycantidaddelaguadelosríosfronterizosycuál
eselcontenidoconcretodedichoacuerdo?RespuestadelaSra.Scnvener
ennombredelaComisión
(15deabrilde1993)
RespuestadeSirLeónBnttan
ennombredelaComisión
(11demarzode1993)
ElAcuerdoEuropeofirmadoel8demarzode1993
comprendeunProtocolorelativoalosriostransfronterizos.
Remiteal«Convenioparalaprotecciónyusodelosríos
transfronterizos yloslagosinternacionales »yaotros
importantesconveniosinternacionales ,talescomoelrela
tivoalaevaluacióndelimpactoambiental.Elcitado
Protocoloestablecelacreacióndeunsistemaparacontrolar
lacalidadycantidaddeaguaenlosríostransfronterizos
para,entreotrascosas,reducirlacontaminación ,hacerSuSeñoríaplanteadoscuestiones:laprimeraserefierealos
efecosimpositivosdelasestructurasdeintegraciónvertical,
lasegundaestárelacionadaconeltipodeIVAaplicadoa
determinados bienesyservicios.
Porloquealasempresasdeintegraciónverticalserefiere,se
daelcaso,porreglageneral,quelasoperacionesinternasno
seconsideranentregasyque,porlotanto,noseplanteala
cuestióndelpagodelIVAporlasmismas.Estaesuna
ventajaenelflujodetesoreríainherentealasempresasde
integraciónvertical,sinquehayadetenerseencuentaeltipo
deIVAqueseaplicaríaaoperacionessimilaresllevadasa
caboporproveedoresindependientes.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/31
PREGUNTAESCRITAN°3294/92
delSr.CarlosRoblesPiquer(PPE)
alaComisióndelasComunidadesEuropeas
(1deenerode1993)
(93/C195/54)EncuantoalostiposdeIVA,laDirectivasobrela
aproximacióndelostiposdeIVA,aprobadaporelConsejo
deMinistrosdeEconomíayHacienda,el19deoctubrede
19920),estableceunalistadeentregasdebienesy
prestacionesdeserviciosquepuedenestarsujetosatipos
reducidosdelIVAporlosEstadosmiembros.Eltiponormal
debeaplicarsealasdemásentregasyprestaciones.
Lasentregasdelibros,periódicosyrevistasdebeestarsujeta
altiporeducido,yaqueapareceenlalistadelaDirectiva.
Noseestablecendisposicionessimilaresconrespectoalos
insumosdeestasentregasque,porconsiguiente,seledebe
aplicareltiponormal.Lalegislacióngriegaestableceque
sólolasentregasdelibrospodránestarsujetasaltipo
reducidoyquelasentregasintermedidasllevadasacabopor
otrosproveedoresyquenosuponganlaentregadel
productofinaldebenestarsujetasaltiponormal.
Noobstante,laComisiónestárevisandoactualmentela
conformidaddelostiposyestructurasdelIVAdelos
Estadosmiembrosconlanormativacomunitaria .LaComi
sióninformaráaSuSeñoríadelresultadodesutrabajoenla
medidaenqueéstetengarelaciónconlascuestionesporél
planteadas.Asunto:¿Desembarcojaponésenlafusiónfría?
EnlaTerceraConferenciaInternacionalsobreFusiónFría,
celebradaelmespasadoconelpatrociniodesietesociedades
científicasjaponesas,participaron200científicosjaponeses
ymásde100extranjeros,entreloscualesprobablementeun
ciertonúmerodeeuropeos.Enestaocasiónsehapuestode
manifiestolaprofundadivergenciaenestecampoentre
JapónylosEstadosUnidosdeAmérica.Mientraslos
americanosconsideranlafusiónatemperaturaambiente
comounailusión,oentodocaso,unaposibilidaddema
siadoremotaparajustificarfinanciacióngubernamental ,los
japonesesestánconsagrandoaellarecursosconsiderables.
EnparticularelMinisteriojaponésdeComercioInterna
cionaleIndustria(MITI)parecequevaaconsagrar25
millonesdedólaresenlospróximoscuatroaños,enun
esfuerzoenelquetambiénvanacontribuirunas15
empresas.
¿PuedeinformarlaComisiónsobrelaparticipacióneuropea
enestaConferenciaysobresupropiaposiciónenesta
materia?í1)DOn°L316de31.10.1992.
PREGUNTA ESCRITAN°3248/92
delSr.JaakVandemeulebroucke (ARC)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/53)RespuestadelSr.Ruberti
ennombredelaComisión
(10demayode1993)
La«fusiónfría»fueespectacularmente anunciadaenlos
mediosdecomunicación en1989.Enrespuesta,laComi
sión,enelmarcodelProgramadeFusióndelaComunidad,
yvarioslaboratoriosnacionaleseuropeos,iniciaronexperi
mentosdecontrol.Estascomprobaciones ,llevadasacabo
exhaustivamente durantelosaños1989y1990,arrojaron
resultadosnegativos,enrelacióntantoagananciadeenergía
comoapresenciadereaccionesnucleares.
ConformealaDecisión91/678/Euratom(*)delConsejo,la
Comisiónsemantieneinformadasobreotrasformasde
enfocarlafusióndistintasdelconfinamiento magnético;
estoincluyeelseguimientoyevaluacióndenuevosresulta
dos,comolosquesepresentaronalaterceraConferencia
InternationalsobreFusiónFría,alaqueasistieronvarios
científicoseuropeos(entrelosquefigurabanalgunosdelos
queparticiparonenlascitadascomprobaciones sobrela
«fusiónfría».
Dadalainformacióndisponibleactualmente,laComisión
novemotivoalgunoparatomarotramedidaquemante
nerseinformadasobrela«fusiónfría».Asunto:Ayudaalasiniciativasdelosconsumidores
¿PuedeofrecerlaComisiónuncuadrodeconjuntodelas
iniciativassubvencionadas porlaComisiónenmateriade
políticadelconsumidor,paralosejerciciospresupuestarios
de1989,1990,1991y1992desglosadassiesposiblesegún
Estadosmiembros,conindicacióndelasorganizaciones
favorecidas,sudirecciónyunabrevedescripcióndel
proyectosubvencionado ?
Respuestacomplementaria delaSra.Scrivener
ennombredelaComisión
(18demayode1993)
Comocomplementoasurespuestade1demarzode
1993i1),laComisiónenviarádirectamenteaSuSeñoríaya
laSecretariaGeneraldelParlamentoEuropeolainforma
ciónsolicitada.
(MDOn°C106de16.4.1993.í1)DOn°L375de31.12.1991.
DiarioOficialdelasComunidadesEuropeas19.7.93N°C195/32
PREGUNTAESCRITAN°3299/92
delaSra.Marguerite-Marie Dinguirard(V)
alaComisióndelasComunidadesEuropeas
(6deenerode1993)
(93/C195/55)
Asunto:Estudioepidemiológico ,solicituddedocumenta
ciónyreferencias
Ensurespuestadel26deoctubrede1992alapregunta
escritan°1466/92(*),laComisionaludeaunestudio
epidemiológicoreferidoalostrabajadoresdelsectornuclear
yalaposibleaparicióndegruposdecánceresentrela
poblacióndelascercaníasdelasinstalacionesnucleares.
1.¿PodríalaComisiónfacilitarelinformeprovisionalque
contengalametodologíaylosprimerosresultados?
2.¿PodríalaComisiónindicarlosdatoscorrespondientes
alosequiposdeexpertosquetrabajaneneste
asunto?yB.H.MacGibbonacabadeserpublicadobajolaformade
uninformedelNRPB:NRPB-R251 (1992).Esteestudioha
descubiertoel«efectodeltrabajadorsaludable»,esdecir,
quecomparandolasaluddeltrabajadordelsectornuclear
conladelapoblaciónnormaldelmismogrupodeedad,se
observaqueaquelpadecemenosenfermedades .Sin
embargo,cuandosehaceunacomparaciónentrelos
trabajadoressegúnladosisderadiaciónacumulada,se
constataunaumentodeleucemiasamedidaqueaumentala
dosisderadiación.Loserroresestadísticosrelacionadoscon
esteaumentoimpidenllegaracualquierconclusióndefini
tivaapartirdeesosresultados.
ElNRPBhapublicadotambiéndosinformesdeungrupode
trabajosobrelainvestigacióncomplementaria delascon
centracionesdecasosdeleucemiaregistradosenSellafield
(ReinoUnido):
1.Memorando :grupodetrabajodelNRPB/HSE(Servicio
deSaludySeguridad):Investigacióncomplementaria del
estudiodelprofesorGardnerdeseguimientodecasosde
leucemiaylinfomasentrelajuventudcercanaala
centralnucleardeSellafield(WestCumbria).NRPB
M248(1990).
2.GrupodetrabajodelNRPB/HSE:Investigacióncomple
mentariadelestudiodelprofesorGardnerdesegui
mientodecasosdeleucemiaylinfomasentrelajuventud
cercanaalacentralnucleardeSellafield(WestCum
bria).NRPB-M242 (1991).
Ademásdeestosestudiossubvencionados porelPrograma
deInvestigaciónsobreProteccióncontralasRadiaciones,se
estárealizandoenGranBretañaotrotrabajosubvencionado
porlaempresaBritishNuclearFuelsLtd.yelComité
CoordinadordelReinoUnidodelaInvestigaciónsobreel
Cáncer.AcabandepublicarseenCanadálasactasdel
simposiosobrelaaparicióndeconcentraciones decasosde
leucemia.
Seenviaráunejemplardelosinformesdelosquedisponeel
ProgramadeInvestigaciónsobrelaProteccióncontralas
RadiacionesaSuSeñoríayalaSecretaríaGeneraldel
Parlamento .(!)DOn°C65del8.3.1993,p.17.
RespuestadelSr.Ruberti
ennombredelaComisión
(6demayode1993)
ElProgramadeInvestigaciónsobreProteccióncontralas
RadiacionesdelaComisiónsubvencionaactualmente,enla
modalidaddecostescompartidos,estudiosepidemiológicos
sobrelostrabajadoresdelsectornuclearylainvestigación
delaaparicióndeconcentraciones decasosdecáncer
alrededordelascentralesnuclearesmediantelossiguientes
contratos :
1.SegundoAnálisisdelRegistroNacionaldeTrabajadores
delSectorNuclear.G.Kendall.ConsejoNacionalde
ProteccióncontralasRadiaciones (NRPB),Chilton
(ReinoUnido).
2.EstudioInternacionaldelRiesgodeCáncerenlos
TrabajadoresdelSectorNuclear.E.Cardis.Instituto
InternacionaldeInvestigaciónsobreelCáncer,Lyon
(Francia).
3.Estudiosycuadrosepidemiológicos .C.Muirhead.
ConsejoNacionaldeProteccióncontralasRadiaciones,
Chilton(ReinoUnido).Incluyeproyectosespecíficos
sobrelaaparicióndeconcentraciones decasosdecáncer
alrededordelascentralesnuclearesdirigidospor;C.
Hill,InstitutoGustaveRoussy,París(Francia).S.
Richardson,INSERM,París(Francia).
Estosestudiosepidemiológicos son,porsupropianatura
leza,alargoplazo;noobstante,acabandepublicarse
algunosanálisisprovisionales .PREGUNTA ESCRITAN°3300/92
delSr.BryanCassidy(PPE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/56)
Asunto:AplicaciónbritánicadelaDirectivasobreel
controldelaadquisiciónytenenciadearmas
Envirtuddelreglamentode1992porelquesemodificala
legislaciónsobrelasarmasdefuego,lasleyesbritánicas
relativasalasarmasdefuegocambiaránapartirdel1de
enerode1993,conobjetodetenerencuentalaDirectiva
91/477/CEEi1)sobreelcontroldelaadquisiciónytenencia
dearmas.
Elreglamentomodificarálaactualleybritánicaentantoen
suvirtudserequeriráalosdeportistascomunitariosqueElPrimerAnálisisdelRegistroNacionaldeTrabajadores
delSectorNuclear(«FirstAnalysisoftheNationalRegistry
forRadiationWorkers»)deG.M.Kendall,C.R.Muirhead
DiarioOficialdelasComunidadesEuropeasN°C195/3319.7.93
opinióndefinitivadelaDirecciónGeneraldeMedio
Ambientesobrelosestudiosmásrecientesylasevaluaciones
globalesllevadasacabo?
RespuestadelSr.Millan
ennombredelaComisión
(23deabrilde1993)
LaComisión,comoentodoslosproyectoscofinanciados
porlosFondosestructurales,aplicarálalegislaciónvigente
enmateriademedioambiente.
PREGUNTA ESCRITAN°3325/92
delSr.JannisSakellariou (S)
alaComisióndelasComunidades Europeas
(25deenerode1993)visitenelReinoUnidoprovistosdesusarmasdefuegoque
presentenunatarjetaeuropeadearmasdeconformidadcon
elartículo12delaDirectiva.Noobstante,elreglamento
estipulaqueestaspersonasdebenobtenerademás,como
hastalafecha,unpermisodeescopetaoarmadefuegopara
visitantes.
Quiereestodecirque,apartirdel1deenerode1993,un
ciudadanocomunitarioqueviajeelReinoUnidopara
practicareltirodebeenviarpreviamentealapolicía
británicasutarjetaeuropeadearmas,juntoconuna
solicituddeunpermisodevisitante.Porelcontrario,un
visitanteprocedentedeuntercerpaísúnicamentedebepedir
asu«patrocinador»británicoquepresenteensunombre
unasolicituddepermisodevisitante.
Elobjetivoquepersiguelatarjetaeuropeadearmases
evidente:sustituirdiversosdocumentosnacionalesdiferen
tes,comoelpermisobritánicoparavisitantes,porun
documentocomunitariohomologado,latarjetaeuropeade
armas,quegarantizatantolaseguridadpúblicacomola
librecirculacióndeciudadanosdelaCE(cazadoresy
deportistasdeltiro).
Alcontinuaraplicandoelsistemadelpermisoparavisitantes
alosciudadanoscomunitarios ,elReinoUnidohaceque
carezcadesentidolatarjetaeuropeadearmas,impidela
librecirculaciónydiscriminaalosciudadanosdelaCE.
¿ConsideralaComisiónquetodoellorespetalosobjetivos
delaDirectivarelativaalasarmasydelosTratadosen
general?
(i)DOn°L256de13.9.1991,p.51.
RespuestadelSr.Vannid'Archirafi
ennombredelaComisión
(11demayode1993)
El21dediciembrede1992,elReinoUnidocomunicósus
medidasdeaplicacióndelaDirectiva91/477/CEEsobreel
controldelaadquisiciónytenenciadearmas.LaComisión
estácomprobando laconformidaddeestasdisposiciones
conelderechocomunitarioyexaminaráenparticularel
régimendeautorizaciónparalosviajeros.(93/C195/58)
Asunto:ValoracióndelCanalRin-Meno-Danubio
1.¿Quéimportanciatienenenelmarcodelapolíticade
transportesdelaComunidadEuropeaelCanalRin
Meno-Danubio ylavíafluvialdenavegaciónde3500Km
queésteofrece?
2.¿Alvalorarestavíafluvialdenavegación,setieneen
cuentatambiéneltemadeloscostesecológicosy,siesasí,en
quémedida?
3.¿CómovaloralaComunidadEuropealospronósticos
delacompañíaRin-Meno-Danubio (Rhein-Main-Donau
AG)relativosaltransportedemercancíasenelcanal,queha
disminuidodesdemásde20millonesdetoneladasanualesa
V3deestacantidad?
RespuestadelSr.Matutes
ennombredelaComisión
(5demayode1993)
1.ConlaaperturadelCanalMeno-Danubio ,seha
abiertoenEuropaunanuevavíadetransporteentreelMar
delNorteyelMarNegro.Esteenlacefluvial,queune15
paísesdeEuropaCentralydeEuropadelEste,ofreceuna
buenaoportunidadalanavegacióninterioryalapolíticade
transportesengeneral.Habidacuentadelosproblemasa
queseenfrentanotrosmodosdetransporteterrestre,la
Comisiónconsideraquesedebierareforzarelpapeldel
transportefluvial.Estosignificasobretodoelmanteni
mientodelareddevíasnavegables,laeliminacióndelos
atascosylarealizacióndenuevosenlacesdeimportancia
europea.Porestarazón,laComisiónhaincluidoelenlace
Meno-Danubio ensupropuestadeunplangeneraldelas
víasnavegablesdeinteréscomunitario.
2.Estáclaroquelaconstruccióndeuncanalpuedetener
consecuencias medioambientales .PREGUNTA ESCRITAN°3306/92
delSr.MihailPapayannakis (GUE)
alaComisióndelasComunidades Europeas
(6deenerode1993)
(93/C195/57)
Asunto:DesvíodelríoAqueloo
¿PodríaconfirmarlaComisiónquenoseadoptaráninguna
decisióndefinitivaencuantoalafinanciacióndelasobrasde
desvíodelríoAqueloosinqueexistapreviamenteuna
N°C195/34 DiarioOficialdelasComunidadesEuropeas 19.7.93
(CEE)n°355/77delConsejo,relativoaunaaccióncomún
paralamejoradelascondicionesdetransformación yde
comercialización delosproductosagrícolas,ningunadispo
siciónqueprohibauncambiosubsiguientedepropiedadde
lasinstalacionesquésehayanconstruidocomoresultadode
laejecucióndeproyectosacogidosadichoReglamento .PorloquerespectaalasimplicacionesecológicasdelCanal
Meno-Danubio ,setuvieronencuentaenlarealizaciónde
losestudiossobreelcoste/ventajasdelproyecto.Segúnla
informaciónenviadaporlasautoridadesalemanas,entreel
10yel15%delcostedeconstruccióndelCanalsehan
asignadoalareduccióndesuimpactosobreelmedio
ambiente.
3.HabidacuentadelconflictoenlaantiguaYugoslavia,
esdifícilprevereldesarrollodeltráficoenelnuevoenlace.
Segúnlosexpertos,enelfuturopodríaesperarseun
volumende5a7millonesdetoneladas.Siconsideramos
ademáslosintercambiosentreAlemaniaylosdemáspaíses
queatraviesaelDanubio,lademandatotaldetransporteen
esterecorridopodríaalcanzarentre8y10millonesde
toneladas.PREGUNTA ESCRITAN°3335/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/60
PREGUNTA ESCRITAN°3332/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidades Europeas
(25deenerode1993)Asunto:Elboletínmensualquepublicórecientementela
oficinadelaCEenBelgrado
Enlacontraportada delboletínbilingüemensualque
publicórecientementelaoficinadelaCEenYugoslavia
(Belgrado),semencionaenserbioyeninglésqueexisten
tambiénlasediciones«serbocroata,eslovenaymacedonia».
DadoquelaComunidadnoreconocealEstadodeSkopje
comoMacedonia,¿tieneintenciónlaComisiónderetirarel
boletínqueeditaenlengua«macedonia»?(93/C195/59)
Asunto:LosalmacenesdelServiciocentralgriegode
gestióndelaproducciónnacional(KIDEP)
ElGobiernogriegohamanifestadosupropósitodeprivaral
organismocooperativonacionalKIDEPdelosalmacenes
construidosconlaparticipacióndelFEOGAycederlosalas
Unionesdecooperativasagrícolas.Enconcreto,piensa
privaralKIDEPde183almacenes,concapacidadparaun
millóndetoneladasdecereales,edificadosporelorganismo
cooperativoconfinanciacióncomunitariaconformeal
Reglamento (CEE)n°355/77(J).TieneintenciónlaComi
sióndehacersaberalasautoridadesgriegasque,encasode
quefinalmenteseprivealKIDEPdelosalmacenes,se
consideraráquenosecumplenlasnormascomunitariasy
quesehaengañadoalFEOGA?
(!)DOn°L51de23.2.1977,p.149.
RespuestadelSr.Steichen
ennombredelaComisión
(10demarzode1993)
LaComisiónnoteníaconocimiento delpropósitodel
GobiernogriegodeprivaralorganismonacionalKydepde
lossilosydemásalmacenesconstruidosconparticipación
delFEOGAydecederlosalasunionesdecooperativas
agrarias.
Ahorabien,dadoqueelestatutojurídicodeKydepenlaley
griegaeseldeunaorganizacióncooperativadetercergrado
constituidaporunionesdecooperativas ,laComisiónnove,
enprincipio,objeciónalgunaparaquedichaorganización
distribuyaentresusunionesconstitutivasunapropiedad
queyalepertenecía .Además,nohayenelReglamentoRespuestadelSr.VandenBroek
ennombredelaComisión
(16deabrilde1993)
ElboletíndelaDelegacióndelaComisiónenBelgrado
siempresehapublicadoenlastreslenguasoficialesdela
antiguaYugoslavia :esloveno,serbocroatay«macedo
nio».
Lapublicacióndelboletínenestaúltimalenguanosignifica
unreconocimiento delaantiguarepúblicayugoslavade
Macedonia.
Estacuestiónyaseplanteóenlascumbreseuropeasde
LisboayEdimburgo,yrespondesimplementealdeseode
daraconocerlaposturaylaaccióndelaComunidad
respectoaldelicadoproblemadelaantiguaYugoslavia.
Enestosmomentosenquedeterminadasrepúblicassurgidas
delaantiguaYugoslaviadeformansistemáticamente la
posturadelaComunidad,laComisiónestimaqueessu
deberinformaratodasestasrepúblicasdedichapostura
respectoadiversascuestiones,enespeciallosesfuerzos
desplegadosenfavordelapazylasimportantesacciones
humanitariasemprendidas.
19.7.93 DiarioOficialdelasComunidadesEuropeasN°C195/35
PREGUNTAESCRITAN°3339/92
delSr.SotirisKostopoulos (NI)
alaComisióndelasComunidadesEuropeas
(25deenerode1993)
(93/C195/61)losmesesdeoctubreynoviembre,acausadelasfavorables
condicionesclimáticas,lacrisiseconómicageneralyla
disminucióndelconsumohancreadoundesequilibriototal
entrelaofertaylademandadelosproductosdela
floriculturay,enparticular,delclavel,loquehacausado
dañosenlaszonasafectadasquesuperanlosveintemil
millonesdeliras,conconsecuenciasespecialmentenegativas
aniveldeempleoyderecuperacióndelaactividad.
1.¿NocreelaComisiónquedeberíaintervenirparaquese
suspendandeinmediatolasimportacionesprocedentes
detercerospaíses,aplicandoelprincipiodelapreferen
ciacomunitarianunca,respetadoenelsectordelos
viverosdeflores?
2.¿NoopinalaComisiónquedeberíallevaracabo
controlesfitosanitariosmásseverosenlasfronteras?
3.¿PuedeintervenirlaComisiónanteItaliayantelas
regionesparaqueseconcedanalosfloricultores
facilidadesimpositivasycrediticiasparaelaprovisiona
mientodematerialesvegetalesparaloscultivos(esque
jesyplantones)yotrosmediosdeproducción?
4.¿PuedeintervenirlaComisiónparaactivarlafinancia
cióndestinadaalainvestigación ,laexperimentación yla
innovacióntecnológicadelsector?Asunto:Laconstruccióndediquesparadesviarelcursodel
NestosenBulgaria
Teniendoencuentaquelaconstruccióndediquespara
desviarelcursodelríoNestosenBulgariaestásiendo
subvencionadaporlaComunidad,¿puedeindicarnosla
Comisiónacuántoasciendedichasubvención,sienlas
obrasparticipanempresasgriegas,aquiénespertenecenysi
hanrecibidosubvencionesdealgúnorganismogriego?¿Por
último,sehanrealizadoestudiosmedioambientales ?
RespuestadeSirLeónBrittan
ennombredelaComisión
(11demarzode1993)
Segúnlainformaciónrecabadadelasautoridadesbúlgaras,
laideadeconstruirundiqueenelríoNestosfuedesestimada
en1990.Enningúnmomentosesolicitóniconsideróla
posibilidaddequelaComunidadfinanciaradichopro
yecto.
LaComisiónsepermiteremitiraSuSeñoríaalasrespuestas
quedióalapreguntaoralH-1091/92delSr.Lambriasenel
turnodepreguntasdelParlamentoduranteelperiodo
parcialdesesionesdenoviembrede1992H,yalapregunta
escritan°3236/92(2)formuladaporSuSeñoría.
(!)DebatesdelParlamentoEuropeon°424(noviembrede
1992).
(2)Véaselapágina30delpresenteDiarioOficial.RespuestadelSr.Steichen
ennombredelaComisión
(1deabrilde1993)
1.Esciertoquelafloriculturacomunitaria,yconcreta
menteelsectordelasfloresfrescascortadas,seenfrentacon
unamayorcompetenciacomoconsecuenciadelasimpor
tacionesprocedentesdetercerospaísesquegozande
derechosdeaduanareducidosnegociadosenelmarcode
acuerdosbilaterales.
Elcomercioexteriordeflorescortadas,entrelasquese
cuentanlosclaveles,serigeporlasdisposicionesdel
Reglamento (CEE)n°234/68porelqueseestableceuna
organizacióncomúndemercadosenelsectordelasplantas
vivasydelosproductosdelafloriculturai1).Conarregloal
artículo9dedichoReglamento,sepuedenaplicarmedidas
adecuadasalosintercambioscontercerospaísessienla
Comunidadelmercadodeunoovariosproductoscontem
pladosenelartículo1sufre,opudierasufrir,perturbaciones
gravesquepudieranhacerpeligrarlosobjetivosdelartícu
lo39delTratado.
Hastaahora,loselementosconlosquecuentalaComisióny
lascomunicaciones delosEstadosmiembrosnopermiten
llegaralaconclusióndequeesténenpeligrolosobjetivosdel
artículo39delTratadoCEE,nijustificarlaaplicaciónde
unacláusuladesalvaguardia.
| 4,647 |
https://github.com/google-ar/chromium/blob/master/ipc/mach_port_attachment_mac.h | Github Open Source | Open Source | Apache-2.0, BSD-3-Clause-No-Nuclear-License-2014, BSD-3-Clause | 2,022 | chromium | google-ar | C | Code | 237 | 614 | // Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef IPC_MACH_PORT_ATTACHMENT_MAC_H_
#define IPC_MACH_PORT_ATTACHMENT_MAC_H_
#include <mach/mach.h>
#include <stdint.h>
#include "base/macros.h"
#include "base/process/process_handle.h"
#include "ipc/ipc_export.h"
#include "ipc/ipc_message_attachment.h"
#include "ipc/mach_port_mac.h"
namespace IPC {
namespace internal {
// This class represents an OSX mach_port_t attached to a Chrome IPC message.
class IPC_EXPORT MachPortAttachmentMac : public MessageAttachment {
public:
// This constructor increments the ref count of |mach_port_| and takes
// ownership of the result. Should only be called by the sender of a Chrome
// IPC message.
explicit MachPortAttachmentMac(mach_port_t mach_port);
enum FromWire {
FROM_WIRE,
};
// This constructor takes ownership of |mach_port|, but does not modify its
// ref count. Should only be called by the receiver of a Chrome IPC message.
MachPortAttachmentMac(mach_port_t mach_port, FromWire from_wire);
Type GetType() const override;
mach_port_t get_mach_port() const { return mach_port_; }
// The caller of this method has taken ownership of |mach_port_|.
void reset_mach_port_ownership() { owns_mach_port_ = false; }
private:
~MachPortAttachmentMac() override;
const mach_port_t mach_port_;
// In the sender process, the attachment owns the Mach port of a newly created
// message. The attachment broker will eventually take ownership of
// |mach_port_|.
// In the destination process, the attachment owns |mach_port_| until
// ParamTraits<MachPortMac>::Read() is called, which takes ownership.
bool owns_mach_port_;
DISALLOW_COPY_AND_ASSIGN(MachPortAttachmentMac);
};
} // namespace internal
} // namespace IPC
#endif // IPC_MACH_PORT_ATTACHMENT_MAC_H_
| 37,956 |
https://stackoverflow.com/questions/44934389 | StackExchange | Open Web | CC-By-SA | 2,017 | Stack Exchange | Adam Ježek, Shawn, https://stackoverflow.com/users/1970497, https://stackoverflow.com/users/6357453 | English | Spoken | 366 | 638 | JOIN, ORDER BY and GROUP BY in same statement
I have two tables - results and contestants. Result table cointains
result_id (PK)
resul_contestant (who scored this)
value (how much did he scored)
result_discipline(where he scored this)
contestants table cointains
contestant_id (PK)
contestant_name
contestant_category
What I want to do is to select results for all contestants, but I only want to show one result per contestant - the highest (lowest) one.
So far I managed to do this:
SELECT * FROM contenstants
JOIN results ON result_contestant = contenstant_id
WHERE result_discipline = 1 AND contestant_category = 1
ORDER BY value DESC
GROUP BY contenstant_id;
However, this gives me syntax error. If I delete the GROUP BY line, I got results ordered from highest, but if any of the contestants scored in this discipline more than once, I got all of his scores.
If I delete the ORDER BY line, I got only one result per contestant, but it returns the first record in db, not the highest one.
How to fix this command to be valid? Also, there are some less_is_better disciplines, where I want the lowest score, but as far as I could use the ORDER BY on final query, it should be achieved by replacing DESC with ASC.
Thanks.
I started to give a ROW_NUMER() answer, but then realized that this is MySQL, and I don't think MySQL has this window function yet. However, that should point you in the right direction. Also see https://dba.stackexchange.com/questions/40130/mysql-and-window-functions
Don't use group by. Using select * with group by just doesn't make sense. Instead, use a filter to get the row you want:
SELECT *
FROM contenstants c JOIN
results r
ON r.result_contestant = c.contestant_id
WHERE r.result_discipline = 1 AND c.contestant_category = 1 AND
r.value = (select min(r2.value)
from results r2
where r2.result_contestant = r.result_contestant and
r2.result_discipline = r.result_discipline
)
ORDER BY value DESC;
Note: I'm not sure if you want min() or max() in the subquery.
Thanks, that did the job. However, I noticed that if a contestant had the same score twice, he is shown twice. But I could take care of this in adding results, as there is no reason why having two same records in db.
| 7,741 |
https://stackoverflow.com/questions/5887419 | StackExchange | Open Web | CC-By-SA | 2,011 | Stack Exchange | Drew Senko, Matt Ball, Nguyễn Chung Phát, ReplayMods, Shannon , Soatl, https://stackoverflow.com/users/12701441, https://stackoverflow.com/users/12701442, https://stackoverflow.com/users/12701443, https://stackoverflow.com/users/12701794, https://stackoverflow.com/users/12701850, https://stackoverflow.com/users/12703453, https://stackoverflow.com/users/139010, https://stackoverflow.com/users/650489, loser_std, userjs9234 | English | Spoken | 397 | 666 | Dialog overlay with infinite expanding height in Facebook only
I think this is an !important issue. I have a dialog with a set overlay like this:
.ui-widget-overlay
{
width: 518px !important;
}
The height of the overlay will be set in my Javascript depending on what the page size is (It can be one of two sizes)
if (!placeHolderVisibility) {
//Code
$('.ui-widget-overlay').addClass('overlayLarge');
} else {
//Code
$('.ui-widget-overlay').addClass('overlaySmall');
}
Here is the overlaySmall and overlayLarge css:
.overlaySmall
{
height: 985px !important;
}
.overlayLarge
{
height: 1167px !important;
}
I have other pages with dialog boxes and they do not have the issue.
.ui-widget-overlay
{
height: 413px !important;
width: 510px !important;
}
When I try to inspect the overlay in firebug I notice that !important is not in the css, but I cannot get the initial height (it expands to fast)
Edit I think its a facebook issue with their auto resize
FB.init({ appId: appid, status: true, cookie: true, xfbml: true });
FB.Canvas.setAutoResize(); //<-- Something wrong with this maybe??
Any suggestions?
Why are you using !important? It's generally a bad idea with better alternatives.
I need to use !important because if I don't then the size never gets overwritten.
...only because .ui-widget-overlay uses !important, though.
That is true. Let me mess around with it a bit. I remember that there was a reason to use !important I just have to figure out what it was again
Yea if I get rid of the !important the css is overwritten by some other jquery css and the height will go to the max of the page
You just need to use a more-specific CSS selector than the jQuery one, or use the exact same selector but make sure that your CSS comes after jQuery's. Using !important breaks the natural cascading of CSS and makes maintenance much harder (as you're experiencing firsthand).
Yup I got rid of the !important lines and got a work around. That fixed it up. You can make that an answer if you want.
Copypasta'd at request of the OP:
Why are you using !important? It's generally a bad idea with better alternatives.
You just need to use a more-specific CSS selector than the jQuery one, or use the exact same selector but make sure that your CSS comes after jQuery's. Using !important breaks the natural cascading of CSS and makes maintenance much harder (as you're experiencing firsthand).
| 1,039 |
https://github.com/samoray1998/BolgApp/blob/master/controllers/newUser.js | Github Open Source | Open Source | MIT | null | BolgApp | samoray1998 | JavaScript | Code | 24 | 114 | module.exports=(req,res)=>{
let username=""
let password=""
const data=req.flash('data')[0];
if (typeof data != "undefined") {
username=data.username,
password=data.password
}
res.render('register',{
// errors:req.session.validationErrors
errors:req.flash('validationErrors'),
username:username,
password:password
})
} | 36,187 |
https://github.com/stomg7969/react-portfolio/blob/master/src/components/footer.js | Github Open Source | Open Source | MIT | 2,019 | react-portfolio | stomg7969 | JavaScript | Code | 144 | 538 | import React from 'react';
// import { config } from '../../config';
import aboutStyles from '../styles/components/about.module.scss';
import footerStyles from '../styles/components/footer.module.scss';
import linkedin from '../assets/logo/linkedin.png';
// Helper
// import copyEmail from '../helper/copyEmail';
const FooterPage = (props) => {
const { emailClicked, emailHandler } = props;
return (
<footer id="footer">
<h4>I'm available for work! Let's get in touch.</h4>
<a className={aboutStyles.imageLink} href="https://www.linkedin.com/in/k1natepark/" target="_blank">
<img className={aboutStyles.logo} src={linkedin} alt="linkedin" />
</a>
<p id="myEmail" className={aboutStyles.myEmail} onClick={emailHandler}>
Click to copy: [email protected] {emailClicked ? '✅' : ''}
</p>
{/* <ul className="icons">
{config.socialLinks.map(social => {
const { style, icon, name, url } = social;
return (
<li key={url}>
<a href={url} className={`icon ${style} ${icon}`}>
<span className="label">{name}</span>
</a>
</li>
);
})}
</ul> */}
<ul className="copyright">
<li>© Spectral</li>
<li>
Design: <a href="http://html5up.net" target="_blank">HTML5 UP</a>
</li>
<li>
<a href="https://aws.amazon.com/what-is-cloud-computing" target="_blank">
<img id={footerStyles.awsLogo} src="https://d0.awsstatic.com/logos/powered-by-aws-white.png" alt="Powered by AWS Cloud Computing" />
</a>
</li>
</ul>
</footer>
);
}
export default FooterPage; | 21,799 |
https://blender.stackexchange.com/questions/129763 | StackExchange | Open Web | CC-By-SA | 2,019 | Stack Exchange | Alex bries, https://blender.stackexchange.com/users/107276, https://blender.stackexchange.com/users/13752, josh sanfelici | English | Spoken | 236 | 333 | How to animate characters sliding?
So I know how to animate using bones, I created some simple animations with human, however I want to try animating human on rollerblades. I've got no problem with making key frames for bones, however using rollerblades give character a momentum and they should slide.
I can't figure out how to keyframe the model sliding. Even though I animate bones, then move the whole rig to other location when I hit insert keyframes location+rotation the model still stays still.
What am I doing wrong? Is there any tutorial I could use for that?
When you moved the whole rig, did you do it in object mode or in pose mode? The "correct" way should be having a "main" bone which is directly or indirectly parent to all the other bones: that main bone should be used to animate all the character slide in pose mode.
related https://blender.stackexchange.com/questions/5100/how-can-i-add-motion-to-a-rigid-body. This is a very usefull one, as you won't have to animate the sliding itself
I would create an Empty and in Object mode click the Armature then the Empty and hit CTRL + P and set parent to object. Now when you move the empty, the whole object should move. You can get fancy and create a curve for the path and have the empty follow the path for the animation. I can attach screen shots or a .blend file if that's helpful.
| 18,485 |
https://ht.wikipedia.org/wiki/Hawk%20Point%2C%20Missouri | Wikipedia | Open Web | CC-By-SA | 2,023 | Hawk Point, Missouri | https://ht.wikipedia.org/w/index.php?title=Hawk Point, Missouri&action=history | Haitian Creole | Spoken | 31 | 75 | Hawk Point se yon vil nan eta Missouri
Istwa
Istwa
Relasyon ak Ayiti
Kominote Ayisyen, relasyon ant eta sa epi Ayiti
referans
Kèk lyen
vil nan Missourii
Vil nan Etazini
jewografi | 14,499 |
1575333_1 | Caselaw Access Project | Open Government | Public Domain | 1,933 | None | None | English | Spoken | 1,007 | 1,229 | WATSON, Chief Justice.
Felix Marquez was convicted of murder in the second degree, for the slaying of Precillio Gutierrez. On this appeal we find it necessary to consider only the contention that the court erred in refusing to direct a verdict of not guilty.
The cause of death was a gunshot wound in the left breast. The fatal wound was inflicted in front of the house of appellant, from which he and deceased had emerged, fighting. There is an entire absence of evidence that appellant fired, or had, a gun. On the contrary, an eyewitness testifying for the state; who was attracted by three shots and summoned 'by appellant's call for help, saw the deceased fall at the last shot, found him on the ground with a pistol in his right hand, and found appellant on top of deceased holding him by the right wrist A first shot, he said, was fired in the house. A second was fired outside and in the direction of appellant. The final shot was muffled as to sound and made no flash.
One Chavez and his wife were witnesses for the state. They were in a house forty or sixty feet distant, on the same side of the street. The evening was dark but there was some artificial light. Through a window, Chavez saw, as he testified, three persons come out of appellant's house, scuffling. "One was kinda turning hack and the two others were going that way when I heard that they fire a shot upon the one that was ahead and the one that was ahead fall down. Soon they fire the other shot. I hear the two shots and saw the flash of the gun and that fellow fall on his face. I got up from the chair which I had myself sitting and a door was facing the street very close to the room which I had been. I put my head out and look at the place where the fellow had fall down and I heard that he said 'They have wounded me. I am dying.' Then I heard another voice did answer 'Who?' He said, 'That one who is in there, aint you looking at him?' "
Mrs. Ohavez, through the same window, saw three persons emerge from appellant's house, heard two shots, and saw the deceased fall at the first shot. The shots, she says, were fired by "a man that was near" the deceased. She saw the flash of the gun. Though she went to the door with her husband, she heard nothing said.
There was some showing of previous trouble and ill will between the parties and that appellant had said of and to the deceased, "From now on you must be more careful," or, "You have to be on the lookout now." There was also evidence from which the jury might have inferred that the deceased came to appellant's house because sent for by appellant's daughter, the young wife of the deceased, from whom he had separated. There was no evidence that appellant knew that deceased had been sent for.
The justice of the peace who held the preliminary examination testified to appellant's statement at that time; in substance, that the deceased had shot once in the house, the bullet passing through appellant's hat; that deceased had then struck appellant twice on the head with the pistol; and that in the struggle the shot went off.
In ruling on the motion to direct a verdict of not guilty at the close of the state's ease, the trial court said: "Of course, if all the statement that was testified to by the Justice of the Peace was binding evidence here before the court, I think the motion should be granted, but I don't believe it all is, only that part of that statement is controlling which is an admission against interest, that was that he, the defendant, was there. But that is part of the chain, without that there is no evidence in this case that this defendant actually was in that house with this deceased personally by any witness and there wouldn't 'be any question but with that in, that admission, the circumstances of the struggle, the wrestling, are not so clear to my mind as to entirely absolve this defendant. There is one weak link in this chain and that is, the identity of the ownership, of that gun. There has been no effort on the part of the prosecution to identify that as the defendant's. It is a close question."
That motion was waived, as we have frequently held, by the introduction of evidence on behalf of appellant. But our study of this evidence has revealed nothing to strengthen the state's case. Indeed, it is quite convincing that no murder was done. The motion was renewed at the close of the trial.
The case for the state is very unsatisfactory. Such as there is in it to support the theory of murder is, in our judgment, overcome and rendered unsubstantial by the fact that the gun which must have discharged the fatal shot was held in the hand of the deceased.
While the charge included manslaughter, 'that crime was not submitted to the jury.
Generally the credibility of witnesses and the weight of evidence are matters for consideration elsewhere than in this court on appeal. But such conflict in >the evidence as we have here disclosed, developed in the state's case. The undisputed fact positively testi.fied by an eyewitness is exculpatory, as is also the reported testimony of appellant at the preliminary examination. We think it thus devolved upon the state to disclose, by evidence, a theory of guilt consistent with the fact shown by it, that at all times the pistol was in the hand of the deceased. Not having done this, we think it has failed to produce substantial evidence.
The judgment will be reversed, and the cause remanded, with a direction to discharge the appellant.
It is so ordered.
SADLER, HUDSPETH, BICKLEY, and ZINN, JJ., concur..
| 10,737 |
5634797_1 | Court Listener | Open Government | Public Domain | 2,022 | None | None | English | Spoken | 664 | 897 | Evans, Judge.
Plaintiffs caused an aircraft to be levied upon as the property of a nonresident, and thereafter filed a declaration in attachment.
Defendants filed the following defenses, to wit: (a) There was lack of jurisdiction, and that defendants had not consented to or waived jurisdiction, and the attachment was therefore void, (b) They denied the allegations of the declaration in attachment, (c) They filed, as an affirmative defense, that the laws of Georgia as to attachment are unconstitutional and void, (d) They alleged that plaintiffs are indebted to defendants, (e) They alleged certain improprieties in the attachment proceedings in addition to the foregoing defenses, (f) A motion to dismiss, inasmuch as the attachment proceeding did not follow the law (Code §§ 24-101, 8-111, 8-602).
The motion to dismiss was heard, denied and *93affirmed by the Supreme Court in Kitson v. Hawke, 231 Ga. 157 (200 SE2d 703), and all constitutional issues were there decided adversely to the defendants.
Following the decision by the Supreme Court as above set forth, defendant made another motion to dismiss plaintiffs action which was actually a motion for summary judgment inasmuch as evidence was introduced based upon the ground that there was lack of jurisdiction of the subject matter. Code § 81A-112. This motion was denied; the case proceeded to trial, and judgment was rendered for the plaintiff.
Defendant appealed to this court, and now we have two questions for decision, to wit: (1) Was the motion to dismiss because of lack of jurisdiction of the subject matter properly denied? (2) Were defendants entitled to a directed verdict and judgment because the attachment proceedings were void under the jurisdictional question above mentioned? Held:
1. Defendants rely on the cases of Tuells v. Torras, 113 Ga. 691 (4) (39 SE 455), and Albright-Prior Co. v. Pacific Selling Co., 126 Ga. 498-(55 SE 251), and contend said decisions hold it is essential to the validity of the levjr of an attachment issued to a nonresident, that the entry of levy show that the property was levied on as the property of the defendants. Defendants contend that at the time of the levy, the property was not that of either of said defendants. It appears that during the litigation, defendant Kitson desired substitution of other collateral for the airplane, and disclosed title to be in another. An order was obtained transferring legal title into defendant in order that the plane might be sold. But while paper title may not have been in Kitson, there was considerable evidence that Kitson was the owner, even though the title papers may not have been transferred to him. It cannot be said that Kitson did not own such an interest in the aircraft as to prevent its attachment. The property was levied upon as the property of the defendants.
2. A judgment may not be arrested or set aside for any defect in the proceedings or record that is aided by the verdict or amendable as a matter of form. See Homasote Co. v. Stanley , 104 Ga. App. 636 (7), 641 (122 SE2d 523); McDonald v. Kimball Co., 144 Ga. 105 (86 SE 234); *94Manley v. McKenzie, 128 Ga. 347 (57 SE 705). Accordingly, any defects in the attachment proceedings may be presumed to have been aided by the evidence, and the verdict and judgment cannot be set aside. There is no evidence before this court which we may consider, and absent such evidence, we are greatly handicapped.
Argued September 8, 1975
Decided September 26, 1975
Rehearing denied October 9, 1975
Herberts. Waldman,PeterZack Geer, for appellants.
Moore & Chambliss, C. Saxby Chambliss, for appellees.
The only facts which we can consider are that there was a motion to dismiss and certain discovery evidence as to that motion of defendant seeking to show there was substituted other collateral for the airplane. We may assume the airplane was turned over to defendant Kitson for sale or other disposal.
Judgment affirmed.
Deen, P.J., and Stolz, J., concur.
| 10,549 |
romansingercrawf00crawiala_3 | English-PD | Open Culture | Public Domain | 1,884 | A Roman singer | Crawford, F. Marion (Francis Marion), 1854-1909 | Whitman, Sarah, binding designer | English | Spoken | 7,256 | 9,105 | She looked as cold as a statue, just as I said, and so I should hardly describe her as beautiful. But then I am not a sculptor, nor do I know anything about those arts, though I can tell a good work when I see it. I do not wish to appear prejudiced, and so I will not say anything more about it. I like life in living things, and sculptors may, if it please them, adore straight noses, and level brows, and mouths that no one could possibly eat with. I do not care in the least, and if you say that I once thought differently I answer that I do not wish to change your opinion, but that I will change my own as often as I please. Moreover, if you say that the contessina did not act like a statue in the sequel, I wall argue that if you put marble in the fire it will take longer to heat and longer to cool than clay ; only clay is made to be put into the fire, and marble is not. Is not that a cunning answer ? The contessina is a foreigner in every way, al though she was born under our sun. They have all sorts of talents, these people, but so little inge nuity in using them that they never accomplish anything. It seems to amuse them to learn to do a great many things, although they must know from the beginning that they can never excel in any one of them. I dare say the contessina plays on the piano very creditably, for even Nino says she plays well ; but is it of any use to her ? A ROMAN SINGER. 55 Nino very soon found out that she meant to read literature very seriously, and, what is more, she meant to read it in her own way. She was as dif ferent from her father as possible in everything else, but in a despotic determination to do exactly as she liked she resembled him. Nino was glad that he was not called upon to use his own judg ment, and there he sat, content to look at her, twisting his hands together below the table to con centrate his attention, and master himself ; and he read just what she told him to read, expounding the words and phrases she could not understand. I dare say that with his hair well brushed, and his best coat, and his eyes on the book, he looked as proper as you please. But if the high-born young lady had returned the glances he could not refrain from bending upon her now and then, she would have seen a lover, if she could see at all. She did not see. The haughty Prussian damsel hardly noticed the man, for she was absorbed by the professor. Her small ears were all attention, and her slender fingers made notes with a com mon pencil, so that Nino wondered at the contrast between the dazzling white hand and the smooth, black, varnished instrument of writing. He took no account of time that day, and was startled by the sound of the midday gun and the angry clash ing of the bells. The coiitessina looked up sud denly and met his eyes, but it was the boy that blushed. "Would you mind finishing the canto?" she 56 A ROMAN SINGER. asked. " There are only ten lines more" — Mind! Nino flushed with pleasure. " Anzi — by all means," he cried. " My time is yours, signorina." When they had done, he rose, and his face was sad and pale again. He hated to go, but he was only a teacher, and at his first lesson, too. She also rose, and waited for him to leave the room. He could not hold his tongue. "Signorina" — he stammered, and checked him self. She looked at him, to listen, but his heart smote him when he had thus arrested her attention. What could he say, as he stood bowing? It was sufficiently stupid, what he said. " I shall have the honor of returning to-morrow — the day after to-morrow, I would say." " Yes," said she, " I believe that is the arrange ment. Good-morning, Signer Professore." The title of professor rang strangely in his ear. Was there the slightest tinge of irony in her voice? Was she laughing at his boyish looks ? Ugh ! the thought tingled. He bowed himself out. That was the first lesson, and the second was like it, I suppose, and a great many others about which I knew nothing, for I was always occupied in the middle of the day, and did not ask where he went. It seemed to me that he was becoming a great dandy, but as he never asked me for any money from the day he learned to copy music I never put any questions. He certainly had a new coat before Christmas, and gloves, and very nice A ROMAN STNGER. 57 boots, that made me smile when I thought of the day when he arrived, with only one shoe — and it had a hole in it as big as half his foot. But now he grew to be so careful of his appearance that Mariuccia began to call him the " signorino." De Pretis said he was making great progress, and so I was contented, though I always thought it was a sacrifice for him to be a singer. Of course, as he went three times a week to the Palazzo Carmandola, he began to be used to the society of the contessina. I never understood how he succeeded in keeping up the comedy of being a professor. A real Roman would have discovered him in a week. But foreigners are different. If they are satisfied, they pay their money and ask no questions. Besides, he studied all the time, saying that if he ever lost his voice he would turn man of letters — which sounded so prudent that I had nothing to say. Once, we were walking in the Corso, and the contessina with her father passed in the carriage. Nino raised his hat, but they did not see him, for there is always a crowd in the Corso. " Tell me," he cried excitedly as they went by, " is it not true that she is beautiful? " " A piece of marble, my son," said I, suspecting nothing ; and I turned into a tobacconist's to buy a cigar. One day — Nino says it was in November — the contessina began asking him questions about the Pantheon. It was in the middle of the lesson, and he wondered at her stopping to talk. But you may 58 A ROMAN SINGER. imagine whether he was glad or not to have an opportunity of speaking about something besides Dante. "Yes, signorina," he answered, "Professor Grand! says it was built for public baths ; but, of course, we all think it was a temple." " Were you ever there at night ? " asked she, indifferently, and the sun 'through the window so played with her golden hair that Nino wondered how she could ever think of night at all. " At night, signorina ? No indeed ! What should I go there at night to do, in the dark ! I was never there at night." " I will go there at night," she said briefly. " Ah — you would have it lit up with torches, as they do the Coliseum ? " " No. Is there no moon in Italy, professore ? " " The moon there is. But there is such a little hole in the top of the Rotonda " — that is our Ro man name for the Pantheon — " that it would be very dark." " Precisely," said she. " I will go there at night, and see the moon shining through the hole in the dome." " Eh," cried Nino laughing, " you will see the moon better outside in the piazza. Why should you go inside, where you can see so little of it ? " " I will go," replied the contessina. " The Ital ians have no sense of the beautiful — the mysteri ous." Her eyes grew dreamy as she tried to call up the picture she had never seen. A ROMAN SINGER. 59 "Perhaps," said Nino, humbly. "But," he added, suddenly brightening at the thought, " it is very easy, if you would like to go. I will arrange it. Will you allow me ? " " Yes, arrange it. Let us go on with our lesson." I would like to tell you all about it ; how Nino saw the sacristan of the Pantheon that evening, and ascertained from his little almanach — which has all kinds of wonderful astrological predictions, as well as the calendar — when it would be full moon. And perhaps what Nino said to the sacristan, and what the sacristan said to Nino, might be amusing. I am very fond of these little things, and fond of talking too. For since it is talking that distin guishes us from other animals, I do not see why I should not make the most of it. But you who are listening to me have seen very little of the Con- tessina Hedwig as yet, and unless I quickly tell you more you will wonder how all the curious things that happened to her could possibly have grown out of the attempt of a little singer like Nino to make her acquaintance. Well, Nino is a great singer now, of course, but he was little once ; and when he palmed himself off on the old count for an Italian master without my knowledge, nobody had heard of him at all. Therefore since I must satisfy your curiosity be fore anything else, and not dwell too long on the details — the dear, commonplace details — I will simply say that Nino succeeded without difficulty in arranging with the sacristan of the Pantheon to 60 A ROMAN SINGER. allow a party of foreigners to visit the building at the full moon, at midnight. I have no doubt he even expended a franc with the little man, who is very old and dirty, and keeps chickens in the vesti bule — but no details ! I On the appointed night Nino, wrapped in that old cloak of mine (which is very warm, though it is threadbare), accompanied the party to the tem ple, or church, or whatever you like to call it. The party were simply the count and his daughter* an Austrian gentleman of their acquaintance, and the dear baroness — that sympathetic woman who broke so many hearts and cared not at all for the chatter of the people. Every one has seen her, with her slim, graceful ways, and her face that was like a mulatto peach for darkness and fineness, and her dark eyes and tiger-lily look. They say she lived entirely on sweetmeats and coffee, and it is no wonder she was so sweet and so dark. She called me " count " — which is very foolish now, but if I were going to fall in love I would have loved her. I would not love a statue. As for the Aus trian gentleman, it is not of any importance to de scribe him. These four people Nino conducted to the little entrance at the back of the Pantheon, and the sac ristan struck a light to show them the way to the door of the church. Then he put out his taper, and let them do as they pleased. Conceive if you can the darkness of Egypt, the darkness that can be felt, impaled and stabbed A ROMAN SINGER. 61 through its whole thickness by one mighty moon beam, clear and clean and cold, from the top to the bottom. All around, in the circle of the outer black, lie the great dead in their tombs, whispering to each other of deeds that shook the world ; whis pering in a language all their own as yet — the language of the life to come — the language of a stillness so dread and deep that the very silence clashes against it, and makes dull, muffled beatings in ears that strain to catch the dead men's talk : the shadow of immortality falling through the shadow of death, and bursting back upon its heavenward course from the depth of the abyss ; climbing again upon its silver self to the sky above, leaving be hind the horror of the deep. So in that lonely place at midnight falls the moon upon the floor, and through the mystic shaft of rays ascend and descend the souls of the dead. Hedwig stood out alone upon the white circle on the pavement beneath the dome, and looked up as though she could see the angels coming and going. And, as she looked, the heavy lace veil that covered her head fell back softly, as though a spirit wooed her and would fain look on something fairer than he, and purer. The whiteness clung to her face, and each separate wave of hair was like spun sil ver. And she looked steadfastly up. For a mo ment she stood, and the hushed air trembled about her. Then the silence caught the tremor, and quiv ered, and a thrill of sound hovered and spread its wings, and sailed forth from the night. 62 A ROMAN SINGER. " Spirto gentil del sogni miei " — Ah, Signorina Edvigia, you know that voice now, but you did not know it then. How your heart stopped, and beat, and stopped again, when you first heard that man sing out his whole heartf ul — you in the light and he in the dark ! And his soul shot out to you upon the sounds, and died fitfully, as the magic notes dashed their soft wings against the vaulted roof above you, and took new life again and throbbed heavenward in broad, passionate waves, till your breath came thick and your blood ran fiercely — ay, even your cold northern blood — in very triumph that a voice could so move you. A voice in the dark. For a full minute after it ceased you stood there, and the others, wherever they might be in the shadow, scarcely breathed. That was how Hedwig first heard Nino sing. When at last she recovered herself enough to ask aloud the name of the singer, Nino had moved quite close to her. " It is a relation of mine, signorina, a young fel low who is going to be an artist. I asked him as a favor to come here and sing to you to-night. I thought it might please you." " A relation of yours ! " exclaimed the contes- sina. And the others approached so that they all made a group in the disc of moonlight. "Just think, my dear baroness, this wonderful voice is a relation of Signor Cardegna, my excellent Italian master ! " There was a little murmur of admira tion ; then the old count spoke. A ROMAN SINGER. 63 "Signore," said he, rolling in his gutturals, "it is my duty to very much thank you. You will now, if you please, me the honor do, me to your all-the-talents-possible-possessing relation to pre sent." Nino had foreseen the contingency, and disappeared into the dark. Presently he returned. " I am so sorry, Signer Conte," he said. " The sacristan tells me that when my cousin had fin ished he hurried away, saying he was afraid of taking some ill if he remained here where it is so damp. I will tell him how much you appreciated him." " Curious is it," remarked the count. " I heard him not going off." " He stood in the doorway of the sacristy, by the high altar, Signer Conte." " In that case is it different." " I am sorry," said Nino. " The signorina was so unkind as to say, lately, that we Italians have no sense of the beautiful, the mysterious " " I take it back," said Hedwig gravely, still standing in the moonlight. "Your cousin has a very great power over the beautiful." " And the mysterious," added the baroness, who had not spoken, " for his departure without show ing himself has left me the impression of a sweet dream. Give me your arm, Professore Cardegna. I will not stay here any longer, now that the dream is over." Nino sprang to her side politely, though to tell the truth she did not attract him at first sight. He freed one arm from the old cloak, and 64 A ROMAN SINGER. reflected that she could not tell in the dark how very shabby it was. " You give lessons to the Signorina di Lira ? " she asked, leading him quickly away from the party. "Yes — in Italian literature, signora." " Ah — she tells me great things of you. Could you not spare me an hour or two in the week, pro- fessore ? " Here was a new complication. Nino had cer tainly not contemplated setting up for an Italian teacher to all the world, when he undertook to give lessons to Hedwig. " Signora " — he began, in a protesting voice. " You will do it to oblige me, I am sure," she said eagerly, and her slight hand just pressed upon his arm a little. Nino had found time to reflect that this lady was intimate with Hedwig, and that he might possibly gain an opportunity of seeing the girl he loved if he accepted the offer. " Whenever it pleases you, signora," he said at length. " Can you come to me to-morrow at eleven ? " she asked. " At twelve, if you please, signora, or half past. Eleven is the contessina's hour to-morrow." " At half past twelve, then, to-morrow," said she, and she gave him her address, as they went out into the street. " Stop," she added, " where do you live ? " " Number twenty-seven, Santa Catarina dei Fu- A ROMAN SINGER. 65 nari," he answered, wondering why she asked. The rest of the party came out, and Nino bowed to the ground, as he bid the contessina good-night. He was glad to be free of that pressure on his arm, and he was glad to be alone, to wander through the streets under the moonlight and to think over what he had done. " There is no risk of my being discovered," he said to himself, confidently. " The story of the near relation was well imagined, and, besides, it is true. Am I not my own nearest relation ? I cer tainly have no others that I know of. And this baroness — what can she want of me ? She speaks Italian like a Spanish cow, and indeed she needs a professor badly enough. But why should she take a fancy for me as a teacher ? Ah ! those eyes ! Not the baroness's. Edvigia — Edvigia di Lira — Edvigia Ca— Cardegna! Why not?" He stopped to think, and looked long at the moon beams playing on the waters of the fountain. " Why not ? But the baroness — may the diavolo fly away with her ! What should I do — I indeed ! with a pack of baronesses ? I will go to bed and dream — not of a baroness ! Macche", never a baroness in my dreams, with eyes like a snake and who cannot speak three words properly in the only language under the sun worth speaking ! Not I — I will dream of Edvigia di Lira — she is the spirit of my dreams. Spirto gentil " — and away he went, humming the air from the Favorita in the top of his head, as is his wont. 5 66 A ROMAN SINGER. The next day the contessina could talk of nothing during her lesson but the unknown singer who had made the night so beautiful for her, and Nino flushed red under his dark skin and ran his fingers wildly through his curly hair, with pleasure. But he set his square jaw, that means so much, and ex plained to his pupil how hard it would be for her to hear him again. For his friend, he said, was soon to make his appearance on the stage, and of course he could not be heard singing before that. And as the young lady insisted, Nino grew silent, and re marked that the lesson was not progressing. ' There upon Hedwig blushed — the first time he had ever seen her blush — and did not approach the subject again. After that he went to the house of the baroness, where he was evidently expected, for the servant asked his name and immediately ushered him into her presence. She was one of those lithe, dark women of good race, that are to be met with all over the world, and she has broken many hearts. But she was not like a snake at all, as Nino had thought at first. She was simply a very fine lady who did exactly what she pleased ; and if she did not always act rightly, yet I think she rarely acted unkindly. After all, the buon Dio has not made us all paragons of domestic virtue. Men break their hearts for so very little, and, unless they are ruined, they melt the pieces at the next flame and join them together again like bits of sealing wax. The baroness sat before a piano in a boudoir. A ROMAN SINGER. 67 where there was not very much light. Every part of the room was crowded with fans, ferns, palms, Oriental carpets and cushions, books, porcelain, majolica, and pictures. You could hardly move without touching some ornament, and the heavy curtains softened the sunshine, and a small open fire of wood helped the warmth. There was also an odor of Russian tobacco. The baroness smiled and turned on the piano seat. " Ah, professore ! You come just in time," said she. " I am trying to sing such a pretty song to myself, and I cannot pronounce the words. Come and teach me." Nino contrasted the whole air of this luxurious retreat with the prim, soldierly order that reigned in the count's establishment. " Indeed, signora, I come to teach you whatever I can. Here I am. I cannot sing, but I will stand beside you and prompt the words." Nino is not a shy boy at all, and he assumed the duties required of him immediately. He stood by her side, and she just nodded and began to sing a little song that stood on the desk of the piano. She did not sing out of tune, but she made wrong notes and pronounced horribly. "Pronounce the words for me," she repeated every now and then. " But pronouncing in singing is different from speaking," he objected at last, and fairly forgetting himself, and losing patience, he began softly to sing the words over. Little by little, as the song pleased him, he lost all memory of where he was, and stood 68 A ROMAN SINGER. beside her singing just as he would have done to De Pretis, from the sheet, with all the accuracy and skill that were in him. At the end, he suddenly remembered how foolish he was. But, after all, he had not sung to the power of his voice, and she might not recognize in him the singer of last night. The baroness looked up with a light laugh. " I have found you out," she cried, clapping her hands. " I have found you out." " What, signora ? " "You are the tenorfof the Pantheon — that is all. I knew it. Are you so sorry that I have found you out?" she asked, for Nino turned very white, and his eyes flashed at the thought of the folly he had committed. V. NINO was thoroughly frightened, for he knew that discovery portended the loss of everything most dear to him. No more lessons with Hedwig, no more parties to the Pantheon — no more peace, no more anything. He wrung his fingers together and breathed hard. "Ah, signora!" he found voice to exclaim, "I am sure you cannot believe it possible " — " Why not, Signer Cardegna ? " asked the baron ess, looking up at him from under her half-closed lids with a mocking glance. " Why not ? Did you not tell me where you lived ? And does not the whole neighborhood know that you are no other than Giovanni Cardegna, corrfmonly called Nino, who is to make his debut in the Carnival season? " " Dio mio ! " ejaculated Nino in a hoarse voice, realizing that he was entirely found out, and that nothing could save him. He paced the room in an agony of despair, and his square face was as white as a sheet. The baroness sat watching him with a smile on her lips, amused at the tempest she had created, and pretending to know much more than she did. She thought it not impossible that Nino, who was certainly poor, might be supporting him self by teaching Italian while studying for the 70 A ROMAN SINGER. stage, and she inwardly admired his sense and two fold talent, if that were really the case. But she was willing -to torment him a little, seeing that she had the power. " Signer Cardegna " — she called him in her soft voice. He turned quickly, and stood facing her, his arms crossed. "You look like Napoleon at Waterloo, when you stand like that," she laughed. He made no answer, waiting to see what she would do with her victory. "It seems that you are sorry I have discovered you," she added presently, looking down at her hands. " Is that all ! " he said, with a bitter sneer on his pale young face. " Then, since you are sorry, you must have a reason for concealment," she went on, as though re flecting on the situation. It was deftly done, and Nino took heart. " Signora," he said in a trembling voice, " it is natural that a man should wish to live. I give les sons now, until I have appeared in public, to sup port myself." " Ah — I begin to understand," said the baron ess. In reality, she began to doubt, reflecting that if this were the whole truth Nino would be too proud — or any other Italian — to say it so plainly. She was subtle, the baroness ! "And do you suppose," he continued, "that if once the Conte di Lira had an idea that I was to be a public singer he would employ me as a teacher for his daughter?" A ROMAN SINGER. 71 " No, but others might," she objected. " But not the count," — Nino bit his lip, fearing he had betrayed himself. " Nor the contessina," laughed the baroness, com pleting the sentence. He saw at a glance what she suspected, and instead of keeping cool grew angry. " I came here, Signora Baronessa, not to be cross- examined, but to teach you Italian. Since you do not desire to study, I will say good-morning." He took his hat, and moved proudly to the door. " Come here," she said, not raising her voice, but still commanding. He turned, hesitated, and came back. He thought her voice was changed. She .rose, and swept her silken morning-gown between the chairs and tables, till she reached a deep divan on the other side of the room. There she sat down. " Come and sit beside me," she said kindly, and he obeyed in silence. " Do you know what would have happened," she continued, when he was seated, " if you had left me just now? I would have gone to the Graf von Lira and told him that you were not a fit person to teach his daughter ; that you are a singer, and not a professor at all ; and that you have assumed this disguise for the sake of seeing his daughter." But I do not believe that she would have done it. " That would have been a betrayal," said Nino fiercely, looking away from her. She laughed lightly^ "Is it not natural," she asked, "that I should make inquiries about my Italian teacher, before I 72 A ROMAN SINGER. begin lessons with him? And if I find he is not what he pretends to be, should I not warn iny in timate friends ? " She spoke so reasonably that he was fain to acknowledge that she was right. "It is just," he said sullenly. "But you have been very quick to make your inquiries, as you call them." " The time was short, since you were to come this morning." " That is true," he answered. He moved uneasily. " And now, signora, will you be kind enough to tell me what you intend to do with me ? " " Certainly, since you are more reasonable. You see I treat you altogether as an artist, and not at all as an Italian master. A great artist may idle away a morning in a woman's boudoir; a simple teacher of languages must be more industrious." " But I am not a great artist," said Nino, whose vanity — we all have it — began to flutter a little. "You will be one before long, and one of the greatest. You are a boy yet, my little tenor," said she, looking at him with her dark eyes, "and I might almost be your mother. How old are you, Signer Nino ? " "I was twenty on my last birthday," he an swered, blushing. " You see ! I am thirty — at least," she added, with a short laugh. "Well, signora, what of that?" asked Nino, half amused. " I wish I were thirty myself." " I am glad you are not," said she. " Now listen. A ROMAN SINGER. 73 You are completely in my power, do you under stand ? Yes. And you are apparently very much in love with my young friend, the Contessina di Ly-a " — Nino sprang to his feet, his face white again, but with rage this time. " Signora," he cried, " this is too much ! It is insufferable! Good-morning," and he made as though he would go. " Very well," said the baroness ; " then I will go to the Graf and explain who you are. Ah — you are calm again in a moment ? Sit down. Now I have discovered you, and I have a right to you, do you see ? It is fortunate for you that I like you." " You ! You like me ? In truth, you act as though you did ! Besides, you are a stranger, Sig- iiora Baronessa, and a great lady. I never saw you till yesterday." But he resumed his seat. " Good," said she. " Is not the Signorina Ed- vigia a great lady, and was there never a day when she was a stranger too? " "I do not understand your caprices, signora. In fine, what do you want of me ? " " It is not necessary that you should understand me," answered the dark-eyed baroness. " Do you think I would hurt you — or rather your voice? " " I do not know." " You know very well that I would not ; and as for my caprices, as you call them, do you think it is a caprice to love music? No, of course not. And who loves music loves musicians ; at least," she added, with a most enchanting smile, " enough 74 A ROMAN SINGER. to wish to have them near one. That is all. I want you to come here often and sing- to me. Will you come and sing to me, my little tenor ? " Nino would not have been human had he not felt the flattery through the sting. And I always say that singers are the vainest kind of people. " It is very like singing in a cage," he said, in protest. Nevertheless, he knew he must submit ; for, however narrow his experience might be, this woman's smile and winning grace, even when she said the hardest things, told him that she would have her own way. He had the sense to under stand, too, that whatever her plans might be, their object was to bring him near to herself, a reflection which was extremely soothing to his vanity. " If you will come and sing to me, — only to me, of course, for I would not ask you to compromise your debut, — but if you will come and sing to me, we shall be very good friends. Does it seem to you such a terrible penance to sing to me in my soli tude ? " " It is never a penance to sing," said Nino sim ply. A shade of annoyance crossed the baroness's face. " Provided," she said, " it entails nothing. Well, we will not talk about the terms." They say women sometimes fall in love with a voice : vox et prceterea nihil, as the poet has it. I do not know whether that is what happened to the baroness at first, but it has always seemed strange to me that she should have given herself so much A ROMAN SINGER. 75 trouble to secure Nino, unless she had a very strong fancy for him. I, for iny part, think that when a lady of her condition takes such a sudden caprice into her head, she thinks it necessary to maltreat the poor man a little at first, just to satisfy her con science, and to be able to say later that she did not encourage him. I have had some experience, as everybody is aware, and so I may speak boldly. On the other hand, a man like Nino, when he is in love, is absolutely blind to other women. There is only one idea in his soul that has any life, and every one outside that idea is only so much land scape ; they are no better for him — the other wo men — than a museum of wax dolls. The baroness, as you have seen, had Nino in her power, and there was nothing for it but submis sion ; he came and went at her bidding, and often she would send for him when he least expected it. He would do as she commanded, somewhat sullenly and with a bad grace, but obediently, for all that ; she had his destiny in her hands, and could in a moment frustrate all his hopes. But, of course, she knew that if she betrayed him to the count, Nino would be lost to her also, since he came to her only in order to maintain his relations with Hedwig. Meanwhile, the blue-eyed maiden of the North waxed fitful. Sometimes two or three lessons would pass in severe study. Nino, who always took care to know the passages they were reading, so that he might look at her instead of at his book, had instituted an arrangement by which they sat 76 A ROMAN SINGER. opposite each other at a small table. He would watch her every movement and look, and carry away a series of photographs of her, — a whole row, like the little books of Roman views they sell in the streets, strung together on a strip of paper, — and these views of her lasted with him for two whole days, until he saw her again. But sometimes he would catch a glimpse of her in the interval, driving with her father. There were other days when Hedwig could not be induced to study, but would overwhelm Nino with questions about his wonderful cousin who sang ; so that he longed with his whole soul to tell her it was he himself who had sung. She saw his reluctance to speak about it, and she blushed when she mentioned the night at the Pantheon ; but for her life she could not help talking of the pleasure she had had. Her blushes seemed like the promise of spring roses to her lover, who drank of the air of her presence till that subtle ether ran like fire through his veins. He was nothing to her, he could see ; but the singer of the Pantheon engrossed her thoughts and brought the hot blood to her cheek. The beam of moonlight had pierced the soft virgin darkness of her sleeping soul, and found a heart so cold and spotless that even a moon ray was warm by comparison. And the voice that sang "Spirto gentil dei sogni miei" had itself become by memory the gentle spirit of her own dreams. She is so full of imagination, this statue of Nino's, that she heard the notes echoing after A ROMAN SINGER. 77 her by day and night, till she thought she must go mad unless she could hear the reality again. As the great solemn statue of Egyptian Memnon mur murs sweet, soft sounds to its mighty self at sun rise, a musical whisper in the desert, so the pure white marble of Nino's living statue vibrated with strange harmonies all the day long. One night, as Nino walked homeward with De Pretis, who had come to supper with us, he induced the maestro to go out of his way at least half a mile, to pass the Palazzo Carmandola. It was a still night, not over-cold for December, and there were neither stars nor moon. As they passed the great house Nino saw a light in Hedwig's sitting- room — the room where he gave her the lessons. It was late, and she must be alone. On a sudden he stopped. " What is the matter? " asked De Pretis. For all answer, Nino, standing in the dark street below, lifted up his voice and sang the first notes of the air he always associated with his beautiful contessina. Before he had sung a dozen bars, the window opened, and the girl's figure could be seen, black against the light within. He went on for a few notes, and then ceased suddenly. " Let us go," he said in a low voice to Ercole ; and they went away, leaving the contessina listen ing in the stillness to the echo of their feet. A Roman girl would not have done that ; she would have sat quietly inside, and never have shown her self. But foreigners are so impulsive ! 78 A ROMAN SINGER. Nino never heard the last of those few notes, any more than the contessina, literally speaking, ever heard the end of the song1. " Your cousin, about whom you make so much mystery, passed under my window last night," said the young lady the next day, with the usual dis play of carnation in her cheeks at the mention of him. "Indeed, signorina?" said Nino calmly, for he expected the remark. " And since you have never seen him, pray how did you know it was he ? " " How should one know ? " she asked scornfully. "There are not two such voices as his in Italy. He sang." " He sang ? " cried Nino, with an affectation of alarm. "I must tell the maestro not to let him sing in the open air ; he will lose his voice." " Who is his master ? " asked Hedwig, suddenly. "I cannot remember the name just now," said Nino, looking away. " But I will find out, if you wish." He was afraid of putting De Pretis to any inconvenience by saying that the young singer was his pupil. " However," he continued, " you will hear him sing as often as you please, after he makes his debut next month." He sighed when he thought that it would all so soon be over. For how could he disguise himself any longer, when he should be singing in public every night ? But Hedwig clapped her hands. " So soon ? " she cried. " Then there will be an end of the mystery." A ROMAN SINGER. 79 " Yes," said Nino gravely, " there will be an end of the mystery." " At least you can tell me his name, now that we shall all know it ? " " Oh, his name — his name is Cardegna, like mine. He is my cousin, you know." And they went on with the lesson. But something of the kind occurred almost every time he came, so that he felt quite sure that, however indifferent he might be in her eyes, the singer, the Nino of whom she knew nothing, interested her deeply. Meanwhile he was obliged to go very often to the baroness's scented boudoir, which smelled of incense and other Eastern perfumes, whenever it did not smell of cigarettes ; and there he sang little songs, and submitted patiently to her demands for more and more music. She would sit by the piano and watch him as he sang, wondering whether he were handsome or ugly, with his square face and broad throat and the black circles round his eyes. He had a fascination for her, as being something ut terly new to her. One day she stood and looked over the music as he sang, almost touching him, and his hair was so curly and soft to look at that she was seized with a desire to stroke it, as Mariuccia strokes the old gray cat for hours together. The action was quite invol untary, and her fingers rested only a moment on his head. " It is so curly," she said, half playfully, half apologetically. But Nino started as though he had 80 A ROMAN SINGER. been stung, and his dark face grew pale. A girl could not have seemed more hurt at a strange man's touch. " Signora! " he cried, springing to his feet. The baroness, who is as dark as he, blushed almost red, partly because she was angry, and partly because she was ashamed. " What a boy you are ! " she said, carelessly enough, and turned away to the window, pushing back one heavy curtain with her delicate hand, as if she would look out. " Pardon me, signora, I am not a boy," said Nino, speaking to the back of her head as he stood behind her. " It is time we understood each other better. I love like a man and I hate like a man. I love some one very much." " Fortunate contessina ! " laughed the baroness, mockingly, without turning round. | 11,651 |
https://github.com/gordroid/express/blob/master/test/app.use.js | Github Open Source | Open Source | MIT | 2,014 | express | gordroid | JavaScript | Code | 361 | 1,190 |
var after = require('after');
var express = require('..');
var request = require('supertest');
describe('app', function(){
it('should emit "mount" when mounted', function(done){
var blog = express()
, app = express();
blog.on('mount', function(arg){
arg.should.equal(app);
done();
});
app.use(blog);
})
it('should reject numbers', function(){
var app = express();
app.use.bind(app, 3).should.throw(/Number/);
})
describe('.use(app)', function(){
it('should mount the app', function(done){
var blog = express()
, app = express();
blog.get('/blog', function(req, res){
res.end('blog');
});
app.use(blog);
request(app)
.get('/blog')
.expect('blog', done);
})
it('should support mount-points', function(done){
var blog = express()
, forum = express()
, app = express();
blog.get('/', function(req, res){
res.end('blog');
});
forum.get('/', function(req, res){
res.end('forum');
});
app.use('/blog', blog);
app.use('/forum', forum);
request(app)
.get('/blog')
.expect('blog', function(){
request(app)
.get('/forum')
.expect('forum', done);
});
})
it('should set the child\'s .parent', function(){
var blog = express()
, app = express();
app.use('/blog', blog);
blog.parent.should.equal(app);
})
it('should support dynamic routes', function(done){
var blog = express()
, app = express();
blog.get('/', function(req, res){
res.end('success');
});
app.use('/post/:article', blog);
request(app)
.get('/post/once-upon-a-time')
.expect('success', done);
})
})
describe('.use(middleware)', function(){
it('should invoke middleware for all requests', function (done) {
var app = express();
var cb = after(3, done);
app.use(function (req, res) {
res.send('saw ' + req.method + ' ' + req.url);
});
request(app)
.get('/')
.expect(200, 'saw GET /', cb);
request(app)
.options('/')
.expect(200, 'saw OPTIONS /', cb);
request(app)
.post('/foo')
.expect(200, 'saw POST /foo', cb);
})
})
describe('.use(path, middleware)', function(){
it('should strip path from req.url', function (done) {
var app = express();
app.use('/foo', function (req, res) {
res.send('saw ' + req.method + ' ' + req.url);
});
request(app)
.get('/foo/bar')
.expect(200, 'saw GET /bar', done);
})
it('should invoke middleware for all requests starting with path', function (done) {
var app = express();
var cb = after(3, done);
app.use('/foo', function (req, res) {
res.send('saw ' + req.method + ' ' + req.url);
});
request(app)
.get('/')
.expect(404, cb);
request(app)
.post('/foo')
.expect(200, 'saw POST /', cb);
request(app)
.post('/foo/bar')
.expect(200, 'saw POST /bar', cb);
})
it('should work if path has trailing slash', function (done) {
var app = express();
var cb = after(3, done);
app.use('/foo/', function (req, res) {
res.send('saw ' + req.method + ' ' + req.url);
});
request(app)
.get('/')
.expect(404, cb);
request(app)
.post('/foo')
.expect(200, 'saw POST /', cb);
request(app)
.post('/foo/bar')
.expect(200, 'saw POST /bar', cb);
})
})
})
| 46,985 |
5950773_1 | Court Listener | Open Government | Public Domain | 2,022 | None | None | English | Spoken | 670 | 878 | Crew III, J.
Appeals (1) from an order of the Supreme Court (White, J.), entered April 1, 1991 in Fulton County, which, inter alia, denied defendants’ motions for summary judgment dismissing the complaint, and (2) from an order of said court, entered June 7, 1991 in Fulton County, which partially granted plaintiffs cross motion to dismiss certain affirmative defenses of defendant Graphic Arts Mutual Insurance Company.
We are called upon here to determine whether Town Law § 65 (3) is applicable in an action by plaintiff for common-law indemnity pursuant to Navigation Law article 12. The operative facts follow. Prior to 1987, defendant Town of Oppenheim owned a highway garage in Fulton County that contained an underground gasoline storage tank. The garage was insured by defendant Graphic Arts Mutual Insurance Company under a comprehensive general liability policy. At some point in time, the storage tank was abandoned by the Town. In May 1987, a representative of plaintiff received a report of a discharge near the garage which was contaminating soil and ground water. The discharge was contained and removed by the New York State Environmental Protection and Spill Compensation Fund at a cost of $21,378.59 with the final payment occurring on February 10, 1989. On August 22, 1990, plaintiff commenced this action against the Town and Graphic pursuant to article 12 of the Navigation Law. Plaintiff did not file a notice of claim against the Town before commencing its action. Both defendants interposed answers, asserted numerous affirmative defenses and asserted cross claims against one another. Defendants separately moved for summary judgment dismissing the complaint against them based upon plaintiff’s failure to comply with Town Law §65 (3). Plaintiff cross-moved to dismiss the affirmative defenses asserted against it by both defendants. Supreme Court held that Town Law § 65 *901(3) was not applicable to plaintiffs claims for indemnity and denied defendants’ motions. The court partially granted plaintiffs cross motion to dismiss the Town’s affirmative defenses, dismissing all but two of them. In a separate order, the court dismissed all but two of Graphic’s affirmative defenses. These appeals ensued.
Town Law § 65 (3) provides that no action shall be maintained against a town "upon or arising out of a contract entered into by the town” unless commenced within 18 months after the cause of action occurs or unless a written claim is filed within six months after the cause of action accrues. The section presupposes that a contract exists between a town and the party involved and that such party has a claim for breach thereof. Here plaintiff has asserted common-law indemnity claims against both defendants based upon Navigation Law article 12 for funds expended in cleaning up and removing a discharge of petroleum (see generally, State of New York v Stewart’s Ice Cream Co., 64 NY2d 83). Plaintiffs claims are quasi-contractual in character and find their roots in principles of equity (see, McDermott v City of New York, 50 NY2d 211, 217). It is well settled that quasi-contracts are not contracts at all and that "a quasi-contractual obligation is one imposed by law where there has been no agreement or expression of assent, by word or act, on the part of either party involved. The law creates it, regardless of the intention of the parties, to assure a just and equitable result” (Bradkin v Leverton, 26 NY2d 192, 196). The instant action, therefore, is not founded upon a contract, express or implied, and Town Law § 65 (3) has no application (see, Buchanan v Town of Salina, 270 App Div 207, 215; see also, Loughman v Town of Pelham, 126 F2d 714; Town of Saugerties v Employers Ins., 743 F Supp 112, 177).
With regard to Supreme Court’s dismissal of defendants’ other affirmative defenses, we find that those issues have been abandoned due to defendants’ failure to raise them in their appellate briefs (see, Lamphear v State of New York, 91 AD2d 791).
Mikoll, J. P., Levine, Casey and Harvey, JJ., concur. Ordered that the orders are affirmed, with costs.
| 24,186 |
https://ceb.wikipedia.org/wiki/Cryptochilus%20imitator | Wikipedia | Open Web | CC-By-SA | 2,023 | Cryptochilus imitator | https://ceb.wikipedia.org/w/index.php?title=Cryptochilus imitator&action=history | Cebuano | Spoken | 38 | 74 | Kaliwatan sa insekto ang Cryptochilus imitator. Una ning gihulagway ni Haupt. Ang Cryptochilus imitator sakop sa kahenera nga Cryptochilus, ug kabanay nga Pompilidae. Walay nalista nga matang nga sama niini.
Ang mga gi basihan niini
Insekto
Cryptochilus (Pompilidae) | 9,781 |
https://github.com/savchuckvadim/Garant__KKP-first-windows-commit/blob/master/src/modules/redux/redusers/weight-reduser.js | Github Open Source | Open Source | MIT | null | Garant__KKP-first-windows-commit | savchuckvadim | JavaScript | Code | 112 | 273 |
const WEIGHT = 'WEIGHT';
const initialState = {
currentWeight: 0
}
export const weightActionCreator = () => {
return {
type: WEIGHT
}
};
const getWeight = (state, action) => {
let info = 0;
let er = 0;
let totalweight = 0;
action.infoblocks.forEach(element => {
element.value.forEach(elem => {
if (elem.checked === true) {
info += elem.weight
}
})
})
action.encyclopedias.forEach(element => {
element.value.forEach(elem => {
if (elem.checked === true) {
er += elem.weight
}
})
})
totalweight = info + er
state.currentWeight = totalweight
return state
};
const weightReducer = (state = initialState, action) => {
if (action.type === WEIGHT) {
return getWeight(state, action)
}
return state
}
export default weightReducer | 47,512 |
sn83045462_1939-12-01_1_59_1 | US-PD-Newspapers | Open Culture | Public Domain | 1,939 | None | None | English | Spoken | 4,353 | 6,913 | McAfee Given Almost Unanimous Vote as No. 1 Performer Honors Widely Divided As 91 Coaches, Scouts And Writers Ballot By BARTON PATTIE, Associated Press Sports Writer. RICHMOND, Va., Dec. 1.—Coaches Duke and Clemson won five berths on the 1939 Associated Press all-Southern Conference football team, yielding the other positions to five loop rivals. Duke’s Blue Devils earned three of the honor team spots; Clemson and North Carolina, two, and Wake Forest, Washington and Lee, Furman and Richmond, one each, the widest representation on the post season squad in years. The team was selected on the basis of votes from 91 coaches, scouts and sports writers in the four-State conference area. George Anderson McAfee, Duke's southpaw triple-threat back, was the loop’s No. 1 performer in the opinion of the scribes and coaches who gave him close to a unanimous vote. His rushing average from scrimmage was 6.6 yards per carry in 96 tries. He tossed 15 passes, completing nine for 138 yards with none intercepted, and caught 10 himself for total gains of 229 yards. His average on 37 punt returns was 9.9 yards and his scoring total for the year was 42 points. McFadden Rated Second. The No. 2 man, with 90 percent of the ballots, was Banks McFadden, Clemson's 6-foot, 3-inch star, who proved he could handle every backfield assignment and handle it well, especially when the pressure was on. George Stirnweiss, North Carolina, and Roten Shetley, Furman, won the other two backfield positions over such standouts as Sophomore John Polanski of Wake Forest; Jim Lalanne, North Carolina's kicking and passing ace; Shad Bryant, McFadden's talented running mate at Clemson, and V. M. I.'s Paul Shu, who had been a member of both the 1937 and 1938 all-conference elevens. Joe Blalock of Clemson, the only sophomore to gain recognition, and Paul Severin, North Carolina, nosed out Bill Bailey of Duke in a 3-way battle for the end berths. Bill Burge, Richmond's lanky pass snatcher; John Jett, 215-pound Wake Forest Deacon, and Willard Perdue, Duke, member of the 1938 all-star team, also had a number of supporters. Tackle Competition Tight. The struggle over the tackle positions also was close, Ruppert Pate, Wake Forest, and Dick Boois, seau. Washington and Lee, veteran 200-pounders, winning by slim margins over Ed (Ty) Coon, N.C. State, and George Fritts, Clemson. Coon was a member of last year's honor eleven. Frank Ribar and Allen Johnson swept the guard posts for Duke with Jim Woodson of North Carolina running third. Ed Merrick, Richmond's rugged center, gained the nod over Duke's Gordon Burns. These two fine pivot men so monopolized the balloting that few votes were left for the other centers of the loop. The honor squad includes five team captains -- Pate Boisseau, Johnson, Merrick, Shetley, and a co-captain, Stimweiss. The loop as a whole had probably its best season since the secession of the Southeastern members eight years ago. Four teams lost only one contest each—Duke, Clemson, North Carolina, and Richmond— with the Tar Heels and Spiders both taking their blows on the chin from conference brothers. This made competition for positions so keen that Stimweiss was the only one of five eligible 1938 all-stars who made the grade a second time. The hefty line averages 191 pounds and the backfield hits the scales at 183. Six men hail from the conference area, Pennsylvania claims three and New York and Ohio furnished one each. From the Press Box Baseball Science Gone, Oscar Vitt Wails By JOHN LARDNER Special Correspondent of The Star. NEW YORK, Dec. 1 (N.A.N.A.).— Describing the New York Yankees as a potential third-place club in 1940— Cleveland first, Boston second—Ol’ Oscar Vitt goes on to drop a tear for scientific baseball, which, he says, is deader than Old Man Mose in the American League. “Somebody should take the jackrabbit out of the ball,” says Oscar, the Cleveland maestro. “I know it’s been mentioned before, but people have got so used to the hopped-up ball by now that they don't even remember what the old game was like. The outfielders, says Mr. Vitt, might as well be playing jacks in the girl's section of the playground as baseball. They lob the ball in to third base from left field instead of lining it to second to nip the two-base hitter. They play a deep centerfield and let the Texas Leaguers fall where they will. They back against the wall in right to slap down the jazzed-up ball which always is threatening to vanish from the park. Most everything wrong, Tribe Manager Claims The base -runners are satisfied to grow moss on first-base, instead of purloining second. The infield seldom plays for the plate, and the classic maneuver of fielding bunts to third base on the double-sacrifice is moribund. Mr. Vitt deplores all this. Of course, his own team is no exception to what he describes as the general rule in the American League. There is no more stolid herd of sluggers in the business than the Indians. Oscar mourns for the days of accurate, daring defense, free running of the bases, and sharp, scientific hitting, and since he is unable to provide these features with his own club, the answer seems to lie in the ball. Well, of course, the New York Yankees have disproved Mr. Vitt's thesis to some extent. Using the same ball, they do play a fast, gambling, defensive game, they do run the bases for all they're worth, and they do play for the plate when the play is feasible. Naturally, they don’t go in for place-hitting. That’s one branch of the game which the jackrabbit ball has effectively killed, in both major leagues alike. Real Treat to Watch Joe Jackson Hit Joe Di Maggio choked his bat a trifle this year to get better hitting results numerically and he succeeded because fewer of his wallops were easy flies, but he wasn’t placing the ball. He still was pulling. Paul Waner was the last great place-hitter. There's been only one place hitter to 50 ball players in the last few years. Mr. Vitt worked with Tyrus R. Cobb. Even the scattered action pictures of Cobb will show you that he choked his bat a good several inches up the handle. He did that almost constantly. Oscar calls Cobb and Joe Jackson the two best natural hitters he ever saw. Jackson choked his bat only a couple of inches, and hit a longer ball than Cobb. In his best years, he hit the ball safely nearly as often as the Peach, but that's because his eyes were sharper and his coordination a trifle better. It was a treat to watch Shoeless Joseph hit Your correspondent saw him in only two years, the years of his tragedy, 1919-20, but even then the confidence of his address and the easy rhythm of his swing were something to see. Yanks Seem to Be Good At "Lost Arts" Mr. Vitt is correct in calling place hitting a lost art. If a hitter today can pull the ball, he will reach those fences and if he merely gets the best piece of the ball he can find, catch-as-catch-can, he is apt to drill it through the infield somewhere, it travels so fast. But when Oscar blames other modern baseball shortcomings on the ball, he is missing the lesson that the Yankees taught in the World Series last fall and that is a lesson too valuable to miss, especially for a gentleman in Mr. Vitt’s position. The Yanks were fast, tight and nimble, and they threw to the right base. They effectively demoralized Cincinnati with a base-running attack and they throttled the Red hitters with their inner and outer defense. They have been winning in the American League for much the same reasons. Cleveland. Boston and Detroit can match them at bat. The difference is not all in pitching. A lot of it lies in Yankee mastery of those very "lost arts" which Mr. Vitt is mourning. The jackrabbit ball is here to stay. If the Indians are going to beat out the Yankees next year, as Oscar guesses they may, they will have to learn to handle the jackrabbit in more ways than just with a club. Notre Dame Has a Pair On All-Italian Team By the Associated Press. KANSAS CITY, Dec. 1.—Two members of Notre Dame's fighting Irish football team were chosen today as members of the American Italian-American Civic League. The first and second teams follow: FIRST TEAM. SECOND TEAM. Pos. Player. College. Player. College. L.E_Mariccui. Minn._Cabrelli, Colgate L.T_RufTa. Duke_Bal i, W. Va. L.G_Defranco. N D-Conti. Cornell Cadessano. Oreg_Demao. Duq. RG_Cemore, Creigh. Messiana. L.S.U. R.T_Savilla Mich_Mazzom. Duq. R.E_Monaco. Villa_Reginato. Ores. Q. B_Caseria. Colgate_Mazzei. Villa. L.H_Cassiano. Pitt_Lamanna. N.Y.U. R. H_Zontini, N. D_Gardella. Harv. F.B_Principe, Ford Donelli. Duquesne AGREE TO WIN—Coach Swede Larson and Al Bergner, Navy Captain, made a victory pact at Annapolis yesterday, just before the Middle left for Philadelphia to play Army tomorrow in the Municipal Stadium. —A. P. Photo. More Than 100 Seek To Succeed Glenn At West Virginia Regents Will Act Upon Gridiron Situation at December 16 Parley By the Associated Press. PITTSBURGH, Dec. 1.—Athletic Director Roy M. Hawley of West Virginia University, here to talk over prospects of a game with Duquesne next year, reported there were more than 100 prospects or applicants for the Mountaineer coaching job which Dr. Marshall (Sleepy) Glenn wants to vacate. “Nothing definite will be done about the matter, however, until December 16, when the Board of Regents is scheduled for a meeting,” said Hawley. Many big names in the collegiate grid world have been linked with West Virginia. In addition to Dr. John Bain (Jock) Sutherland, former Pitt mentor, and Bill Kern, coach at Carnegie Tech, these include Ray Wolf of North Carolina University; Irl Tubbs, former Iowa coach, and George McLaren, Pitt's star fullback in the Pop Warner era. Southeastern Loop Grid Title Depends Largely on Heavy Battling Due Tomorrow By the Associated Press. Although the titular situation in the Southeastern Conference seems pretty well in the bag, three possible upsets are on the schedule and must be taken into consideration before the three probable co-champions clash for their laurels. Traditional intrastate scraps which might toss a wrench into the calculations are on tomorrow’s slate. The University of Georgia Bulldogs clash with Georgia Tech and Louisiana State's Tigers attempt to avenge a poor season against powerful Tulane. Tech, Tulane and Tennessee, undefeated within the conference, may claim co-championship. Auburn Held No Menace. But it will be a week more before even this will be decided. Standing in the way of the powerful Volunters is the December 9 engagement with Auburn. The Auburn Plainsmen showed themselves no heavy threat yesterday when the Florida 'Gators held them to a 7-7 tie in a late Thanksgiving game dedicating the new Auburn Stadium. Tennessee continued its undefeated, unscored-upon way with a 19-to-0 victory over the fighting Wildcats of Kentucky. It was the thirteenth game in which the Vols have held their opponents scoreless and In the practically paved the way for a Rose Bowl bid to the Tennesseeans. In the conference’s other second Thanksgiving meeting, Vanderbilt crumbled before the billowing Crimson Tide of Alabama, 39 to 0. Rain Looms in Georgia. Prospects of rain for the Georgia Tech clash encouraged Georgia supporters. The Tech attack is geared to nimble ball handling. The Engineers have not played with a wet ball all season. Injuries dampened the practice ardor of the Techsters, while the Bulldogs showed extra spirit in their drill. Louisiana State, working long and hard for its last stand, has encouraged Coach Bernie Moore. “Don't be surprised,” says he. The Tulane Wave, however, was in condition and its powerhouse attack clicked. The Waves took their hard workout yesterday. 20 Years Ago In The Star Capt. Ira Rodgers of the West Virginia football team topped the country’s gridders in scoring during the season just ended. He had 147 points. Bo McMillan of Centre was second. Centre led in team scoring with 485. Gil Dobie, Navy grid coach, is receiving wide acclaim for a great job this fall. There are rumors, however, he will not be back next year. Hardan Statzell of Penn Charter School (Philadelphia) kicked 19 consecutive points after touchdown in inter-class games this season. American U. Court Team At Penn State Clinic American University's court squad, coached by wily Staff Cassell, has been singularly honored by an invitation to appear in an exhibition at the Penn State basketball tournament over the week end. Cassell and his men will motor to Pennsylvania this afternoon and are scheduled to demonstrate plays and court strategy before hundreds of high school and college coaches tomorrow. The school is conducted by John Lawther, Nittany Lion basket ball coach. All-America Eleven Covering 50 Years Picked by Rise Fifty years ago the late Walter Camp laid the cornerstone of one of the Nation's warmest perennials by selecting his first all-America football team. Today fresh fuel was added to the flames when Grantland Rice, writing in Collier's magazine, named an all-time all-America eleven from the ranks of teams chosen during the past half century. That there is room for argument goes without saying. The line-up includes the following: Center—"Germany" Schulz, Michigan, 1907. Guards—Pud Reifflinger, Yale, 1889, 90, '91; Cannon, Notre Dame, 1929. Tackles—Fats Henry, Washington and Jefferson, 1919; Fincher, Georgia Tech, 1920. Ends—Brick Muller, California, 1926; Wesley Fessler, Ohio State, 1928. Quarterback—Red Grange, Illinois, 1923. Halfbacks—Jim Thorpe, Carlisle, 1911, '12; Ken Strong, New York University, 1928. Fullback—Ernie Nevers, Stanford, 1925. Marshall Is Thrown ST. LOUIS, Dec. 1 (IP).—Cliff Gustafson, 240, Gonvick, Minn., threw Everett Marshall, 225, La Junta, Colo., in 30:43 minutes here last night. All-Southern Conference Team Flayer, School, Pos. St. Wt. Yr. Home town, Joe Blalock, Clemson End 6-2, 181! Soph Charleston, S. C. Paul Severin. North Carolina End 8-0 187 Jr. Natrona. Pa. Rupperi, Pate. Wake Forest. Tackle 8-1 200 Sr. Goldsboro. N. C. Dick Boisseau. Washington and Lee Tackle 8-0 200 Sr. Petersburg, Va. Frank Ribar. Duke Guard 8-1 100 Sr. Alliouppa Pa. Allen Johnson. Duke Guard 5-10 105 Sr. Lexington. N. C. Ed Merrick, Richmond Center 6-11 172 Sr. Pottsville. Pa. George Stirnwels, North Carolina Back 6-0 177 Sr. New York City. George McAleer Duke Back 5-11 178 Sr. Ironton. Ohio. Banks McFadden. Clemson Back 6-0 185 Sr. Great Falls. S. C. Rolen Shetley, Furman Back 6-10 190 Sr. Union. S. C. Second team. Pos. Third team.. Bailey. Duke _End _ Jett. Wake Forest Burge, Richmond _End _ Perdue. Duke Fritis, Clemson _Tackle_ Ruffa. Duke Coon. North Carolina State_Tackle_Kimball. North Carolina Woodson. North Carolina_Guard_Gosney. Virginia Tech Cox. Clemson _Guard_ Wofford, Furman Burns. Duke _Center_Sharpe, Clemson Lalane. North Carolina_Back_ Pritchard, V. M. I. Bryant, Clemson _Back_ Mayberry. Wake Forest Shu. V. M I. _Back_Redman, North Carolina Polanski Wake Forest_- Back _Warriner, Virginia Tech Honorable Mention. Ends—Coley, Furman: Mallory, North Carolina: Darnell, Duke: Gondak. William and Mary; Cowan. Davidson. Tackles—White. North Carolina: Coleman, Virginia Tech; Winterson. Duke: Hall, Clemson: Granoff. South Carolina. Guards—Lindsey, Washington and Lee; Trunzo, Wake Forest; Deschamps, Citadel: Lawrence. Maryland. Centers—Smith North Carolina: Pendergast, Wake Forest; Retter, North Carolina State. Backs—Robkison. Duke: Jones, Richmond: Blouin, South Carolina: Edwards, Citadel; Mondorff, Maryland: Yoder. Davidson. Football Results For the Associated Press. East. Brown. 13: Rutgers, 0. South. Alabama. 39: Vanderbilt, 0. Florida. 7: Auburn. 7 (tie). Tennessee. 19: Kentucky. 0. North Carolina. 19; Virginia. 0. Wake Forest. 4(1; Davidson. 7. Birmingham-Southern. 9: Howard. 6. Chattanooga. 21: Mercer. 18. Kemper Military Academy, 6: Wentworth Military School, (1. Louisiana Normal. 11: Southwestern (La.), 0. Catawba. 7: Lenoir Rhyne. 7 (tie). Eloi, 28: Guilford. 8. The Citadel. 21: Wofford. 2. Centenary. 19; Louisiana Tech. 0. Fishburne Military Academy, 32: Augusta Military Academy. 0. Louisiana College. 9: Spring Hill. 7. Laurel. 12: Hattiesburg. 0. Troy (Ala.) State Teachers. 7; Livingston (Ala.I State Teachers. (I. Tennessee State. 13: Lincoln of Missouri, 0 Tuskegee. 6: Montgomery Teachers, 0. Arkansas State. 12; Lemoyne, 7. Bluefields. 39: Shaw. 7. Florida State, 33; Xavier of New Orleans. 0. Greensboro A. and T., 7: North Carolina College, (i. Knoxville. 19: Talladega. 0. J. C. Smith. 13: Livingstone. 0. Fayetteville, 12: Elizabeth City. 0. Midwest. Wichita. 7; Washburn. 0. Springfield Teachers. 7; Arkansas A. and M., 0. Emporia Teachers, 20; Pittsburg (Kans.) Teachers. 0. Iowa Wesleyan. 14; Parsons. 8. Hastings (Nebraska College, 32: Nebraska Wesleyan. 7. Southwest. Arkansas Tech. 0; Arkansas State, 0. Hendrix. 6; Ouachita. 0. Arkansas. 23; Tulsa. 0. Henderson. 20; Northeast Oklahoma Junior. 0. Texas A. and M. 20; Texas. 0. Trinity. 19; Austin College. 0. Arizona. 0; Montana. 0. West Texas Teachers. 0; Texas A. and M., 0. Oklahoma Baptists, 53; Southwestern (Kans.) 0. New Mexico. 21; Colorado Aggies. 19. New Mexico Military. Western State, 14. Rocky Mountains. Colorado. 27; Denver, 17. Whitman. 13; College of Idaho, 7. Far West. San Jose State. 12; Drake. 0. U. C. L. A., 24; Washington State. 7. Filipino Defeats Kovacs MANILA, Dec. 1 (JP).—Felicism Ampon, diminutive Filipino Davis Cup tennis player, defeated Frank Kovacs, American Davis Cup Disgruntled by Grid Beatings, Chicago Ponders Plans for Gradual Climb in Sport By the Associated Press. CHICAGO, Dec. 1.—Can the University of Chicago, which has not won a Big Ten game in three seasons, absorb another gridiron beating such as the merciless one taken by the Maroons this fall and still remain in major college football? The answer, supplied by inquiry on the campus, apparently is an emphatic “no.” After the close of a campaign in which the Maroons scored only 37 points to 308 by opponents, the university now is pondering these altenatives: (1) Drop football completely. (2) Make a determined effort to lighten the schedule so that, within four years, only one Big Ten team would be met. (3) Make no change in policy and the hope that teams will improve and regain, in some measure, the gridiron ranking that was Chicago's in the days when it produced some of the finest teams and stars in the Nation. Chicago on “Schedule Spot.” Right now Chicago is on a “schedule spot.” For several years President Robert M. Hutchins and his aids have tried to lighten the gridiron schedule, but in 1940, when the Maroons had hoped for a comparatively easy program, they collide with these major foes: Purdue, Michigan, Ohio State, Virginia, and Brown. There are two important financial angles in the problem. Some influential alumni are convinced Chicago's showing this fall won’t be any help in the school's annual drive for funds. Many alumni believe a concerted effort should be made to obtain good players and are opposed to lightening the schedule—prefer Bringing to take the bumps rather than play small schools. Again, strong-drawing Big Ten teams can't be blamed if they show from playing Chicago at Stagg Field with its empty stands. Ohio State lost $400 playing here this fall— when the Buckeyes might have been taking a cut of $20,000 or so playing elsewhere. Wins in Minor Sports. Under President Hutchins, Chicago firmly has held to the view that football is only one of 13 competitive Big Ten sports. The records show that in the last six seasons Michigan has won 21 titles, Chicago 14, Illinois 9 5-6 and Minnesota 7, they being the pacesetters. Schools authorities contend it makes no difference that those Chicago championships came in tennis (5); fencing (5); water polo (3), and gymnastics (1). Chicago is handicapped in its football battle with other Big Ten schools principally because it is the only conference institution without a physical education school—and more than 50 percent of major sport athletes make coaching their life’s work; and because Chicago has become generally known as a scholarly "tough" school of a graduate type—even though there are 300 more undergraduates on the campus than graduates. Has Tough Road Ahead. Here is the Maroon football schedule now contracted for: 1940 — Purdue, Michigan, Ohio State football effort may be made to slip out from under one of those Virginia, Brown. 1941— Brown, Illinois, Michigan, State. 1942— Indiana, Illinois, Michigan, Ohio State. Regarding the possibility of this year's freshman team putting Chicago back on its "gridiron feet": Chicago's 1939 freshman crop is better than any since 1932, when the famous Jay Berwanger was a first-year student. But it probably is no better, and possibly not as strong, as freshmen squads at Minnesota, Ohio State and Michigan. It is not likely that these freshmen will set the football world afire. In fairness to a team which played gamely through a schedule in which it lost six games by shutout scores, it should be said that it had an unusual number of bad breaks. Seven promising sophomores were lost by inclemency. A star guard left school to aid his family financially and a two-letterman tackle was ordered to quit because of a heart ailment. And just when Coach Clark Shaughnessy thought he had reached the end of player trouble, a star end failed to show up one day. Inquiry revealed he was through for the season—having cut a thumb off opening a pop bottle. Florida Honors Goff GAMESVILLE, Fla., Dec. 1 (IP).—Coach Josh Cody has announced that Clark Goff, senior tackle and a native of Pittsburgh, Pa., has been elected honorary captain of the Florida football team for the 1939 season. Deacons, Tar Heels Capture Southern Grid Windups Wake Forest Crushes Davidson, N.C., Puts Bee on Virginia By the Associated Press. RICHMOND, Va., Dec. 1.—Southern Conference teams came through the season’s finals with outside opposition unscathed yesterday, while in the only intercollegiate game Wake Forest. Forest and John Polanski routed Davidson, 46-7. The fleet sophomore fullback, top scorer in the conference, lived up to all advance notices and then some, accounting for 28 of Wake Forest’s points. He bagged four touchdowns and added an equal number of extra points. Davidson, taking its worst licking in the 25 years of the series with the Deacons, was saved from a shutout by Halfback Tubby Hand's 72-yard fourth-quarter run from scrimmage for a touchdown. In a game that was somewhat anti-climactic after its battle with Duke last week, North Carolina defeated the University of Virginia, 19 to 0, at Chapel Hill in the 44th renewal of the South's oldest football rivalry. The mighty Tar Heels, defeated only by Duke's Blue Devils this year, counted two touchdowns in the first period after recovering Virginia fumbles and then scored again through the air in the final quarter. Lalanne to Severin. A blocked Virginia punt set up the last Carolina score. Sports Program For Local Fans TODAY. Hockey. Washington Eagles vs. Akron Canadians, Riverside Stadium, 8:30. A. A. U. tourney boxing bouts, Turner's Arena, 8:30. TOMORROW. Football. George Washington vs. West Virginia, Morgantown, 2. Army vs. Navy, Philadelphia, 1:30. ICE HOCKEY WASHINGTON EAGLES vs. THE CANADIANS 8:30 P.M. TONIGHT Adm. 65c, $1.10, $1.35, inc. tax RIVERSIDE STAD Phane OCfL Jt n N W Phane re. 2930 HHnacun.w. ke. goao 4 I AIR-CONDITIONED PIPE? f————0 Air-conditioner keeps bowl dry, insures ^, no bite! Breaks in easily! Pipe stays lighted. blirS ll 15.... Economical... smokes sweet to last ash. and It'S No bad odor. Always clean. Needs no "dry SMOKE-FILTERED, s.w ^ I Double-draft. Never clogs a box of 12 filters FREE with every pipe. DUKE of DUNDEE ROYAL DUKE, 1.5* [WITH MICRO-MOUNT At all good dealers—write for booklet, or remit to CONTINENTAL BRIAR PIPE CO., INC., •• YORK STREET, BROOKLYN, N.T. MATINEE! Sat.—Sun.—Hot. 2:30—5:30 P.M. UNION MUSIC Avenue Bottled and Distributed by AMERICAN SALES COMPANY Washington, D. C Georgia 4100 REPAIRING SPEEDOMETERS AMMETERS, etc. CAN YOU WRITE A SLOGAN? Slogans Must be in the Mail by 6 P.M. Monday, December 4th SEND YOUR SLOGANS IN TODAY FREE PRIZES! COAST-IN, INC. New Pontiac Dealer Will Give Valuable Prizes for a New Business Slogan FIRST PRIZE $100 Cash $150™ THIRD PRIZE $50 In and $150 Credit Cash a & £lfj Voucher SECOND PRIZE $50 In and $150 Credit Cash a & £lfj Voucher HONORABLE M ION $100 Vacuum DIRECTIONS First prize goes to the person who sends in best slogan. Second prize goes to the next best, and so on. Here are five examples of slogans which are now in use by other firms. They will give you an idea of what to send in: Pontiac, Constant Supremacy. Service Sells 'Em. Pontiac Best By Every Test. Tomorrow’s Car Today. Pontiac Sells and Resells. It is not necessary to use either the name Coast-In, Inc., or Pontiac in your slogan, although one or both may be used if desired. Send as many slogans as you wish. The Judge, Who Will Decide This Contest Are: ELTON COMPANY SALES PROMOTION PAUL MASSON, Times-Herald CHESTER H. JONES, The Evening Star Send All Slogans To ‘CONTEST DEPT. COAST-IN, INC. 407-423 Florida Ave. N.E. By 6 P. M. Monday, December 4th WHY WE DO THIS It is a well-known fact that high-grade advertising is the life of business. In advertising short catchy phrases and sentences, called slogans, are very valuable. We need them and will gladly pay for them, and are taking this method of getting a number of suggestions. Most slogans which have brought fortunes to business houses were thought of by someone not connected with the house. Cash and credit vouchers will be given to people who least expect them. Only a few minutes' work is all it takes. Equal prizes in case of tie. All prizes are given free. Successful contestants will be notified by mail. Credit vouchers are transferable. More than one honorable mention prize will be issued. Any one credit good for face value not to exceed one-third the purchase price on any used car in stock. Credits expire Saturday, December 9th, 1939. All slogans must be in the mail by 6 p.m. Monday, December 4th Use Coupon or Plain White Paper — I hereby submit the following slogans for the Judies' consideration. I agree to abide by the decision of the Judies without question. All slogans become the property of Coast-In, Inc. Name Street and Number Town (Write with pen, pencil or typewriter) COAST-IN, INC. DIRECT FACTORY Pontiac Dealer 400 Block Florida Ave., N.E. Washington, D.C. | 12,171 |
sn85035776_1908-04-10_1_8_1 | US-PD-Newspapers | Open Culture | Public Domain | 1,908 | None | None | English | Spoken | 4,108 | 5,825 | COUNTY NEWS SWEDISH BOROUGH [The MONSTER-BREAKERS can be found for sale at Acton's News Agency.] Mrs. Dr. DuHell, of Glassboro, has been a guest of Mr. and Mrs. William Mr. and Mrs. Benjamin Wright and son, spent Sunday with friends at Glassboro. Mr. James Binnings, of Fairton, was an over-Sunday guest of Mr. Isaac Dorrell and family. Mrs. John Zane, of Gloucester City, has been visiting her parents, Mr. and Mrs. Howard Taylor. Mrs. Clayton Eastlack and children, have been spending several days with relatives at Bridgeton. Mrs. John Burr, of Clarksboro, visited her parents, Mr. and Mrs. William Dukes, here on Tuesday. Mr. and Mrs. David Wright, of South Swedesboro, have been entertaining, Mrs. Delbert Elkin, of Glassboro. Mr. John L. Winnemore, of Princeton, will preach in the Presbyterian Church on next Sunday morning and Three persons were received into membership in the Methodist Church on Sunday, two by letter, and one on probation. Prof. Jonathan Mulford, of Bridgeport, has a number of music scholars here. He is said to be a most excellent teacher. Washington Camp No. 90, P. O. S. of A., will celebrate its third anniversary, on Tuesday evening, April 28th, In Black's Hall. The public school is so crowded that a number of children who ought to have been Taken in, the first week in April, are kept out. Detective and Mrs. H. C. Garrison have gone to spend several weeks with their daughter, Mrs. William R. Cooper, at Easton, Pa. Mr. and Mrs. William Stewart, of Camden, were guests of their parents, Mr. and Mrs. S. T. Stewart on Saturday night and Sunday. Rev. A. P. Bottsford, of Woodbury, preached in the Presbyterian Church on Sunday in place of Rev. Edward Dillon, who was expected. Mrs. Mary E. Black has just returned from a visit of several weeks with her children at Woodbury, Elmer, Malaga, Pedricktown and Paulsboro. Mr. and Mrs. Henry Long and daughter, Gertrude, of Millville, and Mr. Charles Long, of Bridgeton, have been visiting their father, Mr. John Long here, who is quite ill. Roller skating at the rink is now a thing of the past, the skates having been taken to Ocean City. Moving pictures will now be the attraction. The bowling alleys will continue. Rev. S. F. Gaskill is slowly recovering at the home of his daughter, Mrs. Geo. M. Ashton here. He attended the church service on Sunday morning, for the first time since his severe illness. The Woolwich Board of Education has advertised for sealed proposals for the completion of the erection of the new twelve-room schoolhouse here. The bids will be opened at the office of District Clerk, I. S. Stratton, at 1:30 p.m. on April 18. The C. E. Society of the Presbyterian Church, is having a corner in the church fitted up for the choir. The seats have been removed and a raised platform is being put in and the corner will be other ways suitably furnished. This will add considerably to the appearance of the audience room. Quarterly meeting services will be held. It will be held in the Methodist Church on next Sunday, with the morning sermon by the presiding elder, J. Morgan Read. Quarterly conference on Saturday evening, to which all the members of the church are invited by request of Dr. Read. Mr. and Mrs. Thomas M. McCullough and daughter, Mary, and young son, Thomas M., Jr., of Glassboro, spent Sunday with Mr. and Mrs. W. H. McCullough here. This was the first visit of Master Thomas M., aged three months, to his grandparents and naturally the occasion was an enjoyable one. Card of Thanks Grateful for the assistance rendered by neighbors and friends during the destructive fire at my farm on April 6th, I desire to express my hearty thanks to all for aid rendered. CHARLES BISHOP A petition is being liberally signed in Paulsboro asking Connecticut an arrangement for an election to vote on whether or not the voting machine will be kept. Henry Reymer, of Pedricktown, was thrown from a wagon, breaking his nose and cutting his face badly. A Strong Tonic A Body Builder A Blood Purifier Without Alcohol Without Alcohol Without Alcohol A Great Alterative Without Alcohol A Doctor's Medicine Without Alcohol We publish our formulas We banish alcohol We urge you to consult your doctor Ayer's Pills are liver pills. They set directly on the liver, make more bile secreted. This is why they are so valuable in constipation, biliousness, dyspepsia, sick-headache. Ask your doctor if he knows a better laxative pill. Made by the J. C. Ayer Co., Lowell. Mr. Jacob H. Mounce is visiting friends in Camden this week. Mrs. W. L. Summerlin has been quite sick the past week, but is better at this writing. Mr. and Mrs. Harry Faust and son dined with his parents, Mr. and Mrs. Wm. Faust, on Sunday. Mr. Bert Kirby, of Wilmington, Del., was a Sunday visitor in our town, as the guest of Miss Sue Stratton. Mrs. Ella Van Dreke, of Hightstown, spent several days the past week with her brother, Mr. J. M. Wolf, and family. Mr. George Dunlap and Mr. T. I. Dunlap, of Camden, were visiting their mother, Mrs. Phoebe Dunlap, on Sunday. There are four vacant houses in our town, one, however, will soon be occupied by Mr. Albert Murphy, a railroad employee. Miss Evelyn Carr, Mrs. Albert Parker and Master Harold Parker took supper with Mr. J. J. Moore and family on Saturday. Miss Carrie Dennis, of Virginia, and Mr. George Jones, of Swedesboro, were guests of Mr. and Mrs. G. H. Poinsett on Sunday. Mrs. Isaac White, who is in the hospital, is suffering from an attack of neuralgia. Mrs. Clarkson Pancoast is getting along nicely. Mr. Walter Mounce left here on Monday for Millville, where he will engage in the milling business with Mr. Parker Lippincott. Mr. J. M. Wolf has advertised that he will have a public sale of store goods and fixtures next Tuesday and Wednesday afternoons and evenings. Mr. J. M. Hoffman, who has been seriously ill the past three months or more, seems to be improving and his many friends hope for his complete recovery. The two lots of Edward Bunning, sold at Sheriff's sale Monday, April 6, at Woodbury, brought over six hundred dollars, Mrs. N. S. Moore being the purchaser. Miss Luc Retia White, of Philadelphia, visited her parents, Mr. and Mrs. Joseph White, Sr., on Sunday. Mr. and Mrs. James White, Jr., and family were also their guests on Sunday. Mr. Wm. M. Carter, of Woodbury, and Mr. Oron Horner and son, Carlton, of Camden, called on Sunday to see Mr. and Mrs. Wm. Horner, Sr., who are both quite indisposed at this writing. Mr. Will Davies, of St. Louis, has been visiting his sister, Mrs. Harry Norman, the past few days. Her daughter, Miss Maud Mills, has been home for a visit during vacation. She is a student at Peddie Institute at Hightstown. The Reaper Death is again in our midst. Mrs. Paul Veirick, who for the past few years has been living with her sister, Mrs. John Shivler (her husband living in Washington, D.C., where he is engaged in business) submitted to a very severe surgical operation some three or four weeks ago, and before she regained her strength was stricken with typhoid fever, which resulted in death on Sunday morning. The sympathy of the community goes out to the family in their sad bereavement. She leaves three small children. May God bless them. They are too young to realize their great loss. Miss Harriet R. S. Rulon, who has been ill the past year or more, died at Pitman Grove last Tuesday. She was a noble woman and lived a life of sacrifice to minister to those she loved, having cared for her father, mother, brother, and sister, the last named being an invalid for a period of five years. It was the care of this dear sister that proved too great, and resulted in her nervous, shattered physical condition, making her an easy prey to the fell destroyer consumption! She leaves a sister, Mrs. Jane Carr, of Pitman, the last of the family, who ministered lovingly and tenderly during the last few months of her illness. She followed her vacation of seamstress and there is hardly a family within a radius of five miles or more, but what she has aided in that capacity, and who always welcomed her to their homes as an agreeable, affable, genial, large-hearted, social companion. Our sympathy goes out to the bereaved sister and friends. Neighborhood News Fishermen are making a fine band of perch in Mantua Creek. Drivers in Camden are wondering when the authorities expect to have the street fountains ready for use. Repp Bros. of Glassboro, who have over 400 acres of fruit orchards, have set out 40 acres in peach trees. The Mesaick property, adjoining the Gibbstown M. E Church, has been purchased as a site for a parsonage. The semi-annual Conference of the Local Preachers of South Jersey will be held at Anra next Saturday and Sunday. As a result of the big Bre at Gibbstown Sunday night, Williamstown is moving to secure better Bre protection. The Cape May County Teachers' Association will meet in the High School building, at Cape May, next Saturday. Charles H Pierce, engineer at the Ferrace Machine Works, Bridgeton, was badly scalded by the blowing out of the steam pipe. Major Flagler, in charge of coast surveys, has called a meeting at Atlantic City May 6th, to consider plans for getting of In the Inlet to arouse a deeper channel. Mother Cray's Sweet Powders for Children Successfully used by Mother Cray, nurse in the Children's Home in New York. Cure Feverishness, Bad Stomach, Teething Disorders, move and regulate the Bowels and Destroy Worms. Over 10,000 testimonials. The new remedy for all ailments. At all Druggists. 25c. Sample FREE. Address Allen S. Olmsted, LeBoy, N.Y. 4-S-4t PENNSGROVE Mrs. Frank Wens, of Camden, spent Thursday with Pennsgrove friends. Mr. Meritt Lingo, of Philadelphia, has moved his family to Pennsgrove. Miss Nettie Sparks of Harmersville, was home from Friday until Monday. Mr. and Mrs. Harry Sterling entertained Wilmington relatives over Sunday. Mr. and Mrs. Walter Ball entertained Philadelphia relatives over Sunday. Miss Linnie Harris spent from Friday until Monday with friends in Camden. Miss Mary Jetreries, of Wilmington, was a Sunday visitor with Mrs. G. B. Holton. Mr. Thomas Leap, of Camden, spent Sunday with his sister, Mrs. George Steeman. Mrs. Harry Anderson, of Camden, is visiting her sister, Mrs. Clarence Miss May Fetters, of Camden, is visiting her grandparents, Mr. and Mrs. Henry Kates. Miss Anna Shoemaker, of the State Normal School, Trenton, is home for the Easter vacation. Miss Mary Firestone has returned home after spending two weeks with friends at Wildwood. Mrs. Maria Dugan is spending two weeks with her daughter, Mrs. George Jefferies, of Wilmington. Miss Anna Shannon, of Camden, spent Tuesday with her parents, Mr. and Mrs. Richard Shannon. Mr. Theo. Paulin, of Hammonton. Spent Saturday until Monday with his mother, Mrs. Caroline Paulin. Mrs. David Holton, of Brooklyn, spent last week with Mrs. Cornelia Louderback, at her home here. Mr. and Mrs. William Hunt, of Pedricktown, spent Sunday with the former's brother, Mr. Thomas E. Hunt. Miss Lillie Hunt, of Auburn, was a Sunday visitor at the home of her brother, Mr. and Mrs. Samuel Hunt. Miss Lillie Hunt, of Auburn, spent Sunday with the former's brother, Mr. and Mrs. Samuel Hunt. Mrs. David Johnson, of Philadelphia, spent part of this week with her parents, Captain and Mrs. James Demy. Mr. Jere J. Crean, of Pittsburgh, spent Saturday and Sunday at the home of his parents, Mr. and Mrs. Jere C. Mr. J. French Hillman is enjoying a two-week stay at the home of his uncle, Mr. Oliver Hillman, of East Grange. Mr. and Mrs. Abram Elliott, of Wilmington, were Sunday visitors at the home of Mr. and Mrs. William Shourds. The Woman's Auxiliary of St. Paul's M. E. Church will hold a chicken pot pie supper on the church lawn on Decoration Day. Mr. Howard Walker, of Camden, was an over-Sunday visitor at the home of his parents, Mr. and Mrs. William Walker. Mrs. John Brugler and niece, Miss Adele Henry, of Philadelphia, are spending some time with the former's sister, Miss Elena Simpkins. Mr. Walter Kidd, head electrician for Du Pont's at their works at Paris, spent Saturday until Monday at the home of his parents, Mr. and Mrs. Charles Kidd. The monthly business and social meeting of the Woman's Home Missionary Society of St. Paul's M. E. Church was held at the home of Mrs. William Montgomery on Tuesday evening. The First Quarterly Conference for the year 1908 was held in St. Paul's M. E. Church last Monday night, and Emmanuel M. E. Church Tuesday night, Presiding Elder J. Morgan Reed, being present at both meetings. Rev. S. M. Nichols, of Trenton, was in town on Tuesday. was calling on Pennsgrove friends on Monday and Tuesday, he being a former pastor of St. Paul's M. E. Church. On Tuesday morning he had charge of the funeral services of Captain David Johnson. Mrs. Ella Simonson, wife of Mr. Harry Simonson, who had been in the Methodist Hospital, Philadelphia, for five weeks, where she underwent an operation, died there on Thursday. Her remains were brought to the home of her husband, on Beach avenue, and funeral services were held in Emmanuel Church on Sunday afternoon, interment in Emmanuel Cemetery. Mrs. Simonson had been suffering for some time from an internal tumor and went to the hospital, where she was operated on, but death was caused from puss poisoning. She leaves a husband and two children to mourn her loss. Mrs. Mary J. Simpkins, who for over six years has been a great sufferer from rheumatism, being confined to her bed for three years, died at her home on Franklin street, on Monday, aged 71 years. Funeral services were held from her late residence on Thursday morning, with interment in Emmanuel M. E. Cemetery. Mrs. Simpkins for years had made her home in Fennsgrove, where she was well known. During her long time of suffering, she was always patient and cheerful, never complaining, but trying to make it pleasant for those around her, who took care of her. She leaves four daughters and two sons, all grown up, who have the sympathy of their many friends in their sad bereavement. This community was grieved to hear on Saturday of the death of Captain David Johnson, a former resident of Pennsgrove. Captain Johnson had been on a trip South on the vessel of his son, Captain William Johnson, and on their return home he became ill, so that they had to let him off at Norfolk, Va.; and he was at once taken to the hospital at Philadelphia, where he gradually grew worse, dying on Saturday. His remains were brought to Pennsgrove on Tuesday morning, and the funeral services held in St. Paul's M. E. Church, interment in Riverview Cemetery. Captain Johnson was a well-known seaman, following the water for many years, until lately, when he began living a retired life. He was a man well known around this community, as this was his home for several years. He was a person who possessed a most beautiful disposition, always and at all times having that quiet and gentle manner, that won him so many friends. He always lived a pure and upright life, setting a grand example for young men to follow. It has always been said of him that when out to sea on his vessel, he possessed the same sweet way, always looking out for the welfare of his crew to make their life as pleasant and cheerful as he could, and by his death, his many associates have lost a good and kind friend in Captain Johnson. Rev. S. M. Nichols, of Trenton, who was a personal friend of the captain's while he was pastor of St. Paul's M. E. Church, died on Saturday, April 8th, at the age of 83. Church, had charge of the funeral services. Captain Johnson leaves two sons, Captain William Johnson and Mr. David Johnson, who have our deepest sympathy in this their great loss of such a grand and noble father. SHARPTOWN. Mrs. Martha Hewitt spent Saturday at Jacob Gaunt's. Mr. and Mrs. Enoch Chester spent last Wednesday in Wilmington. Mrs. Martha Oiphant is having her house treated to a coat of paint. Mrs. Joseph S. Black was among the Philadelphia visitors on Monday. Samuel Steelman was an over-Sunday visitor with his son in Camden. Mrs. Vansickle Kidd, of Pennsgrove, called on Miss Elsie Titus on Tuesday. Howard Ballinger and wife called at the home of Mr. and Mrs. William Ballinger on Sunday afternoon. John Eldridge, of Alloway, is spending some time with Mr. and Mrs. Chas. Bell. Mrs. Jessie Newton, of Elmer, was entertained on Sunday by Mrs. Eva Purtell. Mrs. Lizzie Sweeten and John Mills, of Camden, spent Tuesday at Frank Bolton's. Mrs. Clarence Titus and son, Raymond, of Woodstown, spent Wednesday with Mrs. Annie Titus. Misses Florence and Meita Patrick, of Compromise, called on Miss Elsie D. Titus on Wednesday evening. Mr. and Mrs. Frank Frease and children, of near Woodstown, visited Mr. and Mrs. William Frease on Sunday. Mrs. Howard Richman, of near Acorn's Station, spent Saturday and Sunday with her mother, Mrs. Samuel Thomas. Theodore Holton sold a A pair of fine colts on Friday last to Mr. Princeton, of Lower Penn's Neck. The price is not given. Miss Louise Dixon, who teaches school at Deep Hallow, was entertained on Sunday by Mr. and Mrs. Henry B. Richman. Mr. and Mrs. Lott Robinson had as their guests on Sunday, Mr. and Mrs. Herbert Lawrence and children, of Nortonville. Miss Susie Ballinger, who has been staying some time with her brother, Howard, of near Woodstown, returned home on Saturday. Hiram Vanmeter, wife and mother, of Elmer, were in Halltown, on Sunday, being entertained by Mr. and Mrs. Samuel Thomas. Misses Susie and Lizzie Whitesell and Lawrence Whitesell were guests of Mr. and Mrs. Joseph Whitesell, of near Salem, on Sunday. Mr. and Mrs. George Carll and Master George Allen, living near here, were visiting at the home of Mr. and Mrs. William Steward on Sunday. Miss Katherine Lippincott, who has been enjoying a visit at the home of Mr. and Mrs. Joseph S. Black, returned to her home at Pitman on Monday. The children of Mr. and Mrs. Isaac McAllister are confined to the house with a severe case of the measles. Dr. De Grofft, of Woodstown, is attending them. Mr. and Mrs. William B. Hooven, Jr., of Philadelphia, were among the Sunday visitors in town, stopping at the home of Mr. and Mrs. William B. Hooven. Mrs. Samuel Thomas, of Halltown, had the misfortune of falling down stairs last week. Fortunately no bones were broken, but she was bruised considerably. Mr. and Mrs. Theodore H. Hoiton attended the funeral of the former's sister, Mrs. Mary J. Simpkins, of Pennsgrove, on Thursday last. She has been a great sufferer for many years. Miss Helen Bolton, aged 8 years, the youngest child of Mr. and Mrs. Frank Boiton, died on Sunday morning, after an illness of several weeks, suffering with pneumonia. With all her pain, she was very patient awaiting her death. She was buried in the Sharp town Cemetery on Tuesday. She being the fourth person buried here in four weeks. Uncle David Straughen, living near Wiley schoolhouse, bears the honor of reading the Bible through once a year, since he was thirty years old, and is now eighty-one. The last three years he has read it through three times a year. Uncle David is a straight and upright Christian, and is one that believes the Bible is the best guide which man may depend on for the present life. ALLOWAY Rev. Percy Comer, of Millville, and a former pastor of the M. E Church, spent a couple of days here last week. Mrs. William Applegate has returned home, after an operation in Cooper Hospital, Camden. Mrs. James Blackwood came with her with whom she had been spending a few days after leaving the hospital. The members of the Tabard Inn Club were entertained on Saturday evening at the home of Mrs. Howard Evans. A number of invited guests were also present, and all spent a most enjoyable evening. Mrs. Clarence Letts, Miss Etta Letts and Miss Jennie Williams, of Bridgeton, and Miss Laura A. Williams, who is teaching the primary department at Norma, spent Sunday with Mr. and Mrs. Harry Williams, in town. William Sickler, who died last week at his home near Remsterville, had been a great sufferer from a cancer, and for a long while had been unable to take any solid food. He was the son of the late John Sickler, who lived at Pleasant Hill. He leaves a wife, and one son and daughter. Carload Cypress Her's incubators and brooders. For sale by PETERSON & SMITH. $8000 WORTH —OB— Warn Shinn's Nursery Stock for Sale for this Spring's Planting An Equal Amount Growing in My Nursery Located Here at Woodstown, that Will Be Ready for Sale this Fall and the Fall Following If you desire the best grade of Asparagus in the country, give us a call. If you desire the finest grade of Peach Trees in the eastern part of the United States, give us a call. Also, Privet Hedge, Rhubarb Roots, Potted Strawberry Plants, Grape Vines and all small fruits. We also have extra nice 12 feet Norway Maples. Also Shrubbery and Evergreens. Come up and inspect our stock and you will get your eyes opened. WARREN SHANNON, WOODSTOWN, N. J. Established 1873 Camden Safe Deposit & Trust Co. 224 Federal Street, Camden, N. J. Capital, - - - $100,000.00 Surplus, - - - $700,000.00 Assets, - - - $6,779,000.00, Pays interest 2 percent subject to check without notice, on average balance of $200 and over. 3 percent on deposits subject to 14 days? notice to withdraw. Banking by mail can be done safely and satisfactorily. Write for book. Trust Department Acts as Executor, Administrator, Trustee, Guardian or Financial Agent, Will be kept without charge. Write for book relating to wills and kindred subjects. Safe Deposit boxes An Sre-proof and burglar-proof vaults, for valuable and important papers, %2 and upwards a year. ALEXANDER C. WOOD, President BENJAMIN C. REEVE, Vice President and Trust Officer. JOSEPH LIPPINCOTT, Secretary and Treasurer. GEORGE J BERGEN, Solicitors. DIRECTORS William S. Scull William Dayton William S. Sewell, Jr. We have every pair made to wear. The old-fashioned, sometimes comfortable, but always "clumsy" shoe, has given place to the "Packard" — a union of both style and comfort. Packard Shoes have a pronounced individuality of style that enables their well-dressed wearer to regard his feet with satisfaction. Sold at $3.50, $4.00 and $5.00 in all styles. M. A. Packard Co., Makers, Brockton, Mass. Sold by J. C. LOCUSON, Woodtown, N. J. BERRY PICKERS' CARRIERS in stock for immediate shipment. Well-made and regulation size. 40 cents each. $35 per hundred. J. S. Rogers Co., Moorestown, N. J. After Woodbury Lighting Contract, The Glassboro and Pitman Electric Company has made a proposition to light Woodbury for one, three or five years, giving the city the option for purchasing the poles, wires and appurtenances at cost price at the end of the contract period. The Public Service Corporation is now furnishing light to the city, but there has been a great deal of dissatisfaction with its service, and talk of a municipal lighting plant. Now that the Glassboro company is competing against the Public Service Trust, it is believed a material reduction in the price of lighting may be obtained. The Glassboro company now furnishes electricity to Glassboro, Wenonah, Pitman and Richwood. Farm Buildings Burned In Pittsgrove On Wednesday afternoon of last week, the large barn and wagon house, with all the contents, on the farm of Howard Swing, near Shirley, were entirely destroyed by fire. Several stacks of corn, several tons of hay, nearly 800 bushels of corn, a carriage, baggy, land roller, etc., were also burned. It is thought that children playing with matches in the cornstalks may have started the fire. Mr. Swing was not at home at the time the Barnes were discovered, but his neighbors worked hard and saved his house and remaining outbuildings. The probable loss is $1600, with partial insurance. Glassboro School Board has elected S. D. Beckett president. | 50,087 |
https://github.com/raducotescu/atmega8-pc-fan-control/blob/master/default/dep/hd44780.o.d | Github Open Source | Open Source | X11-distribute-modifications-variant | 2,010 | atmega8-pc-fan-control | raducotescu | Makefile | Code | 52 | 894 | hd44780.o: ../hd44780/hd44780.c \
c:/winavr/lib/gcc/../../avr/include/avr\pgmspace.h \
c:/winavr/lib/gcc/../../avr/include/inttypes.h \
c:/winavr/lib/gcc/../../avr/include/stdint.h \
c:\winavr\bin\../lib/gcc/avr/4.3.3/include/stddef.h \
c:/winavr/lib/gcc/../../avr/include/avr/io.h \
c:/winavr/lib/gcc/../../avr/include/avr/sfr_defs.h \
c:/winavr/lib/gcc/../../avr/include/avr/iom8.h \
c:/winavr/lib/gcc/../../avr/include/avr/portpins.h \
c:/winavr/lib/gcc/../../avr/include/avr/common.h \
c:/winavr/lib/gcc/../../avr/include/avr/version.h \
c:/winavr/lib/gcc/../../avr/include/avr/fuse.h \
c:/winavr/lib/gcc/../../avr/include/avr/lock.h ../hd44780/hd44780.h \
../hd44780/hd44780_settings.h \
c:/winavr/lib/gcc/../../avr/include/avr\sfr_defs.h \
c:/winavr/lib/gcc/../../avr/include/stdio.h \
c:\winavr\bin\../lib/gcc/avr/4.3.3/include/stdarg.h
c:/winavr/lib/gcc/../../avr/include/avr\pgmspace.h:
c:/winavr/lib/gcc/../../avr/include/inttypes.h:
c:/winavr/lib/gcc/../../avr/include/stdint.h:
c:\winavr\bin\../lib/gcc/avr/4.3.3/include/stddef.h:
c:/winavr/lib/gcc/../../avr/include/avr/io.h:
c:/winavr/lib/gcc/../../avr/include/avr/sfr_defs.h:
c:/winavr/lib/gcc/../../avr/include/avr/iom8.h:
c:/winavr/lib/gcc/../../avr/include/avr/portpins.h:
c:/winavr/lib/gcc/../../avr/include/avr/common.h:
c:/winavr/lib/gcc/../../avr/include/avr/version.h:
c:/winavr/lib/gcc/../../avr/include/avr/fuse.h:
c:/winavr/lib/gcc/../../avr/include/avr/lock.h:
../hd44780/hd44780.h:
../hd44780/hd44780_settings.h:
c:/winavr/lib/gcc/../../avr/include/avr\sfr_defs.h:
c:/winavr/lib/gcc/../../avr/include/stdio.h:
c:\winavr\bin\../lib/gcc/avr/4.3.3/include/stdarg.h:
| 33,941 |
10135331_1 | Caselaw Access Project | Open Government | Public Domain | 1,968 | None | None | English | Spoken | 1,258 | 1,742 | DENTON, Chief Justice.
This is a suit to recover on a promissory note executed by Garland E. Ruthart payable to the First State Bank, Tulia, Texas. Both parties filed motions for summary judgment. The trial court granted the bank's motion for summary judgment against the defendant below who has timely perfected this appeal.
From the pleadings, affidavits and stipulations it is uncontradicted the defendant below, Garland E. Ruthart, an employee of R.A.R., Inc., executed a promissory note in the amount of $3,766.68 payable in 36 monthly installments to First State Bank, Tulia, Texas on April 14, 1966. The face amount of the note included principal, interest and the premium on a credit life insurance policy on the life of Ruthart with the bank being the beneficiary. The bank upon the execution of the note delivered a $3,000.00 cashier's check to Ruthart payable to R.A.R., Inc. Ruthart then delivered the cashier's check to an officer of the corporation who simultaneously issued Ruthart 150 shares of the corporation's common stock. Ruthart then assigned this stock to the bank as collateral for the loan. R.A.R., Inc. cashed the check and received the proceeds thereof. All these transactions took place in the office of the appellee bank at one meeting between appellant, R.A.R., Inc. officers and officers of the bank. Some 14 other employees of R.A.R., Inc. entered into similar transactions at the same meeting, and acquired various amounts of stock of the corporation. Demand was made upon appellant's note after he became delinquent after paying three monthly installments.
Appellant first complains the trial court erred in overruling his motion to consolidate eleven other cases filed by appellee against other employees of R.A.R., Inc.; and its refusal to make the officers and directors of R.A.R., Inc. third party defendants. It is well settled that the Rules of Civil Procedure grant the trial court broad discretion in the matter of consolidation of causes. Rule 174, Texas Rules of Civil Procedure and Hamilton v. Hamilton, 154 Tex. 511, 280 S.W.2d 588 and Wilson v. Ammann & Jordan (Tex.Civ.App.) 163 S.W.2d 660 (error dism'd) and McKinney v. Gaiser (Tex.Civ.App.) 366 S.W.2d 268 (ref'd n.r.e.). The trial court's action in such procedural matters will not be disturbed on- appeal except for abuse of discretion, Womack v. Berry, 156 Tex. 44, 291 S.W.2d 677 and Rose v. Baker, 143 Tex. 202, 183 . S.W.2d 438. Each suit sought to be consolidated with the instant case was a separate and distinct cause of action against different defendants. The fact that all the causes relate to promissory notes is not persuasive. Although the pleadings of the other cases are not a part of this record, it is apparent different questions of fact and law are quite likely to be presented. A denial of the motion to consolidate was clearly not an abuse of discretion.
Appellant sought under Rule 38, T.R.C.P. to make the officers and directors of R.A.R., Inc. third party defendants. As in other such procedural matters the trial court is clothed with considerable discretionary authority. Hamilton v. Hamilton, supra; Nutter v. Dearing (Tex.Civ.App.) 400 S.W.2d 346 (error ref'd n.r.e., 402 S.W.2d 889). Appellant argues the R.A.R., Inc. officers who made the financial arrangements for the several note makers with the bank, would be liable to each note maker in the event of recovery by the bank against them; and that the proposed third party defendants should be impleaded for their participation in the alleged fraudulent transaction. This is simply a suit on a promissory note, admittedly executed by appellant who concedes he received the $3,000.00 for which he executed the note. The fact such consideration was paid directly over to R.A.R., Inc. whose stock was simultaneously transferred to appellant and was given as collateral, is no defense. Kliesing v. Neuhaus (Tex.Civ.App.) 265 S.W.2d 215. The alleged cause of action of appellee against appellant is separate and distinct from that alleged by appellant against the proposed third party defendants. Nor can it be said appellant's alleged cause of action against the proposed third party defendants would constitute a defense to appellee's suit on the promissory note executed by appellant. Appellant's contention is without merit.
Appellant next contends the note sued upon was one of a series of notes given ap-pellee bank by employees of R.A.R., Inc. for the credit purchase of the corporate stock; and that the transaction was part of a plan and scheme by the officers and directors of R.A.R., Inc. and the president of appellee bank to sell capital stock in violation of the Constitution and Statutes of the State of Texas. Article 12, Section 6 of the Constitution of the State of Texas, Vernon's Ann.St. reads as follows:
"Art. 12, § 6. Consideration for stock or bonds; fictitious increase
Sec. 6. No corporation shall issue stock or bonds except for money paid, labor done or property actually received, and all fictitious increase of stock or indebtedness shall be void."
Article 2.16 of the Business Corporation Act, V.A.T.S., of the State of Texas reads as follows:
"Art. 2.16. Payment of Shares
A. The consideration paid for the issuance of shares shall consist of money paid, labor done, or property actually received. Shares may not be issued until the full amount of the consideration, fixed as provided by law, has been paid. When such consideration shall have been paid to the corporation, the shares shall be deemed to have been issued and the subscriber or shareholder entitled to receive such issue shall be a shareholder with respect to such shares, and the shares shall be considered fully-paid and non-assessable.
B. Neither promissory notes nor the promise of future services shall constitute payment or part payment for shares of a corporation."
The parties stipulated the appellee bank, through its duly authorized officer, made an arrangement with officers of R.A.R. Inc. for the latter's employees to borrow money from the said bank, with the proceeds of such loan to be used to purchase capital stock of R.A.R., Inc. They further stipulated a cashier's check was given to appellant during the transaction, and that appellant in turn gave this check to officers of the corporation, who in turn issued 150 shares of R.A.R., Inc. stock to appellant. This stock was assigned by appellant to the bank as collateral for such loan.
Appellant seeks to avoid liability on the note on the grounds the note is invalid as a credit purchase under the above constitutional and statutory provisions. The material facts are undisputed. Appellant, at the instance of his employers, executed a note to appellee bank to obtain the money for the purpose of purchasing the corporate stock. The money so received was paid over to the corporation. Upon receipt of the money, the corporation issued the stock to appellant who in turn assigned the stock to the bank as collateral. It was not a credit purchase or the issuance of stock for a note as prohibited by statute or by constitutional provision. Weichsel v. Jones (Tex.Civ.App.) 109 S.W.2d 332 (rehearing denied 109 S.W.2d 1097) held there was nothing unlawful about the purchase of corporate stock with money borrowed from a third party. See also Citizens National Bank v. Stevenson (Tex.Comm.App.) 231 S.W. 364 (opinion adopted). The issuance of the stock of R.A.R., Inc. to appellant was lawful and the note he executed was valid and binding upon him. There being no material fact issues raised by the pleadings, affidavits and stipulations the trial court correctly granted appellee's motion for summary judgment.
The judgment of the trial court is affirmed..
| 1,621 |
https://github.com/sdgomez/gdoc/blob/master/src/main/scala/gdoc/gestor_documentos/persistence/repository/interpreter/RadicacionRepositoryImpl.scala | Github Open Source | Open Source | MIT | null | gdoc | sdgomez | Scala | Code | 402 | 1,797 | package gdoc.gestor_documentos.persistence.repository.interpreter
import cats.data.Reader
import com.typesafe.scalalogging.Logger
import gdoc.gestor_documentos.model.exception.{GdocError, NoExisteDestinatario, NoExisteRemitente}
import gdoc.gestor_documentos.model.{BDConfiguration, _}
import gdoc.gestor_documentos.persistence.mapping.ExternoTable._
import gdoc.gestor_documentos.persistence.mapping.InternoTable._
import gdoc.gestor_documentos.persistence.mapping.RecibidoTable._
import gdoc.gestor_documentos.persistence.repository.RadicacionRepository
import gdoc.gestor_documentos.persistence.repository.interpreter.helpers.{RadicacionExternoHelper, RadicacionInternoHelper, RadicacionRecibidoHelper}
import org.postgresql.util.PSQLException
import gdoc.gestor_documentos.configuration.ApplicationConf._
import scala.concurrent.ExecutionContext.Implicits.global
import scala.concurrent.{ExecutionContext, Future}
trait RadicacionRepositoryImpl
extends RadicacionRepository[BDConfiguration, InternoDTO, ExternoDTO, RecibidoDTO, Documento]
with RadicacionInternoHelper with RadicacionExternoHelper with RadicacionRecibidoHelper{
val logger = Logger(classOf[RadicacionRepositoryImpl])
override def radicarInterno(interno: InternoDTO)(implicit ec: ExecutionContext):
Reader[BDConfiguration, Future[Option[Documento]]] = Reader{
dbConfiguration =>
import dbConfiguration.profile.api._
val internoRespuesta: Future[Option[Interno[DestinatarioGestion]]] = for {
existDestinatario <- existsDestinatarioInterno(interno.tipoDestinatario, interno.destinatarioId, dbConfiguration)
internoDTO <- dbConfiguration.db.run((internoTableQuery returning internoTableQuery.map(_.id)
into ((in, newId) => in.copy(id = newId))
) += interno)
i <- getInterno(internoDTO, dbConfiguration)
} yield i
internoRespuesta.recover{
case NoExisteDestinatario => setError(destinatarioNotFound)
case e:PSQLException => handlePSQLException(e)
case ex:Exception =>
setError(s"Ha ocurrido un error al intentar registrar el documento. " +
s"Descripcion tecnica => ${ex.getMessage} tipoExcepción => ${ex.getCause} ")
}
}
def handlePSQLException(exception:PSQLException):Option[GdocError] = {
exception.getSQLState match {
case foreign_key_violation =>
if(exception.getMessage.contains(idRemitente)) {
setError(remitenteNotFound,
s"Descripcion tecnica => ${exception.getMessage} tipoExcepción => ${foreign_key_violation} ")
}else if(exception.getMessage.contains(idCategoria)){
setError(categoriaNotFound,
s"Descripcion tecnica => ${exception.getMessage} tipoExcepción => ${foreign_key_violation} ")
}else{
setError(s"Uno de los datos no es correcto. ",
s"Descripcion tecnica => ${exception.getMessage} tipoExcepción => ${foreign_key_violation} ")
}
case _ => setError(s"Ha ocurrido un error al intentar registrar el documento. ",
s"Descripcion tecnica => ${exception.getMessage} tipoExcepción => ${exception.getSQLState} ")
}
}
override def radicarExterno(externo: ExternoDTO)(implicit ec: ExecutionContext):
Reader[BDConfiguration, Future[Option[Documento]]] = Reader{
dbConfiguration =>
import dbConfiguration.profile.api._
val externoRespuesta: Future[Option[Externo]] = for {
existDestinatario <- existsDestinatarioExterno(externo.tipoDestinatario, externo.destinatarioId, dbConfiguration)
existRemitente <- existsRemitenteExterno(externo.tipoRemitente, externo.remitenteId, dbConfiguration)
futureExternoDTO <- dbConfiguration.db.run((externoTableQuery returning externoTableQuery.map(_.id)
into ((in,newId) => in.copy(id=newId))
) += externo)
externoR <- getExterno(futureExternoDTO, dbConfiguration)
} yield externoR
externoRespuesta.recover{
case NoExisteDestinatario => setError(destinatarioNotFound)
case NoExisteRemitente => setError(remitenteNotFound)
case e:PSQLException => handlePSQLException(e)
case ex:Exception =>
setError(s"Ha ocurrido un error al intentar registrar el documento. " +
s"Descripcion tecnica => ${ex.getMessage} tipoExcepción => ${ex.getClass} ")
}
}
override def radicarRecibido(recibido: RecibidoDTO)(implicit ec: ExecutionContext):
Reader[BDConfiguration, Future[Option[Documento]]] = Reader{
dbConfiguration =>
import dbConfiguration.profile.api._
val recibidoRespuesta: Future[Option[Recibido[DestinatarioGestion, RemitenteGestion]]] = for {
existDestinatario <- existsDestinatarioRecibido(recibido.tipoDestinatario, recibido.destinatarioId, dbConfiguration)
existRemitente <- existsRemitenteRecibido(recibido.tipoRemitente, recibido.remitenteId, dbConfiguration)
recibidoDTO <- dbConfiguration.db.run((recibidoTableQuery returning recibidoTableQuery.map(_.id)
into ((in,newId) => in.copy(id=newId))
) += recibido)
recibidoR <- getRecibido(recibidoDTO, dbConfiguration)
} yield recibidoR
recibidoRespuesta.recover{
case NoExisteDestinatario => setError(destinatarioNotFound)
case NoExisteRemitente => setError(remitenteNotFound)
case e:PSQLException => handlePSQLException(e)
case ex:Exception =>
setError(s"Ha ocurrido un error al intentar registrar el documento. " +
s"Descripcion tecnica => ${ex.getMessage} tipoExcepción => ${ex.getClass}")
}
}
def setError(error: String, mensajeTecnico:String = ""):Option[GdocError] = {
if (!mensajeTecnico.isEmpty) {
logger.error(mensajeTecnico)
}
Some(GdocError(mensaje = error, mensajeTecnico = mensajeTecnico))
}
}
object radicacionRepositoryImpl extends RadicacionRepositoryImpl
| 6,905 |
https://de.wikipedia.org/wiki/Theoretisches%20Lyzeum%20Adam%20M%C3%BCller-Guttenbrunn | Wikipedia | Open Web | CC-By-SA | 2,023 | Theoretisches Lyzeum Adam Müller-Guttenbrunn | https://de.wikipedia.org/w/index.php?title=Theoretisches Lyzeum Adam Müller-Guttenbrunn&action=history | German | Spoken | 605 | 1,255 | Das Theoretische Lyzeum Adam Müller-Guttenbrunn () ist ein deutschsprachiges Gymnasium in Arad, Rumänien. Das Lyzeum befindet sich im IV. Bezirk Neu-Arad, der mit Arad durch die Maroschbrücke verbunden ist.
Geschichte
Deutschsprachigen Unterricht gab es in Neu-Arad bereits 1725, kurz nach der Ansiedlung (1720–1722) von Deutschen im Ort. Schon 1725 unterrichtete der Schulmeister Anton Nick die Kinder der Gemeinde in deutscher Sprache. Im Jahr 1768 erhielt der Oberlehrer Adam Lévay einen Schulgehilfen. Zehn Jahre später, im Schuljahr 1778–1779, wurden 466 Schüler in einem Unterrichtsraum unterrichtet. Das erste Schulgebäude aus Stein wurde 1823 an der Schul-/Kirchengasse errichtet. 1851 erhielt die Schule eine dritte und kurz danach eine vierte Lehrkraft.
Als 1940 das gesamte deutsche Schulwesen der Organisation der Deutschen Volksgruppe in Rumänien untergeordnet wurde, verlegte man das Neu-Arader deutsche Gymnasium nach Arad, wo das Gymnasium Adam Müller-Guttenbrunn entstand. Nach dem Einmarsch der Roten Armee (1944) kam es zum Verbot aller deutschen Schulen in Rumänien. Erst durch die Schulreform von 1948 konnte der deutschsprachige Unterricht wieder aufgenommen werden. Als Neu-Arad, 1945 der Stadt Arad als IV. Bezirk eingegliedert wurde, entstand das Deutsche Lyzeum Arad.
Die Schule hatte seit dem Bestehen des deutschen Unterrichts viele Namen. Seit 1999 trägt sie den Namen Theoretisches Lyzeum Adam Müller-Guttenbrunn, nach dem Heimatdichter, Dramaturgen, Romancier, Begründer und Direktor des Raimund-Theaters in Wien (heute Wiener Staatsoper) Adam Müller-Guttenbrunn, eine der herausragenden Persönlichkeiten des Banats.
Nach der Rumänischen Revolution 1989 stellte die römisch-katholische Kirche in Rumänien Antrag auf Rückerstattung ihrer während der sozialistischen Ära enteigneten Liegenschaften. Bereits 2005 wurden drei der vier Schulgebäude der katholischen Kirche zurückgegeben. Für die nun anfallende Miete der Schule kam die Stadtverwaltung auf. Seit Jahren suchten die Schulleitung und das Demokratische Forum der Deutschen nach Alternativen.
Eines der vier ursprünglichen Gebäude hat das Lyzeum Adam Müller-Guttenbrunn bereits im Sommer 2010 nach Rückerstattung an die Kirche aufgegeben, zwei weitere im Frühjahr 2011. Von den alten Schulgebäuden blieb nur das Gebäude an der Hauptstraße Neu Arads, Calea Timișoarei (vormals Bulevardul Karl Marx) 67 erhalten, wo die Klassen 1 bis 4 untergebracht sind.
Im Sommer 2010 wurden das deutschsprachige Adam-Müller-Guttenbrunn-Lyzeum und die Allgemeinschule Nummer 20 () aus demselben Stadtviertel zusammengeführt. Die beiden Einrichtungen verschmolzen zu einer einzigen Schule, die den Namen des deutschen Lyzeums trägt. Es handelt sich hierbei um eine moralische Wiedergutmachung; die Allgemeinschule Nummer 20 hatte man in den 1970er Jahren von dem deutschen Lyzeum in Neu-Arad abgetrennt und ausschließlich den rumänischen Klassen zur Verfügung gestellt. Nun sind hier die Klassen 5 bis 8 untergebracht.
Die Lyzealschüler der Klassen 9 bis 12 siedelten in zwei Flügel des Forstlyzeums () um. Der Umzug des Theoretischen Lyzeums Adam Müller-Guttenbrunn in die Räumlichkeiten des Forstlyzeums fand anlässlich der Jahresabschlussfeier am 17. Juni 2011 statt. Die Feierlichkeiten wurden in Anwesenheit des Bürgermeisters von Arad, Gheorghe Falcă, des Konsuls der Bundesrepublik Deutschland in Timișoara, Klaus Olazs, und des Vorsitzenden des Demokratischen Forums der Deutschen in Rumänien, Ovidiu Ganț, vollzogen.
Schulaufbau
Zurzeit hat das Lyzeum Adam Müller-Guttenbrunn 47 Klassen mit den Fachrichtungen Philologie, Mathematik-Informatik und Biologie-Chemie. Die Schulabsolventen können in der zwölften Klasse mehrere Schulabschlüsse erlangen: das österreichische Sprachdiplom, das deutsche Sprachdiplom (DSD, Stufe II) und das Informatikzertifikat. Auch ein bilingualer Abschluss in deutscher Sprache und in rumänischer Sprache ist möglich.
In den drei Gebäuden der Schule gibt es zwei Sportplätze mit Turnhalle, zwei Informatikräume, ein Chemielabor, ein Physiklabor, ein Biologielabor, einen Erdkunderaum, zwei Sprachlabors, einen Multimediaraum. An dem Lyzeum lernen zurzeit insgesamt 1200 Schüler.
Partnerschulen
Friedrich-Flick-Gymnasium in Kreuztal
Bertha-von-Suttner-Gymnasium (Neu-Ulm) in Bayern
Literatur
Karl F. Waldner: Unsere Schule. Bexbach-Höchen, 1987
Karl F. Waldener: Unsere Schülerinnen und Schüler. Bexbach
Einzelnachweise
Arad
Arad
Bauwerk in Arad (Rumänien)
MullerGuttenbrunn, Adam
Kulturdenkmal in Arad (Rumänien)
Gegründet 1725
Organisation (Arad, Rumänien) | 48,969 |
https://stackoverflow.com/questions/31852461 | StackExchange | Open Web | CC-By-SA | 2,015 | Stack Exchange | MattAllegro, Michaël Tuambilangana, https://stackoverflow.com/users/3543233, https://stackoverflow.com/users/5126852 | English | Spoken | 334 | 1,033 | Babel package not recognized in Gummi in LaTeX
I am trying to write a French report in LaTeX thanks to Gummi editor. I just started it, but I already encounter some unusual issues.
Here is my code :
\documentclass{report}
\usepackage[utf8]{inputenc}
\usepackage[french]{babel}
\title{Rapport de stage}
\author{Michaël Tuambilangana}
\date{7 septembre 2015}
\begin{document}
\maketitle
\tableofcontents
\end{document}
I have no idea why my editor won't compile this.
NOTE : I have no problem when instead of "french" for my Babel package, I type "english".
Thank you !
[Edit] Now I have tried to download new packages which might have been missing, I still cannot use my "french" package. Whenever I settle any language else than "english", my output shows this :
(/usr/share/texlive/texmf-dist/tex/generic/babel/babel.sty
(/usr/share/texlive/texmf-dist/tex/generic/babel-french/frenchb.ldf
(/usr/share/texlive/texmf-dist/tex/generic/babel/babel.def)))
(/usr/share/texlive/texmf-dist/tex/latex/carlisle/scalefnt.sty)
(/usr/share/texlive/texmf-dist/tex/latex/graphics/keyval.sty)
(/usr/share/texlive/texmf-dist/tex/latex/base/fontenc.sty
(/usr/share/texlive/texmf-dist/tex/latex/base/t1enc.def))
(/tmp/.code_source.tex.aux
/tmp/.code_source.tex.aux:2: Package babel Error: Unknown language `english'. E
ither you have
(babel) misspelled its name, it has not been installed,
(babel) or you requested it in a previous run. Fix its name,
(babel) install it or just rerun the file, respectively
Whereas when I settle "english"...
(/usr/share/texlive/texmf-dist/tex/generic/babel/babel.sty
(/usr/share/texlive/texmf-dist/tex/generic/babel-english/english.ldf
(/usr/share/texlive/texmf-dist/tex/generic/babel/babel.def)))
(/usr/share/texlive/texmf-dist/tex/latex/base/fontenc.sty
(/usr/share/texlive/texmf-dist/tex/latex/base/t1enc.def))
I hope this may help.
https://github.com/alexandervdm/gummi right?
This puzzled me a bit but I think I got it. Knowing more details, like the text of the error message, would have helped.
First, you should try to change
\usepackage[french]{babel}
to
\usepackage[frenchb]{babel}
If this does not solve, then you should check to have the package babel updated to the latest version 3.9. Once I updated babel (the procedure to do this depends on your system...), I was able to compile with no errors using both option french or frenchb.
Also, always make sure you know where are the encoding settings of your TeX editor.
There's plenty of good answers about this topic on TeX.SE, starting from:
https://tex.stackexchange.com/questions/139700/package-babel-error-unknown-option-francais/139707#139707
https://tex.stackexchange.com/questions/78965/miktex-update-a-too-old-babel-frenchb/78967#78967
and, as you see, depending on the OS etc.
If only option english solves, remember to use
\usepackage[english,french]{babel}
instead of
\usepackage[french,english]{babel}
Thank you very much !!!! All I had to do was adding french to my "usepackage" section. You saved me. :)
| 17,968 |
allgemeinemissio0001unse_1 | German-PD | Open Culture | Public Domain | 1,874 | Allgemeine Missions-Zeitschrift. Monatshefte für geschichtliche und theoretische Missionskunde | None | German | Spoken | 7,055 | 13,112 | u * 8 8 0 8 5 a in 12022 with und X Kahle/Austin Foundation 01 \ * https //archive.org/details/allgemeinemissio0001 Allgemeine ifftens-Beitſcri Monatshefte a für geſchichtliche und theoretiſche Miſſionskunde. In Verbindung mit einer Reihe Jachmänner unter ſpecieller Mitwirkung von Dr. Th. Chriſtlieb, und Dr. K. Grundemann, Profeſſor d. Theol. zu Bonn, Paſtor zu Mörz, herausgegeben von Dr. G. Warneck am Miſſionshauſe zu Barmen. Es wird gepredigt werden das Evau⸗ gelium vom Reich in der ganzen Welt zu einem Zeugniß über alle Völker und dann wird das Ende kommen. Matth. 24, 14. Gütersloh, 1874. Druck und Verlag von C. Bertelsmann. Die eur hie? Unſer Programm. (Vom Herausgeber). Kein Hiſtoriograph des 19. Jahrhunderts, er nehme einen Standpunkt ein, welchen er wolle, wird die Miſſion ignoriren können, wenn dem Gemälde, das er von unſrer Zeit entwirft, nicht einer ihrer charakteriſtiſchen Züge fehlen ſoll. Man kann die Miſſion verächtlich behandeln, man kann ihr Feind ſein, aber man kann ſie nicht mehr — ignoriren, denn ſie iſt eine Macht geworden. Und dieſe Macht iſt fie geworden weder durch die Gunſt der öffent⸗ lichen Meinung noch durch den Beiſtand der Staaten, noch durch einen Reich— thum ſonſtiger Hilfsmittel, wie ſie weltlichen Unternehmungen pflegen zu Gebote zu ſtehen, ja vielfach nicht einmal durch die unmittelbare Unterſtützung der Kirche — in kleinen zumeiſt privaten und von der Welt verachteten Kreiſen hat ſie von kleinen Anfängen ihren Ausgang genommen und ihr Werk getrieben mit geringen Mitteln und unſcheinbaren Kräften gleich „einem Senfkorn, das ein Menſch nahm und ſäete es auf ſeinen Acker.“ Und doch iſt dies Senfkorn zum Baume, ja bereits zum großen Baume geworden, unter deſſen Schatten die Vögel des Himmels wohnen und deſſen Zweige ſich immer weiter ausbreiten über „alle Völker der Erde.“ “) Daß dem in Wirklichkeit fo iſt, kann auch von den Gegnern der Miſſion nicht in Abrede geſtellt werden. Wohin immer der Seefahrer, der Kaufmann oder der Entdeckungsreiſende kommt, entweder er findet bereits die Spuren der Miſſionare, oder der Miſſionar folgt bald ſeinen Fußſtapfen. Faſt zu allen uns bekannten und zu⸗ gänglichen Völkern der Erde haben die Boten des Evangeliums ſich Bahn ges brochen und jährlich beſetzen ſie neue Gebiete. In hunderten von Sprachen wird die gute Botſchaft verkündigt und jährlich vermehrt ſich die Zahl der Bibelüber— ſetzungen. Sind wir auch heute noch nicht ſo weit, daß das Evangelium vom Reich „allen Völkern“ und zwar „zu einem Zeugniß über fie” be⸗ reits wirklich gepredigt iſt — ſo ſind wir doch auf dem Wege zu dieſem Ziele der Miſſion, ſind im Ernſt darauf aus den einzigartig großen Befehl Jeſu Chriſti buchſtäblich zu erfüllen: „Gehet hin in alle Welt und machet zu meinen Jüngern alle Völker!“ In diefem Univerſalismus liegt eben das Charakteriſtiſche der jetzigen Miſſionsperiode. Die Kirche Jeſu Chriſti hat ja zu allen Zeiten Miſſion getrieben, aber ſelbſt als dieſe Thätigkeit in ihrer höchſten 2) Es liegt ſchon in dieſer Thatſache eine innere Apologie der Miſſion. 4 Die cur hic? Unſer Programm. Blüthe ſtand: in der apoſtoliſchen und mittelalterlichen Miſſionsperiode hat es eine eigentliche Welt miſſion nicht gegeben. Das Zeugniß von Chriſto zu tra⸗ gen bis an die „Enden der Erden“, ſodaß im eigentlichen Sinne des Worts „alle Völker“ evangeliſirt werden, alſo Weltmiſſion zu treiben — dieſe große Aufgabe zu löſen hat erſt unſre Zeit einen ernſtlichen Anfang gemacht. Es fehlt ja dieſer Zeit nicht an Ereigniſſen und Unternehmungen, die ſie als eine wirklich große charakteriſiren, aber es will uns bedünken, daß ſie alle, wenn auch nicht gerade in den Schatten, ſo doch in den Hintergrund geſtellt werden durch das Rieſenwerk der Pflanzung des Reiches Gottes durch die ganze Welt! Beſonders angeſichts dieſes Unternehmens iſt es Wahrheit, daß wir in einer großen Zeit leben, auf die man in der That das Wort anwenden darf: „ſelig ſind die Augen, die da ſehen, was ihr ſehet, denn Ich ſage euch: viele Propheten und Könige wollten ſehen, was ihr ſehet und haben es nicht geſehen und hören, was ihr höret und haben es nicht ehöret.“ 5 Aber es gehet heute vielen Chriſten wie zur Zeit Jeſu vielen Juden: „ſie haben Augen und ſehen nicht und Ohren und hören nicht.“ Allerdings conſta⸗ tiren wir gern, daß die Zahl der Miſſionsfreunde ſeit dem Beginne der modernen Miſſionsperiode in erfreulicher Weiſe gewachſen und daß ein Miſſionsgeiſt in der evangeliſchen Kirche erwacht iſt, wie er kaum in einer andern Zeit ihrer Geſchichte vorhanden geweſen — aber ebenſowenig läßt ſich leugnen, daß weite Kreiſe, namentlich unter den höheren Geſellſchaftsklaſſen und leider nicht blos unter den kirchlich Indifferenten für die Sache der Miſſion weder Sinn noch Herz haben. Man ſollte denken, daß ſchon die einzigartige Großartigkeit dieſes im vollen Sinne des Worts univerſalen Unternehmens ſie begeiſtern und der bedeutende Einfluß, den es auf die Civiliſation der Heidenvölker wie auf die Erweiterung unſrer geographiſchen, anthropologiſchen, ethnologiſchen, religionsgeſchichtlichen und linguiſtiſchen Kenntniſſe übt, ihr Intereſſe erwecken müßte! Zwar wird in nicht wenigen wiſſenſchaftlichen wie populären Zeitſchriften, in Tagesblättern, in der⸗ Reiſeliteratur ꝛc. der Miſſion nicht ſelten gedacht, aber — mit wenigen Aus⸗ nahmen — in einer ſehr einſeitigen, polemiſchen, oft verächtlichen ja gehäſſigen Weiſe, ſodaß dieſe Erwähnung viel mehr Antipathie als Sympathie zu erwecken geeignet iſt. Und doch hat die Miſſion freilich nicht blos wegen ihrer Großartigkeit, ihres culturgeſchichtlichen Einfluſſes und der mannigfaltigen Handreichung, die ſie der Wiſſenſchaft leiſtet, ſondern vornämlich um der geiſtlichen Segnungen willen, die ſie den Heidenvölkern bringt, den gerechteſten Anſpruch auf die Sympathie auch der gebildetſten Kreiſe! Solche Sympathie zu wecken iſt nun ein Theil der Aufgabe, welche ſich die „Allgemeine Miſſions-Zeit⸗ ſchrift“ geſteckt hat. Sie will den Verſuch wagen auch da ein Verſtändniß für die Miſſion zu Stande zu bringen und dahin Kunde von ihr zu tragen, wo aus Vorurtheil und Mangel an Kenntniß Indifferentismus gegen ſie herrſcht, will den Aufrichtigen unter ihren Gegnern Gelegenheit zur Prüfung und den Zweiflern Material zur Bildung eines günſtigen Urtheils liefern. Bei dem allem wird ſie ſich — zwar nicht jener neutralen Objectivität, die kühl iſt und kühl macht bis ans Herz hinan — wohl Die cur hic? Unſer Programm. 5 5 aber der gewiſſenhafteſten geſchichtlichen Treue und der größtmöglichſten Nüchtern⸗ heit befleißigen, ſich jeder Art der Schönfärberei enthalten, auch die Fehler nach beſten Kräften zu vermeiden ſuchen, durch welche hier und da eine kleinliche, ſentimental erbauliche und unkritiſche Berichterſtattung den Geſchmack an der Mif- ſion verleidet hat. ö Die neue Zeitſchrift will aber ſelbſtverſtändlich auch denen dienen, die be⸗ reits Freunde der Miſſion ſind, und zwar vornämlich ſolchen, die auch in der Miſſion gern mehr als Kirchthurmpolitik treiben, etwas Ganzes von der Ausbreitung des Reiches Gottes zu wiſſen verlangen und ſowohl für miſſions⸗ techniſche wie cultur⸗ und religionsgeſchichtliche, geographiſche, ethnologiſche und ähnliche Fragen, ſoweit ſie mit der Evangeliſation der Völker im Zuſammenhange ſtehen, ein Intereſſe haben. Da möglichſt gründliche Bekanntſchaft mit der Miſſionsgeſchichte nicht blos die Unterlage für ein richtiges Urtheil über die Miſſion ſondern auch eine weſentliche Vorausſetzung für die Liebe zu und die Mitarbeit an ihr bildet, ſo wird ein hiſtoriſcher Theil den erſten ja den Hauptinhalt der Zeitſchrift ausmachen. Dieſer miſſions-geſchichtliche Theil ſoll aber, da der Titel eine „Allgemeine Miſſions-Zeitſchrift“ ankündigt, wie das ganze Miſſions gebiet fo auch die ganze Miſſions zeit umfaſſen, wenngleich die Miſſionsgebiete der evangeliſchen Kirche unter den Heiden und die Miſſionsarbeit der neueren Zeit ſpecielle Berückſichtigung finden werden. Wir ſind durchaus keine abſoluten Gegner jedes Partikularismus in der Miſſion. Wie kein unbefangener Hiſtoriker neben der politiſchen Schwä⸗ chung, die er gebracht und dem kleinſtaatlichen Sinne, den er gepflegt den man⸗ nigfachen Segen in Abrede ſtellen wird, der dem deutſchen Vaterlande durch ſeinen ſtaatlichen Partikularismus ſeiner Zeit zu Theil geworden, ſo iſt es auch der Miffion zu Gute gekommen, daß an den verſchiedenſten Punkten die ver- ſchiedenſten Miſſions-Geſellſchaften entſtanden, und ebenſoviele Heerde des Mif- ſionslebens in der Heimath wurden und iſt es bis auf dieſen Tag der Sache durchaus förderlich, daß diejenigen Kreiſe, welche die heimathliche Miſſionsgemeinde einer beſtimmten Geſellſchaft bilden, auch um die Geſchichte dieſer Geſellſchaft ſich ganz ſpeciell bekümmern.!) Aber dieſer Partikularismus hat in der Miſſion wie auf dem Gebiete des ſtaatlichen Lebens ſein Maß und ſeine Zeit. Je länger je ſehnlicher wird der Wunſch nach einer einheitlicheren Geſtaltung der proteſtantlichen Miſſionsarbeit auf den verſchiedenen Gebieten der Heidenwelt und je länger je dringender das Bedürfniß nach einer einheitlicheren, zuſammenfaſſen— deren und überſichtlicheren Darſtellung dieſer Arbeit für Freund ) Die „Allgemeine Miſſions⸗Zeitſchrift“ iſt alſo weit davon entfernt, den ſpe ei ellen Miſſionsblättern der einzelnen Geſellſchaften Concurrenz zu machen. Sie will vielmehr eine Alliance mit ihnen ſchließen und den einzelnen Ge- ſellſchaften direet und indirect dienen, dire ot indem fie abgerundete Bilder auch aus ihrer Arbeit liefert, indirect indem ſie durch Orientirung auf dem Geſammtmiſſions⸗ gebiete das Verſtändniß für und das Bedürfniß nach den Specialitäten der einzelnen Geſellſchaften weckt und fördert — wie ſie denn wiederum auch zuverſichtlich auf Un— terſtützung ihrer Tendenz ſeitens dieſer Geſellſchaften glaubt rechnen zu dürfen. 6 Dic cur hie? Unſer Programm. und Feind in der Heimath. Die „Allgemeine Miſſions⸗Zeitſchrift“ möchte in Verbindung mit den Miſſionszeitſchriften von ähnlicher Tendenz („Evangel. Miſſions⸗Magazin“ und „Miſſionsnachrichten der Oſtindiſchen Miſſionsanſtalt zu Halle“) an ihrem Theile und nach ihrer Auffaſſung dieſes Bedürfniß befriedigen. Sie wird deshalb zunächſt jährlich eine möglichſt zuverläſſige und umfaſ⸗ ſende Rundſchau über das geſammte Miſſionsgebiet bringen und dadurch den von der Bremer Allgemeinen Miſſions-Conferenz ſchon vor Jahren gehegten Wunſch nach einer jährlich erſcheinenden Miſſions-Chronik realiſi⸗ ren. Bei den zahlreichen Schwierigkeiten, die ſich, wie den Fachleuten am beſten bekannt, der Ausführung dieſes Unternehmens entgegenſtellen und die nur im Laufe mehrerer Jahre und durch die vereinte reſp. getheilte Arbeit Mehrerer relativ überwunden werden können, dürfen wir wohl auf die Nachſicht der Leſer rechnen, wenn ihnen nicht ſofort eine völlig lückenloſe und bis in's Detail exacte Ueberſicht geboten werden ſollte. Neben dieſer Rundſchau ſtellen wir es uns aber auch zur Aufgabe in einzelnen geſchichtlichen Aufſätzen uns über das geſammte Miſſionsge⸗ biet zu verbreiten. Es ſoll alſo nicht blos die geſammte Miſſionsthätigkeit unter den Heiden zur Darſtellung kommen, ſondern auch die unter den Mu— hamedanern und Juden Berückſichtigung finden und zwar nicht allein — wenn auch vorzüglich — die der e vangeliſchen, ſondern möglichſt auch die der römiſch und griechiſch-katholiſchen Kirche. Selbſtverſtändlich kann dabei nicht die Abſicht ſein in jedem Jahre von allem etwas zu bringen, ſondern im Laufe der Jahre Bauſteine zu ſammeln, die in ihrer Zuſammenſetzung etwas Ganzes geben vom Reiche Gottes und ſeiner Ausbreitung in der Welt. Aehnlich iſt es zu verſtehen, wenn wir die geſammte Miſſionszeit, alſo neben der modernen Miſſionsperiode auch die älteren in den Kreis unſrer Darſtellung zu ziehen beabſichtigen. Die Miſſion iſt eben nichts Neues in unſrer Zeit, ſie wird geübt ſo lange es eine chriſtliche Kirche giebt und wo immer dieſe Kirche zu Stande gekommen, da iſt es durch die Miſſion geſchehen. Es iſt daher zunächſt ebenſo eine Pflicht der Dankbarkeit, die wir abtragen, wie ein apologetiſches Intereſſe, dem wir dienen, wenn wir der älteren Miſſionsgeſchichte gedenken. Dieſes Gedächtniß iſt aber auch für die Miſſions⸗ theorie wie -praxis unſrer Tage von Wichtigkeit. So ſehr eine Verglei⸗ chung von Sonſt und Jetzt auch einen Fortſchritt in der heutigen Methode conſtatiren wird — es wird ſich auch von den Alten noch Manches lernen laſſen, ſintemalen ſie auch nicht ohne Weisheit und den Geiſt Gottes geweſen ſind! Was die Form dieſer geſchichtlichen Aufſätze betrifft, fo ſollen fie nicht aphoriſtiſche Mittheilungen, ſondern ſtets etwas in ſich Ganzes und Abge— rundetes ſein, gleichviel ob ein Specialbild gezeichnet oder eine generellere Monographie geliefert wird. So großen Werth wir auch auf die Decailſchilde⸗ rung legen und um der Anſchaulichkeit willen am rechten Orte ihr ihren Platz einräumen werden, fo wollen wir doch jene minutiöſe Berichterſtattung mög⸗ licht vermeiden, die ſich ins Kleinliche verliert, den Geſichtskreis einengt und vor lauter Bäumen den Wald nicht ſehen läßt. Bezüglich der Charak⸗ teriſirung des chriſtlichen Lebens ſoll die keuſcheſte Nüchternheit uns Dic cur hie? Unſer Programm. 7 leiten und über der Freude von der Kraft des Evangelii geſunde Beweiſe an⸗ führen zu können die ſtrengſte Kritik nicht vergeſſen und auch der Schatten nicht überſehen werden, der wie jedem Menſchenhänden anvertrauten Werke ſo auch der Miſſion anklebt. So wenig aber die Miſſion mit einem Heiligenſchein um das Haupt ſoll abgemalt werden, ebenſowenig werden wir natürlich es unterlaſſen durch eine rechte Beleuchtung unverſtändiger übler Nachrede vorzu⸗ beugen. i Der miſſionsgeſchichtliche Theil unſrer Zeitſchrift darf aber auch die Heimath nicht übergehen. Das Miſſionsleben in der heimathlichen Kirche ſelbſt, hat ja ebenſo ſeine Geſchichte wie die Miſſionsarbeit unter den nichtchriſtlichen Völkern. Hier ſind die Wurzeln des Baumes, deſſen Zweige die Heidenwelt zu überſchatten die Verheißung haben. Es iſt unumgänglich nöthig ſowohl in allgemeinen Ueberſichten als in ſpeciellen Geſchichtsbildern eine zuverläſſige und umfaſſende Kunde davon zu geben, wie weit die Chriſtenheit ihrer Miſſionspflicht genügt, wie viel und was für Arbeiter ſie ſtellt und welche Mittel ſie liefert, wieweit die Kirche als ſolche Miſſion treibt, wie viele Miſſions⸗ Geſellſchaften es giebt, was dieſelben leiſten und welche Grundſätze ſie leiten ꝛc. Unſre Zeitſchrift will ſolche Kunde bringen nicht blos in allgemeinen Ueberſichten, auch nicht blos in einzelnen Monographien der bedeu— tendſten Miſſions-Geſellſchaften und in Biographien der Bahn brechen den Miſſions-Inſpectoren, ſondern auch in ſolchen Bildern, welche die Entſtehung und das Wachsthum des Miſſionslebens an verſchiedenen Orten und zu verſchiedenen Zeiten darſtellen. Auch mit geſchicht— lichen Mittheilungen dieſer Art glauben wir zugleich eine apologetiſche Pflicht zu erfüllen, da ſie ebenſo den Beweis liefern, daß die Miſſion nicht eine Win⸗ kelſache iſt, ſondern über die ganze chriſtliche Welt hin ein großes Heer in ihrem Dienſte hat, wie daß die Heimath, von der ſie ausgeht, reichen Segen von ihr zurückempfängt. Aber auf Miſſionsgeſchichte ſoll ſich die neue Zeitſchrift nicht beſchränken. Nicht blos um die Schwierigkeiten zu begreifen, mit denen die Miſſionsarbeit zu kämpfen hat, ſondern vornämlich um die richtigen Unterlagen zu gewinnen, auf die ſie ſich je nach der Individualität der verſchiedenen Völker ſtellen muß und um den Nachweis zu führen nach wie vielen Seiten hin ſie den mannigfaltigſten Wiſſenſchaften dient und von ihnen ſich dienen läßt — iſt eine möglichſt genaue Kunde von Land und Leuten unerläßlich. Die „Allgemeine Miſſions-Zeit⸗ ſchrift“ muß daher nothwendig geographiſche, linguiſtiſche, anthropo— logiſche, ethnologiſche, culturgeſchichtliche und beſonders religions— geſchichtliche Fragen, ſoweit fie in einer Beziehung zur Miſſion ſtehen, in den Kreis ihrer Betrachtung ziehen. Alle die genannten Gebiete ſind Hilfswiſ⸗ ſenſchaften für die Miſſion, wie wiederum die Miſſion ihnen eine weſentliche Hilfe leiſtet, ſowenig Dank fie auch oft dafür erntet. So hat die Miſſion bei⸗ ſpielsweiſe das größte Intereſſe an allen Entdeckungsreiſen, durch welche unbekannte Länder uns bekannt gemacht und verſchloſſene etwa erſchloſſen werden, wie umgekehrt die Erweiterung unſrer geographiſchen Kenntniſſe vielfach Miſſio⸗ naren zu danken iſt, wofür zum Beweiſe man nur an Dr. Livingſtone zu erin⸗ nern braucht. Wir verweiſen weiter guf die Bedeutung, welche die Ethnologie 8 Die eur hic? Unſer Program. für die Miſſion und die Miſſion für die Ethnologie hat. Wie der einzelne Menſch als ein ſpecielles Individuum es als ſein Recht beanſpruchen kann nach ſeiner Individualität behandelt zu werden und der allgemein für einen ſchlechten Pädagogen gilt, der aus dieſem Rechte für ſich keine Pflicht macht — alſo iſt es auch bezüglich der Völker. Auch die Völker beſitzen ihre Indivi— dualität und die Miſſion ſoll ſie pädagogiſch behandeln. Es dürfen nicht alle Völker nach einer Schablone evangeliſirt werden, wie man auch aus der Miſſionspraxis des großen „Apoſtels der Heiden“ ſattſam erkennen kann, der je nach der Individualität der verſchiedenen Völkerſchaften meiſterlich verſteht „ſeine Stimme zu wandeln“ und „allen alles zu werden.“ Nichts iſt für die Miſſionspraxis wichtiger als genaue Kenntniß des Charakters, der Sitte, der Cultur⸗ und Religionsſtufe der verſchiedenen Völkerſchaften um in pädagogi- ſcher Weisheit das rechte Thürlein zu finden und zu öffnen, durch welches das Evangelium dem Herzen des Volkes nahe gebracht werden kann und es will uns bedünken, daß in dieſem Stück unſre heutige Miſſion noch viel zu lernen hat! Um ſo unentbehrlicher alſo die Ethnologie! Von welcher Seite auch die Belehrung komme, die Miſſion nehme ſie dankbar an. Aber die Vertreter der ethnologiſchen Wiſſenſchaft mögen auch der Miſſion den Ruhm laſſen, der ihr gebührt und frei öffentlich bekennen, wie viel werthvolles Material ſie ihr verdanken und endlich einmal aufhören die Männer verächtlich zu behandeln, mit deren Federn ſie ſich doch ſo oft ſchmücken! Sollen wir noch der Linguiſtik mit einigen Worten gedenken? Es iſt Grundſatz der evangeliſchen Miſſion jedem Volke in ſeiner Mutterſprache das Heil in Chriſto zu verkünden. Der Miſſionar wenn er die fremde Sprache lernt wird ja gern ein Schüler der Männer der Wiſſenſchaft, die dieſelbe etwa vor ihm bearbeitet haben. Derſelbe Miſſionar lehrt aber auch nicht ſelten die Sprache, die er ſelbſt erſt gelernt hat — und bereichert die Wiſſenſchaft der Linguiſtik. Und mehr als das. Er ſchafft eine Schriftſprache und legt den Grund zu einer Nationalliteratur. Man braucht nur an die c. 230 Bibel⸗ überſetzungen zu erinnern — welch eine Bedeutung haben dieſe für die Linguiſtik, für das Culturleben, für die Geſchichte der Bildung des menſchlichen Geiſtes und Herzens! Doch genug, der Leſer verſteht, was wir im Sinne haben. Schon in den bisherigen Ausführungen iſt gelegentlich mehrfach des apo— logetiſchen Dienſtes gedacht, welchen die „Allg. Miſſions-⸗Zeitſchrift“ der Miſſion leiſten möchte. Dieſer Geſichtspunkt iſt indeß ſo wichtig, daß wir ihm einen ſelbſtändigen Platz in unſerm Programm anweiſen müſſen. Gott ſei Dank! man ignorirt die Miſſion nicht mehr, man greift fie an! In Zeit⸗ ſchriften der mannigfaltigſten Tendenz, in Reiſebeſchreibungen, Romanen, ja in ſpeciell zu dieſem Zwecke geſchriebenen polemiſchen Schriften wird ſie nicht blos, einer ſcharfen, ſondern meiſt einer ſehr ungerechten und — unverſtändigen Kritik Dic eur hie? Unſer Programm. 9 unterworfen und aufs feindlichſte behandelt. So ſehr wir auch in dieſen Arne griffen einen Beweis von der zunehmenden Macht der Miſſi ion ſehen dürfen, ſo iſt ihnen gegenüber eine Vertheidigung doch ebenſo ein Bedürfniß wie eine Pflicht. Und zwar denken wir nicht blos an eine generelle Apologetik. Es wird ja beſonders den Vorurtheilen der öffentlichen Meinung gegen über ganz unerläßlich fein, auch dieſe zu pflegen — allein ſpecielle Angriffe er— fordern eine ſpecielle Apologie und je mehr dieſelbe auf gründlicher Kenntniß der in Rede ſtehenden Verhältniſſe beruht, deſto durchſchlagender wird ſie ſein. Unfruchtbarer Polemik wollen wir dabei ſo weit es irgend angeht, aus dem Wege gehen und auch jede Specialapologie fo poſitiv als möglich führen. End- lich ſollen auch Miſſionsgedanken aus und nach der Schrift ſowohl unter dem apologetiſchen als unter dem miſſionstheoretiſchen Geſichtspunkte ein Räumlein finden. Es ſcheint uns nämlich ein Bedürfniß, daß auch miſſionstheoretiſche reſp. ⸗praktiſche Fragen in einem Allgemeinen Miſſions-Organe zur öffentlichen Beſprechung gebracht werden, nicht blos um nach dem Maß unſrer Erkenntniß und Kraft der Arbeit unter den Heiden ſelbſt hier und da einen kleinen Dienſt zu leiſten, ſondern auch um in der Heimath ein größeres Verſtändniß für die hohen Aufgaben der Miſſion wie für die großen Schwierigkeiten, mit denen fie zu kämpfen hat, herbeiführen zu helfen. Auch die Miſſion hat ihre Theorie und bedarf je mehr ſie aus den Kinderſchuhen herauswächſt und an Umfang zunimmt deſto mehr einer wiſſenſchaftlichen Unterlage für ihre praktiſche Thätigkeit und zwar in vil höherem Grade als dies mit der Führung des paſtoralen Amtes der Fall iſt. Es giebt hier eine Reihe Fragen von der weittragendſten Bedeu- tung über die Aufgabe der heutigen Miſſion, ihre Methode, die Vorbildung zu ihrem Dienſte, die Heranbildung eines elngehornen Lehrerſtandes, die Erziehung der heidenchriſtlichen Gemeinden zur Selbſtthätigkeit und Selbſtſtändigkeit, die Behandlung der Polygamie, Kaſte, Sklaverei ꝛc. Selbſt wenn die Beantwortung dieſer Fragen nur für die eigentlichen Fachleute Werth hätte, müßte es wünſchenswerth ſein ein Organ zu beſitzen, in welchem ſie zur Discuſſion geſtellt würden, da ſie aber zugleich von ſehr allgemeinem Intereſſe wenigſtens für die Gebildeteren unter den Miſſionsfreunden und durchaus dazu angethan find, die Theilnahme für die Miſſion zu fördern, fo hoffen wir mit ihrer Auf⸗ nahme in unſer Programm um ſo mehr auf Billigung rechnen zu dürfen. Da unſre Zeitſchrift aber auch für die Heimath eine praktiſche Tendenz hat, ſo wird ſie ſich auch ſolchen Fragen nicht entziehen, auf welche Weiſe das Intereſſe für, die Liebe zu, und die thätige Mitarbeit an der Miſſion geweckt und gefördert werden kann, wird alſo z. B. über Organiſation von Miſſionsvereinen, Feier von Miſſionsfeſten, Einrichtung von Miſſionsconferenzen, Abhaltung von Miſſionsſtunden, Sammlung von Miſſionsbeiträgen, Verbreitung von Miſſionsſchriften ꝛc. Aufſätze bringen. Auch für die Miſſionsliteratur und zwar nicht für die deutſche allein, wenn auch für ſie vornämlich ſoll ein Platz reſervirt werden. Wir gedenken alle wichtigen Erſcheinungen auf dieſem Gebiete theils in überſichtlichen Gruppen 10 Die cur hic? Unſer Programm. theils in Einzelanzeigen zur Kenntniß unſrer Leſer zu bringen, auch durch die ein⸗ zelnen Miſſionsblätter und die Miſſionstractate je und dann einen Gang zu thun. Endlich ſoll die Zeitſchrift anhangsweiſe auch eine Zeitung enthalten, die theils in Original⸗Correſpondenzen, theils in Mittheilungen, welche Miſſions⸗ und andern Blättern entnommen ſind, eine möglichſt allſeitige Kunde von den wichtigſten neuſten Ereigniſſen auf dem großen Miſſionsfelde bringt. Dies unſer Programm. Wir denken es iſt die beſte Apologie unſres Unternehmens und überhebt uns der Nothwendigkeit einer weiteren Begründung deſſelben auch gegenüber der Exiſtenz von Miſſionsblättern von allgemeiner Ten⸗ denz. Freilich — es iſt leichter Programme aufſtellen als ſie durchführen! Wir ſind uns der Schwierigkeit des beabſichtigten Unternehmens durchaus bewußt und ſcheuen uns nicht zu bekennen, daß wir im vollen Gefühle unſrer Schwachheit an daſſelbe herangetreten ſind. Aber wir vertrauen auf die Durchhilfe des HErrn, der feinen Jüngern befohlen hat: „handelt bis daß ich wiederkomme“ und der da will, daß ſeiner heiligen Reichsſache gedient werde auf mancherlei Weiſe, ſonderlich in einer Zeit, in welcher der immer lauter werdende Ruf: „wir wollen nicht, daß dieſer über uns herrſche“, auch viele von ſolchen völlig ab- wendig zu machen droht, die „nicht ferne ſind vom Reiche Gottes“. Wir appelliren auch, beſonders für die erſte Zeit, an die freundliche Nachſicht unfrer Leſer. Ermöglichen fie uns das wirktliche Zuſtandekommen der Zeitſchrift, fo hoffen wir mit dem Fortgange derſelben immer mehr in die Arbeit zu wach⸗ ſen und tüchtigere Leiſtungen zu liefern. Es iſt wahr: das Programm iſt reich beſetzt — allein wir glaubten, daß in einer „Allgemeinen Miſſionszeit⸗ ſchrift“ keiner der genannten Punkte fehlen dürfte, auch gedachten wir des bekann⸗ ten Wortes: „wer vieles bringt, wird manchem etwas bringen.“ Eine Anzahl auf dem Miſſionsgebiete heimiſcher Männer hat ihre Mit⸗ arbeit bereits zugeſagt; vielleicht thut die Probenummer noch hier und da einen Werbedienſt, daß noch manch einer ſich mit uns verbindet, in deſſen Hände die erſte „Einladung zur Mitarbeit“ nicht gelangt iſt. Die „Allgemeine Miſſions⸗Zeitſchrift“ ſoll in Monatsheften von 2½ event. 3 enggedruckten Bogen erſcheinen und der jährliche Abonne— mentspreis nur 2 Thlr betragen. Je und dann wird eine Karte reſp. ein Bild beigegeben werden. Der HErr der Miſſion aber, dem zur Verherrlichung Seines Namens, zum Bau Seines Reiches und zur Erfüllung Seines Willens auch dieſe Zeit- ſchrift ernſtlich dienen will und ohne den wir nichts können, auch nichts können wollen — der ſegne und fördre das Werk unſrer Hände, damit die Liebe zur Miſſion und die energiſche Arbeit an ihr wachſe und ſich mehre auch unter unſerm deutſchen Volke, dem Er in den letzten Jahren einen ſo hervorragenden Platz angewieſen und damit eine ſo große Aufgabe auch für die Ausbreitung Seines Reiches geſtellt hat unter den Völkern der Erde! 11 Orientirende Ueberſicht über den gegenwärtigen Stand des geſammten chriſtlichen Miffions-Werkes von R. Grundemann. Einleitende Bemerkungen. Schon ſeit der erſten Bremer Miſſions-Conferenz iſt von mir eine jähr⸗ liche Miſſions⸗Chronik erwartet worden. So gern ich auch bereit war, der ſchwierigen Arbeit, die eine ſolche erheiſcht, mich zu unterziehen, bin ich doch ſelbſt trotz der Bereitwilligkeit der meiſten deutſchen Miſſionsgeſellſchaften zur Unter- ſtützung des Unternehmens, bisher nicht im Stande geweſen die äußeren Schwie— rigkeiten, die die Veröffentlichung darbot, zu überwinden. Die „Allgemeine Miſ— ſions⸗Zeitſchrift“ verſpricht einen angemeſſenen Ort zu bieten, an welchem die beabſichtigte Chronik, wenn auch vielleicht in etwas veränderter Form, zur Aus— führung gelangen kann. Ich hoffe, daß ſie den Leſern willkommen ſein wird. Sie ſoll ja den Miſſionsfreund, der die fortſchreitende Entwicklung der Ausbrei— tung des Reiches Gottes unter den Heiden verfolgen möchte, in den Stand ſe— Gen, dies zu thun ohne die Mühe, die Quellen ſelbſt nachzuleſen. — Die um⸗ faſſenden Arbeiten auf dieſem Gebiete, zu denen mir mein Miſſions-Atlas Ge— legenheit gegeben, ſcheinen eine angemeſſene Grundlage zu bieten, an die ſich eine jährliche Rundſchau über das geſammte Miffionsfeld paſſend anſchließen möchte. Ich muß jedoch geſtehen, daß mit den inzwiſchen verſtrichenen Jahren auch die Reſultate jener Arbeiten bei mir bereits etwas verblaßt ſind. Ich kann daher den Leſer, der mich zum Führer nehmen will, vor der Hand nur einladen, zu— nächſt einen Gang zur allgemeinen Orientirung zu machen. Ein jeder folgender Rundgang, der ſich in den beſtimmten Gränzen eines Jahres zu bewegen hat, wird ein konkreteres, anſchaulicheres und deutlicheres Bild liefern. In dieſer Be— ziehung wird der vorliegende Anfang auch aus andern Gründen manches zu wünſchen übrig laſſen. Selbſt eine Verarbeitung der ſämmtlichen in die Oeffent— lichkeit tretenden Berichte über das eine oder das andre Miſſionsfeld würde zu— weilen nicht im Stande ſein ein derartiges Bild zu geben. Es war ſchon lange mein Wunſch, (dem aber für jetzt noch nicht entſprochen werden konnte) dieſem Mangel durch direkte Anfragen bei betreffenden Miſſionaren zu begegnen. Sollte der Herr auf dieſe Arbeit ſeinen Segen legen, ſo hoffe ich mit der Zeit auf dem angedeuteten Wege vielfach ein klareres und deutlicheres Bild von manchen Miſſionsgebieten geben zu können. Ich möchte ſagen: die Tragweite des Fern- rohrs, deſſen ich mich jetzt noch bedienen muß, reicht für manche derſelben nicht zu und läßt nur allgemeine, zerfließende Umriſſe erkennen. Vielleicht aber ge— lingt es mir mit der Zeit ſchärfere Inſtrumente anzuwenden. — Ebenſo wünſchte ich den rechten Standpunkt, von dem aus ein jeder Theil des großen Miffions- werks richtig zu betrachten iſt, recht deutlich angeben zu können. Derſelbe hängt ab von den verſchiedenen, meiſt durch denominationale Verſchiedenheiten be— dingte Auffaſſungen der Miſſion und der bei derſelben angewandten Praxis. Auch 12 Orientirende Ueberſicht. in dieſer Hinſicht werde ich bemüht ſein, immer beſtimmtere Angaben zu machen, durch die der Miſſionsfreund, der vielleicht nur allzuſehr hierin zu generaliſiren gewohnt iſt, und alle Miſſionen mit einem und demſelben Maße zu meſſen pflegt, vor den daraus unvermeidlich ſich ergebenden Irrthümern geſchützt werde. Eine beſondere Beigabe zu der beabſichtigten Miſſions-Chronik ſollten ſta⸗ tiſtiſche Ueberſichten bilden. Jedoch je länger ich mich mit dieſem Punkt beſchäf⸗ tigte, deſto mehr lernte ich die Schwierigkeiten deſſelben erkennen. Dieſe beſtehen nicht blos darin, daß es ſchwer hält, die annähernd für den gegenwärtigen Stand geltenden Zahlen von allen Miſſionsgebieten gleichmäßig zu erhalten, ſondern noch vielmehr in den verſchiedenen Principien, die der Zählung in den verſchiedenen Miſſionen zu Grunde gelegt werden. Beſonders iſt dies der Fall in Bezug auf die Zahl der Bekehrten. Es giebt keinen Generalnenner in welchen die Bekehr⸗ ten der Methodiſten und der Ausbreitungs-Geſellſchaft (S. P. G.), der Inde⸗ pendenten und unſrer deutſchen Miſſionen, wenn wir ſie durch Zahlenbrüche dar⸗ ſtellen wollten, zutreffenderweiſe aufgehen würden. Damit verbietet ſich das Sum⸗ miren von ſelbſt. Nur wenn es gelänge in jedem Falle dem Leſer das Zählungs⸗ princip mit der Zahl zugleich in prägnanter Weiſe zur Anſchauung zu bringen, würde eine Zuſammenſtellung der betreffenden Angaben von Werth ſein. Unter dieſen Erwägungen verzichte ich denn vor der Hand darauf, ſtatiſtiſche Ueberſich⸗ ten zu geben und beſchränke mich auf einzelne Zahlenangaben, die hier und dort zur Charakteriſtik eines Miſſionsgebietes dienen mögen. — Sollte es ſpäter mög⸗ lich werden von denſelben directe Mittheilungen einzuziehen, ſo wird ſich auch in dieſem Punkte den Miſſionsfreunden mehr darbieten laſſen. Man ſehe alſo dieſe orientirende Ueberſicht als einen erſten Verſuch an, deſſen ſchwache Seiten ich nicht verhehlen will. Sollte ſie ſich trotzdem des Bei— falls der deutſchen Miſſionskreiſe erfreuen, ſo wird mir dies eine Ermuthigung ſein, ſo Gott will, mit wachſenden Kräften mich für den nächſten Rundgang zu rüſten. I. Weſtafrika. 1. Senegambien. )) 1) Die erſte Miſſion, die wir von Norden kommend an der weſtafrikani⸗ ſchen Küſte antreffen, iſt die der Pariſer Société des Missions éEvangeli- ques, ?) die früher ſüdlicher in Sedhiu am Cafamance ihre Station hatte. Seit 1870 iſt St. Louis der Sitz der Miſſion und jener Ort wird nur noch als Außenſtation zu Zeiten beſucht. Die genannte franzöſiſche Kolonie bot für die damals auszuſendenden neuen Miſſionare an den Evangeliſchen, die ſich unter ihren 15,000 Einwohnern finden, Anknüpfungspunkte. Die heidniſchen reſp. muhamedaniſchen Wolofs wurden erſt nach und nach zugänglicher. Die Miffto- nare eigneten ſich die Sprache derſelben an und konnten bereits namhafte Ueber⸗ 1) Vgl. meinen Miſſions-Atlas I, 1 u. 2. 2) Die verſchiedenen Miſſionsgeſellſchaften ſetze ich hier als bekannt voraus. So weit thunſich behalte ich die Originalnamen bei, erlaube mir auch leicht verſtändliche Abkürzungen wie z. B. Am. = American. M. S. = Missionary Society ꝛc. Orientirende Ueberſicht. 13 ſetzungen in dieſelbe ausführen. Die neuſten Berichte melden eine Anzahl von Bekehrungen, unter denen einige recht erbaulich ſind. 2) Die katholiſche Miſſion des apoſtoliſchen Vicariats Senegambien hat ihren Hauptpunkt in St. Joſeph de N'gazobil, an den ſich verſchiedene andre Stationen anlehnen. Die Wirkſamkeit derſelben ſcheint ſich vorzugsweiſe auf er⸗ ziehende Thätigkeit zu erſtrecken. Die Heranbildung eines Clerus aus den Ein⸗ gebornen ift beſonders in's Auge gefaßt. Ausgedehnte Anſtalten haben die wei- tere Aufgabe mit der Anleitung zum Ackerbau und verſchiedenen Handwerken der Bevölkerung eine mit den katholiſchen Formen verbundene Kultur zuzuführen. Für die Bildung der weiblichen Jugend ſind zahlreiche Ordensſchweſtern thätig. Die Stationen haben 1869 ſchwer durch die Cholera, gelitten. 3) Die Miſſion am Gambia. Hier hat ſich das dem Europäer ge— fährliche Klima Weſtafrikas beſonders verderblich gezeigt. Infolge davon haben die Methodiſten ſchon lange ihre in früheren Jahren durch ausgedehnte Er— weckungen zu einer Blüthe gelangten Gemeinden der Arbeit eingeborner Prediger überlaſſen müſſen, die nur unter der Oberleitung eines europäiſchen Miſſionars ſtehen. Verdient der dadurch hervorgerufene Umſtand, daß jetzt das Evangelium vorzugsweiſe in den Volksſprachen reſp. Dialekten verkündigt wird, (während ſonſt das von den Küſtenbewohnern, wenn auch verderbt geſprochene, doch leidlich ver— ſtandene Engliſch benutzt wurde) alle Beachtung, ſo läßt ſich ſelbſt von den beſ— ſeren jener Arbeiter bei weitem nicht die Leiſtung eines Europäers erwarten. Die Gemeinden find noch nicht auf-dem Standpunkte, daß aus ihnen ſelbſt die Organe ihrer Leitung hervorgehen könnten. Es fehlen die für dieſen Zweck er— forderlichen Schulen. Oft ſcheinen die Männer, denen man ein Amt übertragen muß, demſelben nicht gewachſen zu fein, wenn fie nicht vielleicht gar durch An— ſtoß mancherlei Art die Sache des Chriſtenthums ſchädigen. Insbeſondere leidet die Gemeinde auf der entfernten Mac Carthy Inſel, die nur ſelten von einem europäiſchen Miſſionare beſucht werden kann, unter dieſen Verhältniſſen. Das dortige Miſſionswerk kränkelt überhaupt, ſeitdem die brittiſche Beſatzung von jener Inſel zurück gezogen iſt (1867). Es iſt nicht möglich die Gemeinde in ihrem Beſtande zu erhalten, geſchweige ſie zu erweitern. — Im Laufe des verfloſſenen Jahres iſt nun auch die Beſatzung von Bathurſt weggenommen (1872) und damit die Lage der ganzen Miſſion erſchwert. Die verſchiedenen Stämme, die zum Theil ſtreng, zum Theil lax muhamedaniſch!) zum Theil heidniſch find, ha⸗ ben ſeitdem unaufhörliche Kriege. Der Ackerbau wird vernachläſſigt, und in Folge davon ſtockt der Handel (die Erdnuß bildet einen bedeutenden Export⸗ Artikel). Auch werden die Eingebornen gegen die Weißen immer frecher und erlauben ſich offne Räubereien. Dennoch ſind die Gottesdienſte in den beiden Kapellen zu Bathurſt ſowie auf den Predigtplätzen, an denen ſchon kleine Schaaren geſammelt find,?) und die 2) Jene Marabuts, dieſe Soninkis genannt. Die letzteren unterſcheiden ſich we⸗ ſentlich nicht ſehr von Fetiſchdienern. 2) Die letzten Jahresberichte führen unter den letzteren einige Plätze auf, die noch nicht in meinem Atlas zu finden ſind, und über deren Lage keine Angaben vorliegen. So: Moro⸗Cunda, Cotoo und Daranka (Baranka?) Letzteres ſoll außerhalb des britti⸗ ſchen Gebiets liegen. ER 14 DTDPrrientirende Ueberſicht. Schulen meiſt gut beſucht geweſen, und es hat nicht an Zeichen gefehlt, daß das Wort Gottes ſeine Wirkung hat. Nach dem letzten Berichte hatte ſich die Zahl der Gemeindemitglieder um 39 vermehrt. Dieſelbe betrug 744. Wieviel davon Europäer ſind, iſt nicht geſagt. In fünf Schulen waren 495 Schüler; in den Sonntagsſchulen 613. Die katholiſche Miſſion ſcheint in Bathurſt Fortſchritte zu machen, be⸗ ſonders infolge der aufopfernden Thätigkeit, welche bei der auch hier wüthenden Cholera 1869 die Miſſionare und Ordensſchweſtern geübt haben. 2. Die Miſſion am Pongas!) hat in ſo fern ein beſonderes Intereſſe, als ſie zum Theil von Weſtindien aus unterhalten wird. Chriſten afrikaniſcher Abſtammung ſenden der Heimath ihrer Väter das Evangelium. Der Hauptſitz dieſer Weſtindiſchen kirchlichen Miſſions⸗ geſellſchaft iſt Barbados, wo auch im theologiſchen Seminare junge Leute aus der Pongas⸗Gegend zu Miſſionaren ausgebildet werden. Es find jetzt ihrer vier auf eben fo vielen Stationen in der genannten Gegend thätig und ſcheinen ſich als tüchtige Leute, denen auch ein nüchterner, klarer Blick nicht fehlt, zu be⸗ weiſen. Die Leitung dieſer Miſſion liegt in der Hand der Ausbreitungsgeſell⸗ ſchaft (S. P. G.) und ſteht daher unter der Superviſionß des Biſchofs von Sierra Leone. Das Feld hat ſeine eignen Schwierigkeiten. Nachdem ſchon ſeit längerer Zeit namentlich franzöſiſche Faktoreien beſtanden, hat Frankreich im Jahre 1867 förmlich von dieſem Gebiete Beſitz ergriffen. Die Regierung ſcheint ſich jedoch nicht beſonders fühlbar zu machen, und die Miſſion iſt, obwohl der ſchwer er= füllbare Wunſch, daß in den Schulen möge franzöſiſch gelehrt werden, ausge⸗ ſprochen wurde, wie es ſcheint in keiner Weiſe beläſtigt worden. Auch die Euro⸗ päer auf den Faktoreien erweiſen ſich nicht feindſelig, vielmehr wurden von einem Solchen (einem Deutſchen) bei Anlegung einer Station weſentliche Dienſte gelei⸗ ſtet. Ein größeres Hinderniß liegt darin, daß die hier noch ungeſtört geltende Sklaverei ſich immer entſchiedener durch die Predigt des Evangeliums bedroht ſieht, daher ſich die reicheren Eingebornen, welche ſämmtlich Sklaven halten, der letzteren meiſtentheils widerſetzen. An einigen Orten iſt die Bevölkerung zum Theil muhamedaniſch, doch ohne daß der dem Islam eigene Fanatismus hier hervor- träte. Es wird ſtark über die Stumpfheit des Volkes geklagt; Viele erwarten bei ihrem Uebertritt zum Chriſtenthume äußere Vortheile, oder gar direkte Ge— ſchenke. Einzelne Häuptlinge aber haben bereits einen hohen Grad von Bildung und die Miſſion hat unter ihnen warme Freunde. Dieſelbe trägt übrigens einen. ausgeprägt hochkirchlichen Charakter. — Der Zuwachs der ſchon geſa mmelten Gemeinden war freilich nur ein langſamer, ſcheint aber ſicher fortzugehen. An Ueberſetzungen in die hier geſprochene Suſu-Sprache wird rüſtig gearbeitet. Die neuſte der Stationen befindet ſich am Rio Nunez,?) jo daß jetzt ein Küſten⸗ ſtrich von 20 deutſchen Meilen ſich unter dem Einfluſſe dieſer Miſſion befindet. 1) Miſſions⸗Atlas I, 2. 2) Um dieſelbe auf dem betr. Carton (Afrika Nr. 2) zu verzeichnen, müßte man: denſelben etwa um 10 deutſche Meilen nach N. W. erweitern. S Orientirende Ueberſicht. = 15 3. Sierra Leone.) Sierra Leone iſt eines der wenigen Miſſions-Gebiete auf denen die Miſ⸗ ſionsarbeit bereits zu einem gewiſſen Abſchluß gelangt iſt. Neben einem kleinen Theil der Bevölkerung, der am alten Fetiſchdienſte fefthält oder mehr oder weni⸗ ger fi in Religionsloſigkeit verliert, und einem noch kleineren muhamedaniſchen Theile bekennt ſich die überwiegende Menge derſelben zum Chriſtenthum, theils als Anglikaner theils als Methodiſten. Die erſteren find bereits zu einer felbft- ſtändigen kirchlichen Organiſation herangereift; nur einige Stationen ſtehen noch unter Leitung der Church Missionary Society. Die junge Kirche hat in dem bereits vollendeten erſten Jahrzehnte ihres Beſtehens ihre Lebensfähigkeit ge⸗ zeigt. Unter ihren Mitgliedern finden ſich wohlgebildete, vermögende Leute. Die Mehrzahl derſelben ſind kleine Handelsleute, da das felſige Ländchen für die verhältnißmäßig ſtarke Bevölkerung nicht genügenden Platz zum Ackerbau hat. Ihr Vermögen iſt daher den Schwankungen des Handels unterworfen, weshalb auch die Einkünfte der jungen Kirche dann und wann Ungleichmäßigkeit zeigten. Dennoch bringt dieſelbe die erforderlichen Mittel auf. Die in der Kolonie jelbft ausgebildeten Geiſtlichen haben ſich bisher bewährt, ſo daß ihnen ſogar von un— betheiligter Seite das Zeugniß ausgeſtellt iſt, ſie ſeien würdige Nachfolger jener bereits heimgegangenen Miſſionare, durch deren harte doch eifrige Arbeit die Ge— meinden geſammelt find. — Auch die Methodiften haben zumeiſt bereits farbige: Prediger. Ihre Gemeinden aber ſtehen noch immer wie früher in der Verbin— dung mit der Wesleyan M. 8. Die Zahl ihrer vollen Mitglieder, die ſich jährlich um einige Hundert vermehrt, beträgt gegen 5000, während außer dieſen noch faſt doppelt ſoviel Andere ſich zu ihren Gottesdienſten halten. Die Ges ſammtzahl der Anglikaner wird auch jetzt kaum die der mit den Methodiften: Verbundenen erreichen.?) Das chriſtliche Leben der Gemeinden auf beiden Seiten dürfte bei möglichſt billigen Rückſichten nicht grade unbefriedigend zu nennen ſein. Doch macht ſich immer wieder noch ein bedeutender Mangel an Stätigkeit und Feſtigkeit deſſelben fühlbar und von verſchiedenen Seiten wird geklagt, daß es noch auf einer nie- deren Stufe der Sittlichkeit ſteht. Die Ausſchließung von Mitgliedern muß häufig Statt finden; und wenn ſie auch meiſt ſpäter in bußfertiger Weiſe die Wiederaufnahme nachſuchen, ſo kann doch nicht in Abrede geſtellt werden, daß die Sierra⸗Leone⸗Chriſten im Großen und Ganzen es auch mit groben Sünden noch viel zu leicht nehmen; namentlich iſt die Unkeuſchheit ein ſchwerer Schade, auch fehlt es nicht an ſtarken Reſten heidniſchen Aberglaubens, Zauberei ꝛc. Die Gottesdienſte werden durchſchnittlich gut beſucht und auch die Schulen ſind größtentheils in gutem Gange. Die der Anglikaner haben dadurch ſehr gewonnen, daß ſie in engerer Verbindung zur Colonial-Regierung ſtehen, welche einen Zuſchuß zur Unterhaltung liefert, aber auch die Leiſtungen kontrollirt. Einige höhere Schulen gewähren ihren Zöglingen eine verhältnißmäßig gründliche, um— faſſende und gediegene Bildung. Der jetzige Biſchof, erſt ſeit einigen Jahren in dieſem Amte, entfaltet eine 1) Miſſions⸗Atlas I, 3. ir 9 Leider liegen mir die F der neuſten Volkszählung der Kolonien noch uicht vor. 16 Drientirende Ueberſicht. ſehr eifrige Thätigkeit und hat mehrfache förderliche Einrichtungen z. B. auch be⸗ züglich der chriſtlichen Literatur getroffen. Eine große Anzahl Sierra-Leone-Chriſten find nach den benachbarten Kü— ſtenſtrichen ausgewandert und haben ſich daſelbſt in kleinern oder größeren Grup⸗ pen als Handelsleute oder Ackerbauer niedergelaſſen. Inmitten einer heidniſchen Bevölkerung erwachſen dort für ſie größere Gefahren als in der Heimath. Um ſie dem Chriſtenthum zu erhalten und von dieſem Anknüpfungspunkte aus weiter unter den Heiden zu arbeiten, hat die Church M. S. ihre Stationen im Bul⸗ lom⸗, Timneh⸗ und Scherbro-Gebiete.!) Die Arbeit daſelbſt, welche von den Ge- meinden in Sierra⸗Leone unterſtützt wird, hat mit mancherlei Schwierigkeiten zu kämpfen und ſchreitet, obgleich mit Eifer und Treue betrieben, nur langſam vor⸗ wärts. 4. Liberia. ?) Die Nachrichten, die von dieſer Negerrepublik in die Oeffentlichkeit gelangen, kommen ziemlich ſparſam und ſind zum Theil recht farblos. Das erſte halbe Jahrhundert iſt ſeit der Gründung des Freiſtaates verfloſſen; trotzdem befindet ſich derſelbe immer noch in den Anfängen der Entwicklung, im auffallenden Ge⸗ genſatze zu den ſanguiniſchen Hoffnungen mit denen er einſt begrüßt wurde, als er in's Leben trat. Die natürlichen Hinderniſſe, die an dieſem Küſtenſtriche der Kultur entgegenſtehen, mögen groß ſein. Dennoch zeigt ſich an Liberia, daß der Neger für eine ſelbſtſtändige Thätigkeit zur Pflanzung und Verbreitung einer höheren Geſittung wenig Geſchick hat, ſo ſehr ſeine Bildungsfähigkeit im Einzelnen durch zahlreiche, hervorſtechende Beiſpiele bewieſen wird. Es ſind nur wenige Punkte Liberias, die ſich über das Niveau afrikaniſcher Zuſtände erhoben haben. Das Land im Großen und Ganzen iſt noch ohne die allernothdürftigſten Kommunika⸗ tions⸗Mittel, ſowie ohne ſich hebenden Ackerbau und Induſtrie. Es iſt ein we⸗ nig Handel, auf dem das geringe Maß öffentlichen Lebens beruht. Die Miſſion, ſofern ſie mit der kirchlichen Pflege farbiger amerikaniſcher Koloniſten und ihrer Nachkommen zuſammenfällt, ſcheint es, hat mit mancherlei Schwierigkeiten zu kämpfen, da die aus dem chriſtlichen Lande mitgebrachten Untugenden auf afri= kaniſchem Boden üppiger ſich entfalten als die guten Keime. Die Chriſtianiſi⸗ rung der Eingebornen dagegen hat in den dünn bevölkerten Küſtenſtrichen an der erwähnten Unwegſamkeit, abgeſehen von dem ungünſtigen Klima, ihre großen Hemmniſſe. Man lenkt daher mit Recht immer mehr das Augenmerk auf die ungleich beſſer beſetzten Gebirgsländer mit geſunderem Klima welche, etwa 15 bis 20 Meilen von der Küſte landeinwärts gelegen find. Mehrfache Erfor- ſchungsreiſen haben dieſelben in den letzten Jahren erſchloſſen und zugänglich ges funden. Zum großen Theil ſind dieſe Gegenden bereits von einem friedlich vor— dringenden und wenig fanatiſchem Muhammedanismus in Beſitz genommen. — Von den drei in Liberia arbeitenden Miſſionsgeſellſchaften hatte die American Episcopal M. S.“) ſchon ſeit einem Jahrzehnt von Cap Palmas aus ihre Ar⸗ 1) Nördlich, öſtlich und ſüdlich von Sierra-Leone. 2) Miſſions-Atlas I, 4. 8) Die beiden anderen find Am. Methodist Episcopal M. S. und Am. Presby- terian M. 8. Orientirende Ueberſicht. N beiten weiter in's Innere ausgedehnt und zwar mit Erfolg. Leider ſtanden uns die neuſten Quellen über dieſe Miſſion nicht zu Gebote. 5. Die Gold⸗ und Sklavenküſte. ) Dieſes Feld, auf dem inmitten bedeutender Schwierigkeiten ſchon manche lieblichen Blüthen ſproſſen, hat im Laufe mehrerer Jahre viel durch Krieg ges litten. Am meiſten wurde zunächſt die Miſſion der Norddeutſchen Geſell— ſchaft, welche den öſtlichen Theil einnimmt, geſchädigt; jetzt wird die der Wes⸗ leyaner im Weſten ſchwer bedrängt, während die zwiſchen beiden liegende Basler Miſſion, zwar an einem Punkte bereits ſehr hart getroffen, im Gan⸗ zen jedoch noch freier blieb, aber immerhin unter den Einflüſſen des Kriegs- zuſtandes leidet. Es iſt das mächtige Königreich Aſchante, welches wieder einmal aus ſeiner abgeſchloſſenen Lage Verbindung mit dem Meere ſuchend die Negerſtämme jener Küſten in Aufregung bringt. Das brittiſche Protektorat war der ihm hinderliche Damm, den es diesmal öſtlich vom Volta-Fluße zu durchbrechen verſuchte (1869). Dabei wurde der äußerſte Vorpoſten der Basler, die Station Anum zerſtört und die Miſſionare Ramſeyer und Kühne (Erſterer mit ſeiner Gattin) als Ge— fangene nach der Aſchante-Hauptſtadt Kumaſi fortgeſchleppt. Ebenſo wurden die Bremer Stationen Wegbe und Waya geplündert und verwüſtet, doch gelang es den Miſſionaren nach der Küſte zu entkommen. Obwohl der Krieg weite Strecken entvölkerte, erreichte er jedoch nicht ſeinen Zweck. Die reducirten Aſchante-Trup⸗ pen mußten ſich, nach dem ſie lange weit und breit verderblich gehauſt hatten, doch unverrichteter Sache zurückziehen. Schon waren Friedensunterhandlungen im Gange, bei denen auch ernſtlich auf die Erlöſung der gefangenen Miſſionare hin— gewirkt wurde. Ehe dieſelben jedoch zum Abſchluß kamen, erhielt die Lage der Dinge eine andre Richtung durch die Abtretung der holländiſchen Beſitzungen, namentlich Elmina's, an England [April 1872]. Aſchante ſah ſich dadurch eines, wenn auch bisher wenig zu benutzenden Gegengewichtes gegen das engliſche Protektorat beraubt. Sein Herrſcher, obgleich ſelbſt weniger kriegeriſch geſinnt, konnte dem Drängen der Kriegspartei in ſeiner Hauptſtadt nicht widerſtehen. Dazu kamen die Bitten des Königs von Elmina um Befreiung von der engliſchen Oberherrſchaft. So wurde denn zu Anfang dieſes Jahres ein bedeutendes Heer ausgerüſtet, das mit wechſelndem Erfolge bis in die Nähe der Küſte vorgedrun⸗ gen iſt, und jetzt den befeſtigten Hauptplatz Cape Coaſt Caſtle ernſtlich bedroht. Die gefangenen Miſſionare, welche ſchon zu ihrer Auslieferung ſich auf dem Wege nach der Küſte befanden, ſind wieder nach Kumaſie zurückgeführt, und das Ende ihrer nun ſchon über 4 Jahre währenden Gefangenſchaft läßt ſich nicht abſehen. Dabei iſt zu bemerken, daß ihnen dort eine freiere Bewegung vergönnt wird, bei der es ihnen möglich wird, ſelbſt Samenkörner der Wahrheit in der Afchante- hauptſtadt auszuftreuen.?) Die zahlreichen Stationen der Wesleyan M. S. welche im Bereich des 1) Miſſions-Atlas I, 5. | 46,079 |
2020/32020D1573/32020D1573_EL.txt_1 | Eurlex | Open Government | CC-By | 2,020 | None | None | Greek | Spoken | 994 | 2,338 | L_2020359EL.01000801.xml
29.10.2020
EL
Επίσημη Εφημερίδα της Ευρωπαϊκής Ένωσης
L 359/8
ΑΠΟΦΑΣΗ (ΕΕ) 2020/1573 ΤΗΣ ΕΠΙΤΡΟΠΗΣ
της 28ης Οκτωβρίου 2020
για την τροποποίηση της απόφασης (ΕΕ) 2020/491 σχετικά με την απαλλαγή από τους εισαγωγικούς δασμούς και από τον ΦΠΑ κατά την εισαγωγή, η οποία χορηγείται για εμπορεύματα που είναι αναγκαία για την καταπολέμηση των επιπτώσεων της έξαρσης της νόσου COVID-19 κατά τη διάρκεια του 2020
[κοινοποιηθείσα υπό τον αριθμό C(2020) 7511]
Η ΕΥΡΩΠΑΪΚΗ ΕΠΙΤΡΟΠΗ,
Έχοντας υπόψη τη Συνθήκη για τη λειτουργία της Ευρωπαϊκής Ένωσης,
Έχοντας υπόψη την οδηγία 2009/132/ΕΚ του Συμβουλίου, της 19ης Οκτωβρίου 2009, για καθορισμό του πεδίου εφαρμογής του άρθρου 143 στοιχεία β) και γ) της οδηγίας 2006/112/ΕΚ όσον αφορά την απαλλαγή από τον φόρο προστιθέμενης αξίας ορισμένων οριστικών εισαγωγών αγαθών (1), και ιδίως το άρθρο 53 πρώτο εδάφιο, σε συνδυασμό με το άρθρο 131 της συμφωνίας για την αποχώρηση του Ηνωμένου Βασιλείου της Μεγάλης Βρετανίας και της Βόρειας Ιρλανδίας από την Ευρωπαϊκή Ένωση και την Ευρωπαϊκή Κοινότητα Ατομικής Ενέργειας,
Έχοντας υπόψη τον κανονισμό (ΕΚ) αριθ. 1186/2009 του Συμβουλίου, της 16ης Νοεμβρίου 2009, για τη θέσπιση του κοινοτικού καθεστώτος τελωνειακών ατελειών (2), και ιδίως το άρθρο 76 πρώτο εδάφιο, σε συνδυασμό με το άρθρο 131 της συμφωνίας για την αποχώρηση του Ηνωμένου Βασιλείου της Μεγάλης Βρετανίας και της Βόρειας Ιρλανδίας από την Ευρωπαϊκή Ένωση και την Ευρωπαϊκή Κοινότητα Ατομικής Ενέργειας,
Εκτιμώντας τα ακόλουθα:
(1)
Με την απόφαση (ΕΕ) 2020/491 της Επιτροπής (3), όπως τροποποιήθηκε με την απόφαση (ΕΕ) 2020/1101 της Επιτροπής (4), χορηγείται απαλλαγή από τους εισαγωγικούς δασμούς και από τον φόρο προστιθέμενης αξίας (στο εξής: ΦΠΑ) κατά την εισαγωγή για εμπορεύματα που είναι αναγκαία για την καταπολέμηση των επιπτώσεων της έξαρσης της νόσου COVID-19 έως τις 31 Οκτωβρίου 2020.
(2)
Στις 29 Σεπτεμβρίου 2020, η Επιτροπή προέβη σε διαβούλευση με τα κράτη μέλη και το Ηνωμένο Βασίλειο σύμφωνα με την αιτιολογική σκέψη 5 της απόφασης (ΕΕ) 2020/491, σχετικά με την ανάγκη παράτασης του μέτρου, και στη συνέχεια τα κράτη μέλη ζήτησαν την παράταση της απαλλαγής.
(3)
Το Ηνωμένο Βασίλειο ζήτησε την παράταση της απόφασης (ΕΕ) 2020/491 έως τη λήξη της μεταβατικής περιόδου. Οι διατάξεις της ενωσιακής νομοθεσίας σχετικά με την απαλλαγή από εισαγωγικούς δασμούς και την απαλλαγή από τον ΦΠΑ κατά την εισαγωγή εμπορευμάτων, σύμφωνα με το άρθρο 5 παράγραφοι 3 και 4 και το άρθρο 8 του πρωτοκόλλου για τις Ιρλανδία/Βόρεια Ιρλανδία της συμφωνίας για την αποχώρηση του Ηνωμένου Βασιλείου της Μεγάλης Βρετανίας και της Βόρειας Ιρλανδίας από την Ευρωπαϊκή Ένωση και την Ευρωπαϊκή Κοινότητα Ατομικής Ενέργειας (στο εξής: συμφωνία αποχώρησης) πρέπει να ισχύουν ως προς το Ηνωμένο Βασίλειο και εντός αυτού σε σχέση με τη Βόρεια Ιρλανδία από τη λήξη της μεταβατικής περιόδου. Ωστόσο, το Ηνωμένο Βασίλειο δεν ζήτησε απαλλαγή από εισαγωγικούς δασμούς και απαλλαγή από τον ΦΠΑ για εισαγόμενα εμπορεύματα στη Βόρεια Ιρλανδία. Κατά συνέπεια, η παράταση της απόφαση (ΕΕ) 2020/491 θα πρέπει να ισχύσει μόνο ως προς το Ηνωμένο Βασίλειο έως τη λήξη της μεταβατικής περιόδου σύμφωνα με το άρθρο 127 παράγραφος 1 της συμφωνίας αποχώρησης.
(4)
Οι εισαγωγές που πραγματοποιήθηκαν από τα κράτη μέλη βάσει της απόφασης (ΕΕ) 2020/491 επέτρεψαν στους δημόσιους οργανισμούς ή στους εγκεκριμένους από τις αρμόδιες αρχές των κρατών μελών οργανισμούς να έχουν πρόσβαση σε αναγκαία φάρμακα, ιατρικό εξοπλισμό και εξοπλισμό ατομικής προστασίας, για τα οποία υπάρχει έλλειψη. Από τις στατιστικές εμπορίου για τα εν λόγω εμπορεύματα προκύπτει ότι οι εισαγωγές εξακολουθούν να είναι υψηλές. Δεδομένου ότι ο αριθμός των λοιμώξεων από τη νόσο COVID-19 στα κράτη μέλη εξακολουθεί να ενέχει κινδύνους για τη δημόσια υγεία και εξακολουθούν να αναφέρονται ελλείψεις στα κράτη μέλη όσον αφορά τα εμπορεύματα που απαιτούνται για την καταπολέμηση της πανδημίας COVID-19, είναι αναγκαίο να παραταθεί η περίοδος εφαρμογής που προβλέπεται στην απόφαση (ΕΕ) 2020/491.
(5)
Για να καταστεί δυνατό στα κράτη μέλη να εκπληρώσουν δεόντως τις υποχρεώσεις τους σχετικά με την κοινοποίηση των πληροφοριών που απορρέουν από την απόφαση (ΕΕ) 2020/491, είναι σκόπιμο να παραταθεί η προθεσμία που προβλέπεται στο άρθρο 2 της απόφασης (ΕΕ) 2020/491. Η προθεσμία υποβολής έκθεσης για το Ηνωμένο Βασίλειο θα πρέπει να προσαρμοστεί ώστε να ληφθεί υπόψη η συντομότερη εφαρμογή της απαλλαγής.
(6)
Στις 14 Οκτωβρίου 2020, πραγματοποιήθηκαν διαβουλεύσεις με τα κράτη μέλη σχετικά με την αιτούμενη παράταση σύμφωνα με το άρθρο 76 του κανονισμού (ΕΚ) αριθ. 1186/2009 και το άρθρο 53 της οδηγίας 2009/132/ΕΚ.
(7)
Η απόφαση (ΕΕ) 2020/491 θα πρέπει, επομένως, να τροποποιηθεί αναλόγως,
ΕΞΕΔΩΣΕ ΤΗΝ ΠΑΡΟΥΣΑ ΑΠΟΦΑΣΗ:
Άρθρο 1
Η απόφαση (ΕΕ) 2020/491 τροποποιείται ως εξής:
1)
το άρθρο 2 τροποποιείται ως εξής:
α)
το εισαγωγικό μέρος αντικαθίσταται από το ακόλουθο κείμενο:
«Τα κράτη μέλη κοινοποιούν στην Επιτροπή, το αργότερο έως τις 31 Αυγούστου 2021, τις ακόλουθες πληροφορίες:»·
β)
προστίθεται το ακόλουθο δεύτερο εδάφιο:
«Το Ηνωμένο Βασίλειο κοινοποιεί στην Επιτροπή, το αργότερο έως τις 30 Απριλίου 2021, τις πληροφορίες που αναφέρονται στο πρώτο εδάφιο.»·
2)
το άρθρο 3 αντικαθίσταται από το ακόλουθο κείμενο:
«Άρθρο 3
Το άρθρο 1 εφαρμόζεται στις εισαγωγές που πραγματοποιούνται από τις 30 Ιανουαρίου 2020 έως τις 30 Απριλίου 2021.
Ωστόσο, όσον αφορά εισαγωγές που πραγματοποιούνται προς το Ηνωμένο Βασίλειο, το άρθρο 1 εφαρμόζεται από τις 30 Ιανουαρίου 2020 έως τις 31 Δεκεμβρίου 2020.».
Άρθρο 2
Η παρούσα απόφαση απευθύνεται στα κράτη μέλη.
Βρυξέλλες, 28 Οκτωβρίου 2020.
Για την Επιτροπή
Paolo GENTILONI
Μέλος της Επιτροπής
(1) ΕΕ L 292 της 10.11.2009, σ. 5.
(2) ΕΕ L 324 της 10.12.2009, σ. 23.
(3) Απόφαση (ΕΕ) 2020/491 της Επιτροπής, της 3ης Απριλίου 2020, σχετικά με την απαλλαγή από τους εισαγωγικούς δασμούς και από τον ΦΠΑ κατά την εισαγωγή, η οποία χορηγείται για εμπορεύματα που είναι αναγκαία για την καταπολέμηση των επιπτώσεων της έξαρσης της νόσου COVID-19 κατά τη διάρκεια του 2020 (ΕΕ L 103 της 3.4.2020, σ. 1).
(4) Απόφαση (ΕΕ) 2020/1101 της Επιτροπής, της 23ης Ιουλίου 2020, για την τροποποίηση της απόφασης (ΕΕ) 2020/491 σχετικά με την απαλλαγή από τους εισαγωγικούς δασμούς και από τον ΦΠΑ κατά την εισαγωγή, η οποία χορηγείται για εμπορεύματα που είναι αναγκαία για την καταπολέμηση των επιπτώσεων της έξαρσης της νόσου COVID-19 κατά τη διάρκεια του 2020 (ΕΕ L 241 της 27.7.2020, σ. 36).
| 45,871 |
https://github.com/Cutyroach/Solve_Algorithms/blob/master/CodeForces/1405A_Permutation_Forgery/A_Permutation_Forgery.cpp | Github Open Source | Open Source | MIT | 2,021 | Solve_Algorithms | Cutyroach | C++ | Code | 56 | 150 | #include <bits/stdc++.h>
using namespace std;
int main() {
ios_base::sync_with_stdio(false), cin.tie(nullptr), cout.tie(nullptr);
int t;
for(cin>>t;t--;) {
int n; cin >> n;
int arr[101];
for(int i = 0; i < n; i++) cin >> arr[i];
for(int i = n - 1; i >= 0; i--) cout << arr[i] << ' ';
cout << '\n';
}
return 0;
} | 38,917 |
https://openalex.org/W2611768686 | OpenAlex | Open Science | CC-By | 2,018 | Finite volume approximations of the Euler system with variable congestion | Pierre Degond | English | Spoken | 18,636 | 33,122 | Pierre Degond a , ∗, Piotr Minakowski b , Laurent Navoret c , d , Ewelina Zatorska a , e erre Degond a , ∗, Piotr Minakowski b , Laurent Navoret c , d , Ewelina Zatorska a , e a Imperial College London, Department of Mathematics, London SW7 2AZ, United Kingdom
b Heidelberg University, Interdisciplinary Center for Scientific Computing, Im Neuenheimer Feld 205, D-69120 Heidelberg, Germany
c Institut de Recherche Mathématique Avancée, UMR 7501, Université de Strasbourg et CNRS, 7 rue René Descartes, 670 0 0 Strasbourg, France
d INRIA Nancy - Grand Est, TONUS Project, Strasbourg, France
e Department of Mathematics University College London Gower Street London WC1E 6BT United Kingdom e Department of Mathematics, University College London, Gower Street, London WC1E 6BT, United Kingdom a r t i c l e
i n f o Article history:
Received 30 April 2017
Revised 15 July 2017
Accepted 12 September 2017
Available online 14 September 2017
Keywords:
Fluid model of crowd
Euler equations
Free boundary
Singular pressure
Finite volume
Asymptotic-Preserving scheme We are interested in the numerical simulations of the Euler system with variable congestion encoded by
a singular pressure (Degond et al., 2016). This model describes for instance the macroscopic motion of a
crowd with individual congestion preferences. We propose an asymptotic preserving (AP) scheme based
on a conservative formulation of the system in terms of density, momentum and density fraction. A sec-
ond order accuracy version of the scheme is also presented. We validate the scheme on one-dimensionnal
test-cases and compare it with a scheme previously proposed in Degond et al. (2016) and extended here
to higher order accuracy. We finally carry out two dimensional numerical simulations and show that the
model exhibit typical crowd dynamics. © 2017 The Authors. Published by Elsevier Ltd. y
This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) is an open access article under the CC BY license. ( http://cr This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) – the congestion pressure. The barotropic pressure p is an explicit
function of the density fraction ϱ
ϱ ∗ – the congestion pressure. The barotropic pressure p is an explicit
function of the density fraction ϱ
ϱ ∗ 1. Introduction In this work we study two phase compressible/incompressible
Euler system with variable congestion: p
ϱ
ϱ ∗
=
ϱ
ϱ ∗
γ
, γ > 1 ,
(3) (3) ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(1a)
∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇π + ∇p
ϱ
ϱ ∗
= 0 ,
(1b)
∂ t ϱ ∗+ v · ∇ϱ ∗= 0 ,
(1c)
0 ≤ϱ ≤ϱ ∗,
(1d)
π(ϱ ∗−ϱ) = 0 , π ≥0 ,
(1e)
with the initial data ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(1a)
∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇π + ∇p
ϱ
ϱ ∗
= 0 ,
(1b)
∂ t ϱ ∗+ v · ∇ϱ ∗= 0 ,
(1c)
0 ≤ϱ ≤ϱ ∗,
(1d)
π(ϱ ∗−ϱ) = 0 , π ≥0 ,
(1e)
with the initial data (1a) ∂ t ϱ + ∇ · (ϱ v ) = 0 , ∂ t ϱ + ∇ · (ϱ v ) = 0 , and plays the role of the background pressure. The congestion pressure π appears only when the density ϱ sat-
isfying (1d) achieves its maximal value, the congestion density ϱ∗. Therefore ϱ∗can be referred to as the barrier or the threshold den-
sity. It was observed in [25] , and then generalized in [15] , that the
restriction on the density (1d) is equivalent with the condition 0 ≤ϱ ≤ϱ ∗, ∇ ·v = 0 in { ϱ = ϱ ∗} ,
(4) (4) (1e) if only ϱ, v , ϱ∗are sufficiently regular solutions of the continuity
equation (1a) and the transport equation (1c) . For that reason, sys-
tem (1) can be seen as a free boundary problem for the interface
between the compressible (uncongested) regime { ϱ < ϱ∗} and the
incompressible (congested) regime { ϱ = ϱ ∗} . Computers and Fluids 169 (2018) 23–39 Computers and Fluids 169 (2018) 23–39 Contents lists available at ScienceDirect ∗Corresponding author.
E-mail address: [email protected] (P. Degond). https://doi.org/10.1016/j.compfluid.2017.09.007
0045-7930/© 2017 The Authors. Published by Elsevier Ltd. This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) p
uthors. Published by Elsevier Ltd. This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0 https://doi.org/10.1016/j.compfluid.2017.09.007
0045-7930/© 2017 The Authors. Published by Elsevier Ltd. This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) 1. Introduction with the initial data ϱ(0 , x ) = ϱ 0 (x ) ≥0 , v (0 , x ) = v 0 (x ) , ϱ ∗(0 , x ) = ϱ ∗
0 (x ) , ϱ 0 < ϱ ∗
0 ,
(2) where the unknowns are: ϱ = ϱ(t, x ) – the mass density, v =
v (t, x ) – the velocity, ϱ ∗= ϱ ∗(t, x ) – the congestion density, and π The main purpose of this work is to analyze (1) numerically, i.e. to propose the numerical scheme capturing the phase transition. To this end we use the fact that (1) can be obtained as a limit
when ε → 0 of the compressible Euler system: ∗Corresponding author. E-mail address: [email protected] (P. Degond). ∂ t ϱ + ∇ · (ϱ v ) = 0 , ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(5a) (5a) ∂ t ϱ + ∇ · (ϱ v ) = 0 , https://doi.org/10.1016/j.compfluid.2017.09.007
0045-7930/© 2017 The Authors. Published by Elsevier Ltd. This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) https://doi.org/10.1016/j.compfluid.2017.09.007
0045-7930/© 2017 The Authors. Published by Elsevier Ltd. This is an open access article under the CC BY license. ( http://creativecommons.org/licenses/by/4.0/ ) P. Degond et al. / Computers and Fluids 169 (2018) 23–39 24 the continuity equation equipped with a phenomenological consti-
tutive relation between the velocity and the density. For a survey
of the crowd models we refer the reader to [1,11,24,28,33] and to
the review paper [2] . ∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇πε + ∇p
ϱ
ϱ ∗
= 0 ,
(5b)
∂ t ϱ ∗+ v · ∇ϱ ∗= 0 ,
(5c) ∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇πε + ∇p
ϱ
ϱ ∗
= 0 ,
(5b) (5b) ∂ t ϱ ∗+ v · ∇ϱ ∗= 0 , ∂ t ϱ ∗+ v · ∇ϱ ∗= 0 ,
(5c) (5c) p p
[ ]
As far as the numerical methods are concerned, the macro-
scopic models of pedestrian flow with condition preventing the
overcrowding were studied, for example in [34] . 1. Introduction (7d) ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(7a)
∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇π = 0 ,
(7b)
0 ≤ϱ ≤1
(7c)
π(ϱ −1) = 0 , π ≥0 . (7d) ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(7a)
∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇π = 0 ,
(7b)
0 ≤ϱ ≤1
(7c)
π(ϱ −1) = 0 , π ≥0 . (7d) (7a) λε
1 (ϱ, q 1 , Z ) = q 1
ϱ −
Z
ϱ p ′ ε (Z ) ,
λε
2 (ϱ, q 1 , Z) = q 1
ϱ ,
λε
3 (ϱ, q 1 , Z ) = q 1
ϱ +
Z
ϱ p ′ ε (Z ) ,
(9) 0 ≤ϱ ≤1 π(ϱ −1) = 0 , π ≥0 . (7d) π(ϱ −1) = 0 , π ≥0 . π(ϱ −1) = 0 , π ≥0 . (9) (7d) introduced originally by Bouchut et al. [8] , who also proposed the
first numerical scheme based on an approach developed earlier for
the pressureless systems, see for example [9] , and the projection
argument. The model was studied later on by Berthelin [3,4] by
passing to the limit in the so-called sticky-blocks dynamics, see
also [35] , and a very interesting recent paper [30] using the La-
grangian approach for the monotone rearrangement of the solution
to prove the existence of solutions to (7) with additional memory
effects. where p ε = p + πε , and q 1 denotes the component of q in the x 1
direction. Consequently, in region where the density ϱ is closely
congested, i.e. Z is close to 1, the characteristic speeds of the sys-
tem are extremely large. This corresponds to the nearly incom-
pressible dynamics. The paper is organized as follows. In Section 2 we present our
numerical schemes using the two formulations (1) and (8). They
are referred to as ( ϱ, q )-method/SL and ( ϱ, q , Z )-method, respec-
tively. In Section 2.1 we describe the first-order semi-discretization
in time and the full discretization for the ( ϱ, q , Z )-method. 1. Introduction The influence of
the maximal density constraint was investigated also in the con-
text of vehicular traffic in [5,7] . The strategy that we want to adapt
in this paper, i.e. to use the singularities of the pressure similar to
(6) has been developed in the past for a number of Euler-like sys-
tems for the traffic models [5–7] , collective dynamics [13,14] , or
granular flow [26,29] . In our previous work [15] , we have drafted
the numerical scheme for system (1) in the one-dimensional case. We used a splitting algorithm at each time step that consists of
three sub-steps. At first, the hyperbolic part is solved with the AP-
preserving method presented in [14] . Next the diffusion is solved
by means of cell-centered finite volume scheme, and the transport
of the congested density is resolved with the upwind scheme. with the singular approximation πε of the congestion pressure: πε
ϱ
ϱ ∗
= ε
ϱ
ϱ ∗
1 −ϱ
ϱ ∗
α
, α > 0 . (6) (6) The singularity of the pressure πε implies that for every ε > 0 fixed
ϱε ≤ϱ∗. Note that for fixed ε > 0, πε → ∞ when ϱ → ϱ∗. Therefore,
at least formally, for ε → 0, πε converges to a measure supported
on the set of singularity, i.e. { (x, t) ∈ × (0 , T ) : ϱ(x, t) = ϱ ∗(x, t) } . The rigorous proof of this fact is an open problem, at least for
the Euler type of systems. There have been, however, several re-
sults for a viscous version of the model, see [10] for the one-
dimensional case, [31] for multi-dimensional domains and space-
dependent congestion ϱ∗( x ) and [15] for the case of congestion
density satisfying the transport equation (1c) . The last of men-
tioned results requires a technical assumption α > 5/2 for the 3-
dimensional domain. Intuitively, the value of parameter α indicates
the strength of singularity of the pressure close to ϱ = ϱ ∗. How-
ever, since taking the limit ε → 0 magnifies this singularity, the
value of α > 0 might be arbitrary small for sufficiently small ε. 1. Introduction An alternative approximation leading to a similar two-phase sys-
tem was considered first by Lions and Masmoudi [25] , and more
recently for the model of tumour growth [32] . The advantage of
approximation (6) considered here lies in the fact that for each ε
fixed, the solutions to the approximate system stay in the physi-
cal regime, i.e. ϱ ≤ϱ∗. This feature is especially important for the
numerical purposes, see for example [27] for further discussion on
this subject. The extension of this method to two-dimensions is one of the
main results of the present paper. We also propose an alternative
scheme using different formulation in terms of the conservative
variables : the density ϱ, the momentum q = ϱ v , and the density
fraction Z = ϱ
ϱ ∗: ∂ t ϱ + ∇ · q = 0 ,
(8a)
∂ t q + ∇ ·
q q
ϱ
+ πε (Z) I + p(Z) I
= 0 ,
(8b)
∂ t Z + ∇ ·
Z q
ϱ
= 0 ,
(8c) (8a) (8b) (8c) with the initial data with the initial data System (1) is a generalization of the pressureless Euler system
with the maximal density constraint ϱ(0 , x ) = ϱ 0 (x ) , q (0 , x ) = q 0 (x ) , Z(0 , x ) = Z 0 (x ) ,
(8d)
where Z0 = ϱ 0
∗, and q0 = ϱ0v0. I denotes the identity tensor. This is ϱ(0 , x ) = ϱ 0 (x ) , q (0 , x ) = q 0 (x ) , Z(0 , x ) = Z 0 (x ) ,
(8d) (8d) where Z 0 = ϱ 0
ϱ ∗
0 , and q 0 = ϱ 0 v 0 . I denotes the identity tensor. This is
a stricly hyperbolic system whose wave speeds in the x 1 -direction
are given by: ∂ t ϱ + ∇ · (ϱ v ) = 0 ,
(7a)
∂ t (ϱ v ) + ∇ · (ϱ v v ) + ∇π = 0 ,
(7b)
0 ≤ϱ ≤1
(7c)
π(ϱ −1) = 0 , π ≥0 . 2. Numerical schemes ϱ n +1
i
−ϱ n
i
t
+ 1
x(F n +1
i + 1
2 −F n +1
i −1
2 ) = 0 ,
(12a) ϱ n +1
i
−ϱ n
i
t
+ 1
x (F n +1
i + 1
2 −F n +1
i −1
2 ) = 0 ,
(12a)
q n +1
i
−q n
i
t
+ 1
x (G n
i + 1
2 −G n
i −1
2 ) + πε (Z n +1
i +1 ) −πε (Z n +1
i −1 )
2
x
= 0 , (12b)
Z n +1
i
−Z n
i
t
+ 1
x (H n +1
i + 1
2 −H n +1
i −1
2 ) = 0 . (12c) (12a) In this section, we first introduce a numerical scheme based on
system (8) using the conservative variables. In order to use large
time steps not restricted by too drastic CFL condition, implicit–
explicit (IMEX) type methods need to be designed. The scheme can
be solved through the following steps: first an elliptic equation on
the density fraction Z is solved, and then we update q and ϱ, re-
spectively. Z n +1
i
−Z n
i
t
+ 1
x (H n +1
i + 1
2 −H n +1
i −1
2 ) = 0 . (12c) (12c) where the stiff pressure is discretized by the centered finite differ-
ence and the numerical fluxes F n +1 , G n , H n +1 (we denote implicit–
explicit fluxes by current timestep n + 1 and fully explicit fluxes
by previous timestep n ) are splitted into centered part and the up-
winded part: Such scheme is compared with an extension of the method in-
troduced in [15] , where the congestion density is advected sepa-
rately from the update of ϱ and q . For the sake of completeness, a
description of the scheme is given in Section 2.3 . Note that the scheme is unable to deal with vacuum. In what
follows we require that ϱ0 > 0 (vacuum is not allowed in the ini-
tial data). However, the effect of the background pressure (3) is to
smear out the vacuum regions. 2.1. The first order ( ϱ, q , Z )-method We get: This is an elliptic equation on the unknown Z n +1 , that can be writ-
ten as: This is an elliptic equation on the unknown Z n +1 , that can be writ-
ten as: Z n +1
i
−Z n
i +
t
x
¯H n
i +1 / 2 −¯H n
i −1 / 2
−
t 2
x 2
1
2
Z n
i +1
ϱ n
i +1
G n
i + 3
2 −G n
i + 1
2
−
Z n
i −1
ϱ n
i −1
G n
i −1
2 −G n
i −3
2
−
t 2
x 2
1
2
Z n
i +1
ϱ n
i +1
πε
Z n +1
i +2
−πε
Z n +1
i
−
Z n
i −1
ϱ n
i −1
πε
Z n +1
i
−πε
Z n +1
i −2
= 0 , Z n +1 −
t 2 ∇ x ·
Z n
ϱ n ∇ x
πε (Z n +1 )
= φ(ϱ n , q n , Z n ) ,
(11) (11) where φ(ϱ n , q n , Z n ) φ(ϱ n , q n , Z n ) = Z n +
t 2 ∇ x ·
Z n
ϱ n ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
−
t ∇ x ·
Z n q n
ϱ n
The n -th time step of the scheme is decomposed into three
parts: first get Z n +1 when solving (11) , then compute q n +1 using
(10b) and then ϱ n +1 from (10a) . where ¯H n denotes the same expression as (15) where all quantities
are taken explicitly: ¯H n
i + 1
2 = 1
2
Z n
i +1
ϱ n
i +1
q n
i +1 + Z n
i
ϱ n
i
q n
i
−(D Z ) n
i + 1
2 . Discretization in space. We only derive the fully discrete scheme in
the one-dimensional case; the two-dimensional formula are given
in Appendix B . 2.1. The first order ( ϱ, q , Z )-method Note that in the flux term in Eq. (10c) , the momentum is taken
implicitly. Inserting (10b) into (10c) , we obtain: Note that in the flux term in Eq. (10c) , the momentum is taken
implicitly. Inserting (10b) into (10c) , we obtain: Z n +1 −Z n
t
+ ∇ x ·
Z n q n
ϱ n
−
t ∇ x ·
Z n
ϱ n ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
+ Z n
ϱ n ∇ x (πε (Z n +1 ))
= 0 , Like in the semi-discrete case, we now obtain the fully discrete
elliptic equation on Z by replacing the implicit momentum terms
appearing in the flux H (15) by their expressions given by the mo-
mentum equation (12b) . 1. Introduction Then,
in Section 2.2 , we discuss the second order scheme for the ( ϱ, q ,
Z )-method. At last, in Section 2.3 we present the ( ϱ, q )-method/SL
for the system written in terms of the physical variables (1). Section 3 is devoted to validation of the schemes on the Riemann
problem whose solutions are described in Appendix A . Finally, in
Section 4 we discuss the two-dimensional numerical results: in
Section 4.1 we present how these schemes work for three different
initial congestion densities, and in Section 4.2 we present an appli-
cation of ( ϱ, q )-method/SL to model crowd behavior in the evacua-
tion scenario. The pressureless Euler equations with the density constraint
were originally introduced in order to describe the motion of parti-
cles of finite size. Our model extends this concept by including the
variance of the size of particles. In system (1) ϱ∗is given initially
and is transported along with the flow. One can also think of ϱ∗as a congestion preference of individ-
uals moving in the crowd (cars, pedestrians), which is one of the
factors determining their final trajectory and the speed of motion. The macroscopic modeling of crowd is one of possible approaches
and it allows to determine the averaged quantities such as the den-
sity and the mean velocity rather than the precise position of an
individual. One of the first models of this kind based on classical
mechanics was introduced by Henderson [22] . More sophisticated
model was introduced by Hughes [23] where the author considers P. Degond et al. / Computers and Fluids 169 (2018) 23–39 25 2.1. The first order ( ϱ, q , Z )-method 2.1. The first order ( ϱ, q , Z )-method (15) Discretization in time. We adopt the previous work [14] to intro-
duce a method treating implicitly the stiff congestion pressure
πε( Z ). We consider a constant time step
t > 0 and ϱn , q n , Z n ,
ϱ∗n denote the approximate solution at time t n = n
t, ∀ n ∈ N . We
thus consider the following semi-implicit time discretization: The upwinded parts are given explicitly. They can be given by the
diagonal Rusanov (or local Lax–Friedrichs) upwindings: (D w ) n
i + 1
2 = 1
2 c n
i + 1
2
w n
i +1 −w n
i
,
(16) (16) ϱ n +1 −ϱ n
t
+ ∇ x · q n +1 = 0 ,
(10a)
q n +1 −q n
t
+ ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
+ ∇ x (πε (Z n +1 )) = 0 ,
(10b)
Z n +1 −Z n
t
+ ∇ x ·
Z n q n +1
ϱ n
= 0 . (10c) ϱ n +1 −ϱ n
t
+ ∇ x · q n +1 = 0 ,
(10a)
q n +1 −q n
t
+ ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
+ ∇ x (πε (Z n +1 )) = 0 ,
(10b) (10a) for any conserved quantities w , where c n
i + 1
2
is the maximal charac-
teristic speed (in absolute value): c n
i + 1
2 = max
λ0
k
ϱ n
i +1 , q n
i +1 , Z n
i +1
,
λ0
k
ϱ n
i , q n
i , Z n
i
, k = 1 , 2 , 3
,
(17) (10b) (
)
Z n +1 −Z n
t
+ ∇ x ·
Z n q n +1
ϱ n
= 0 . (10c) (17) (10c) where λ0
k are given by Eq. (9) with ε = 0 (no congestion pres-
sure). These correspond to the eigenvalues of the hyperbolic sys-
tem taken explicitly in (10). One could also consider less diffusive
numerical fluxes like the Polynomial upwind scheme [17] . 2. Numerical schemes F n +1
i + 1
2 = 1
2
q n +1
i +1 + q n +1
i
−(D ϱ ) n
i + 1
2 ,
(13)
G n
i + 1
2 = 1
2
(q n
i +1 ) 2
ϱ n
i +1
+ (q n
i ) 2
ϱ n
i
+ p(Z n
i +1 ) + p(Z n
i )
−(D q ) n
i + 1
2 ,
(14)
H n +1
i + 1
2 = 1
2
Z n
i +1
ϱ n
i +1
q n +1
i +1 + Z n
i
ϱ n
i
q n +1
i
−(D Z ) n
i + 1
2 . (15) (13) (14) 2.1. The first order ( ϱ, q , Z )-method We consider the computational domain [0, 1] and
a spatial space step
x = 1 /N x > 0 , with N x ∈ N : the mesh points
are thus x i = i
x, ∀ i ∈ { 0 , . . . , N x } . Let ϱ n
i , q n
i , Z n
i , ϱ ∗n
i
denote the
approximate solution at time t n on mesh cell [ x i , x i +1 ] . The spatial
discretization have to capture correctly the entropic solutions of
the hyperbolic system. To derive the fully discrete scheme, we thus
make the same algebra on the following fully discrete system: As explained in the introduction the main advantage of approxi-
mating the system (1) by (5) with the singular pressure (6) is that
it allows to keep the physical constraint Z ≤1 on each level of ap-
proximation. In fact, for ε > 0 fixed, our numerical scheme provides
that Z < 1 in the whole domain. For this to hold, we solve first this
elliptic equation with respect to the congestion pressure variable
πε: As explained in the introduction the main advantage of approxi-
mating the system (1) by (5) with the singular pressure (6) is that
it allows to keep the physical constraint Z ≤1 on each level of ap-
proximation. In fact, for ε > 0 fixed, our numerical scheme provides
that Z < 1 in the whole domain. For this to hold, we solve first this
elliptic equation with respect to the congestion pressure variable
πε: P. Degond et al. / Computers and Fluids 169 (2018) 23–39 26 Fig. 1. Approximate solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 , ε = 10 −2 . 1
1
t2 1 Zn
i 1
1
1 mate solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 , ε = 10 −2 . 2.1. The first order ( ϱ, q , Z )-method After solving the equation for πε, we take Z(πε ) =
(πε /ε) 1 /α
1+(πε /ε) 1 /α as the inverse function of πε( Z ), the non-linear equa-
tion is solved using the Newton iterations. This equation is supplemented by periodic or Dirichlet boundary
conditions. After solving the equation for πε, we take Z(πε ) =
(πε /ε) 1 /α
1+(πε /ε) 1 /α as the inverse function of πε( Z ), the non-linear equa-
tion is solved using the Newton iterations. 2.1. The first order ( ϱ, q , Z )-method Z n +1
i ((πε ) n +1
i ) −
t 2
x 2
1
2
Z n
i +1
ϱ n
i +1
(πε ) n +1
i +2 −(πε ) n +1
i
−
Z n
i −1
ϱ n
i −1
(πε ) n +1
i
−(πε ) n +1
i −2
= φ(ϱ n , q n , Z n ) i , t ⩽
x
max
j=1 , 2 , 3 ; x ∈ [0 , 1] ,t∈ [0 ,T ]
| λ0
j (x, t) | ,
(20) (20) (18) where λ0
j , given by Eq. (9) , denotes the eigenvalues of the hyper-
bolic system with no congestion pressure ( ε = 0 ). The scheme is
asymptotically stable with respect to ε. where λ0
j , given by Eq. (9) , denotes the eigenvalues of the hyper-
bolic system with no congestion pressure ( ε = 0 ). The scheme is
asymptotically stable with respect to ε. where λ0
j , given by Eq. (9) , denotes the eigenvalues of the hyper-
bolic system with no congestion pressure ( ε = 0 ). The scheme is
asymptotically stable with respect to ε. where the right-hand side is given by: where the right-hand side is given by: φ( ϱ n , q n , Z n ) i = Z n
i −
t
x
¯H n
i +1 / 2 −¯H n
i −1 / 2
+
t 2
x 2
1
2
Z n
i +1
ϱ n
i +1
G n
i + 3
2 −G n
i + 1
2
−
Z n
i −1
ϱ n
i −1
G n
i −1
2 −G n
i −3
2
. (19) Discrete energy. Like in the viscous version of system ((5) and (6))
(see [15] ), an energy is conserved in time. Due to the numerical
dissipation, our scheme does not preserve the energy at the dis-
crete level even for smooth solutions. However, we can point out
that, on discontinuous solutions, the local Lax–Friedrichs scheme
selects a viscosity solution of the system with a decreasing energy. (19) This equation is supplemented by periodic or Dirichlet boundary
conditions. After solving the equation for πε, we take Z(πε) = This equation is supplemented by periodic or Dirichlet boundary
conditions. 2.2. The second order ( ϱ, q , Z )-method The (n + 1) -th time step of the algorithm thus consists in get-
ting Z n +1 by solving (18) and (19) and then obtaining q n +1 from
(12b) and ϱ n +1 from (12a) . Discretization in time. The second-order discretization in time is
based on the combined Runge–Kutta 2/Crank–Nicolson (RK2CN)
method as described in [12] : it consists of replacing Euler explicit
by Runge–Kutta 2 solver and Euler Implicit by Crank–Nicolson
solver in semi-discretization (10). Note that the second order con-
vergence in time follows from the theory of partitioned Runge–
Kutta methods. Both methods are of second order and so called Stability. Since the singular pressure πε is treated implicitly, the
scheme remains stable even for small ε. The stability condition
only depends on the wave speeds of the explicit part of the
scheme, that is under the Courant–Friedrichs–Levy (CFL) condition: P. Degond et al. / Computers and Fluids 169 (2018) 23–39 27 Fig. 2. Approximate momentum q to Riemann problem (25) at time t = 0 . 1 and comparison with the exact solution. Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x,
α = 2 , γ = 2 , ε = 10 −2 . Fig. 2. Approximate momentum q to Riemann problem (25) at time t = 0 . 1 and comparison with the exact solution. Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x,
α = 2 , γ = 2 , ε = 10 −2 . + ∇ x
πε (Z n ) + πε (Z n +1 )
2
= 0 ,
(22b)
Z n +1 −Z n
t
+ ∇ x ·
Z n +1 / 2
ϱ n +1 / 2
q n +1 + q n
2
−D n
Z = 0 . (22c) coupling conditions are satisfied. We here only detail the semi-
discretized scheme. However, to be unambiguous, we will denote
by D ϱ , D q , and D Z the numerical diffusion terms resulting from
the upwinding terms and the divergence operators will be replaced
by centered fluxes. We thus consider the following scheme: (22b) (22c) First step (half time step): get ϱ n +1 / 2 , q n +1 / 2 and Z n +1 / 2 from Like in the first-oder scheme, Eqs. 2.2. The second order ( ϱ, q , Z )-method (21b) –(21c) and (22b) –(22c)
result in elliptic equations for πε. Solving this equation and invert-
ing the function πε = πε (Z) allows to find Z satisfying the restric-
tion Z < 1. In practice, the scheme may fail capturing discontinu-
ities, in particular when small values of ε are concerned. Indeed,
the semi-implicit pressure πε (Z n ) + πε (Z n +1 )
/ 2 in (22b) is con-
strained to be larger than πε( Z n )/2 preventing from having large
discontinuities in pressure. One way to overcome this difficulty is
to dynamically replace this semi-implicit pressure by an implicit
pressure πε (Z n +1 ) as soon as the non-linear solver of the elliptic
equation detects a pressure lower than half the explicit one. ϱ n +1 / 2 −ϱ n
t/ 2
+ ∇ x · q n +1 / 2 −D n
ϱ = 0 ,
(21a)
q n +1 / 2 −q n
t/ 2
+ ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
−D n
q + ∇ x (πε (Z n +1 / 2 )) = 0 ,
(21b)
Z n +1 / 2 −Z n
t/ 2
+ ∇ x ·
Z n
ϱ n q n +1 / 2
−D n
Z = 0 . (21c) ϱ n +1 / 2 −ϱ n
t/ 2
+ ∇ x · q n +1 / 2 −D n
ϱ = 0 ,
(21a)
q n +1 / 2 −q n
t/ 2
+ ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
−D n
q + ∇ x (πε (Z n +1 / 2 )) = 0 ,
(21b) (21a) (21b)
(21c) (21b) (21b)
Z n +1 / 2 −Z n
t/ 2
+ ∇ x ·
Z n
ϱ n q n +1 / 2
−D n
Z = 0 . (21c) Second step (full time step): get ϱ n +1 , q n +1 and Z n +1 from Discretization in space. To get second order accuracy in space, we
consider a MUSCL strategy. minmod (a, b) = 0 . 5 ( sgn (a ) + sgn (b)) min (| a | , | b| ) . ϱ n +1 −
t 2
x
πε (ϱ n +1 /ϱ ∗n ) ϱ n +1 −
t 2
x
πε (ϱ n +1 /ϱ ∗n )
= ϱ n −
t∇ x · q n +
t 2 ∇ x · ∇ x ·
q n q n
ϱ n
+ p(ϱ n /ϱ ∗n ) I
. Then all explicit terms in fluxes (13) –(15) depend on
(ϱ n
i,R , q n
i,R , Z n
i,R ) and (ϱ n
i +1 ,L , q n
i +1 ,L , Z n
i +1 ,L ) instead of (ϱ n
i , q n
i , Z n
i )
and (ϱ n
i +1 , q n
i +1 , Z n
i +1 ) . Implicit terms are unchanged in order to be
able to get the elliptic equation.
(24) (24) 2.2. The second order ( ϱ, q , Z )-method For any conserved quantity w , it con-
sists in introducing at each mesh interface left and right values w L
and w R : ϱ n +1 −ϱ n
t
+ ∇ x ·
q n +1 + q n
2
−D n
ϱ = 0 ,
(22a
q n +1 −q n
t
+ ∇ x ·
q n +1 / 2 q n +1 / 2
ϱ n +1 / 2
+ p(Z n +1 / 2 ) I
−D n +1 / 2
q (22a) w i,L = w i + 1
2 minmod ( w i −w i −1 , w i +1 −w i ) , P. Degond et al. / Computers and Fluids 169 (2018) 23–39 28 Fig. 3. Approximate solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 , ε = 10 −4 . solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 , ε = 10 −4 . Fig. 3. Approximate solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 , ε = 10 −4 . Fig. 3. Approximate solution to Riemann problem (25) at time t = 0 . 1 . Numerical parameters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α w i,R = w i −1
2 minmod ( w i −w i −1 , w i +1 −w i ) , ϱ ∗n +1 −ϱ ∗n
t
+ q n +1
ϱ n +1 · ∇ x ϱ ∗n = 0 . (23c)
Inserting (23b) into (23a) results in (23c) where the minmod function is defined as: minmod (a, b) = 0 . 5 ( sgn (a ) + sgn (b)) min (| a | , | b| ) . minmod (a, b) = 0 . 5 ( sgn (a ) + sgn (b)) min (| a | , | b| ) . 2.3. Congested Euler/semi-Lagrangian scheme (( ϱ, q )-method/SL) ( ϱ, q )-method/SL: ( k -xt)( m -x/ n -t) k -th order in space and time for the ( ϱ, q )-method and m -th order in space and n -th
order in time for the advection of ϱ∗by the semi-Lagrangian scheme. In dashed lines: first and second order curves. point. Using Euler scheme for the first step, we obtain:
3. One dimensional validation of the schemes 29 g
/
p
(
)
Fig. 4. Reference solution at initial time (left) and time t = 0 . 05 (right). Numerical parameters:
x = 5 × 10 −5 ,
t = 0 . 1
x, γ = 2 , ε = 10 −2 . nce solution at initial time (left) and time t = 0 . 05 (right). Numerical parameters:
x = 5 × 10 −5 ,
t = 0 . 1
x, γ = 2 , ε = 10 −2 . Fig. 4. Reference solution at initial time (left) and time t = 0 . 05 (right). Numerical parameters:
x = 5 × 10 −5 ,
t = 0 . 1
x Fig. 5. L 1 errors for ϱ, q, Z and ϱ∗as function of
x . Numerical parameters:
t = 5 × 10 −6 for first order scheme and
t = 0 . 1
x for second order scheme, γ = 2 , ε = 10 −2 . ( ϱ, q , Z )-method: ( k -xt) k -th order in space and time. ( ϱ, q )-method/SL: ( k -xt)( m -x/ n -t) k -th order in space and time for the ( ϱ, q )-method and m -th order in space and n -th Fig. 5. L 1 errors for ϱ, q, Z and ϱ∗as function of
x . Numerical parameters:
t = 5 × 10 −6 for first order scheme and
t = 0 . 1
x for second order scheme, γ = 2 , ε = 10 −2 . ( ϱ, q , Z )-method: ( k -xt) k -th order in space and time. ( ϱ, q )-method/SL: ( k -xt)( m -x/ n -t) k -th order in space and time for the ( ϱ, q )-method and m -th order in space and n -th
order in time for the advection of ϱ∗by the semi-Lagrangian scheme. In dashed lines: first and second order curves. Fig. 5. 3. One dimensional validation of the schemes point. Using Euler scheme for the first step, we obtain: point. Using Euler scheme for the first step, we obtain: ϱ ∗n +1
i
= [ ϱ ∗n ] (x i −q i /ϱ i
t) 2.3. Congested Euler/semi-Lagrangian scheme (( ϱ, q )-method/SL) L 1 errors for ϱ, q, Z and ϱ∗as function of
x . Numerical parameters:
t = 5 × 10 −6 for first order scheme and
t = 0 . 1
x for second order scheme, γ = 2 , ε = 10 −2 . ( ϱ, q , Z )-method: ( k -xt) k -th order in space and time. ( ϱ, q )-method/SL: ( k -xt)( m -x/ n -t) k -th order in space and time for the ( ϱ, q )-method and m -th order in space and n -th
order in time for the advection of ϱ∗by the semi-Lagrangian scheme. In dashed lines: first and second order curves. 2.3. Congested Euler/semi-Lagrangian scheme (( ϱ, q )-method/SL) This is an elliptic equation on the density ϱ n +1 . The n -th time step
of the scheme is decomposed into three parts: first get ϱ n +1 when
solving (24) , then compute q n +1 using (23b) and then ϱ ∗n +1 from
(23c) . Discretization in time. We consider a scheme based on the non-
conservative form (1) of the congestion transport. This idea was
proposed in [14] in the context of constant congestion and in
[15] in the context of variable congestion. The time-discretization
reads: Discretization in space. Like for the previous schemes, we re-
strict the description to the one-dimensional case. Finite volume
discretization is used for the spatial discretization of (23a) and
(23b) as in Section 2.1 , see also [14] . A semi-Lagrangian method
is used to solve (23c) and thus update the congestion density ϱ∗. The congestion density ϱ ∗n +1
i
at node x i and time t n +1 is computed
as follows: first we integrate back the characteristic line over one
time step and then we interpolate the maximal density ϱ∗n at that ϱ n +1 −ϱ n
t
+ ∇ x · q n +1 = 0 ,
(23a)
q n +1 −q n
t
+ ∇ x ·
q n q n
ϱ n
+ p
ϱ n
ϱ ∗n
I
+ ∇ x πε
ϱ n +1
ϱ ∗n
= 0 ,
(23b) (23a) P. Degond et al. / Computers and Fluids 169 (2018) 23–39 P. Degond et al. / Computers and Fluids 169 (2018) 23–39
29
Fig. 4. Reference solution at initial time (left) and time t = 0 . 05 (right). Numerical parameters:
x = 5 × 10 −5 ,
t = 0 . 1
x, γ = 2 , ε = 10 −2 . Fig. 5. L 1 errors for ϱ, q, Z and ϱ∗as function of
x . Numerical parameters:
t = 5 × 10 −6 for first order scheme and
t = 0 . 1
x for second order scheme, γ = 2 , ε = 10 −2 . ( ϱ, q , Z )-method: ( k -xt) k -th order in space and time. 3.1. Riemann test-case where ϱ∗n is an interpolation function built from the points
(x i , ϱ ∗n
i ) . We here perform a Lagrange interpolation on the 2 r + 2
neighboring points: where ϱ∗n is an interpolation function built from the points
(x i , ϱ ∗n
i ) . We here perform a Lagrange interpolation on the 2 r + 2
neighboring points: We compare the numerical schemes on one-dimensional Rie-
mann test-cases: the initial data is a discontinuity between two
constant states and the solutions are given by the superposition of
waves separating constant states. In Appendix A , we give the form
of these solutions with respect to the relative position of left and
right states in the phase space. In the case of colliding states, ex-
plicit solutions can be numerically obtained. We thus consider the
following Riemann test-case: [ϱ ∗] | [ x i ,x i +1 ] = Lagrange
(x j , ϱ ∗
j ) , i −r + 1 ≤j ≤i + r
. resulting in 2 r + 1 -th spatial accuracy. First (r = 0) and third (r =
1) order in space semi-Lagrangian scheme will be used. For more
details, we refer to [18] . (ϱ 0 (x ) , q 0 (x ) , ϱ ∗
0 (x )) =
(ϱ ℓ , q ℓ , ϱ ∗
ℓ ) = (0 . 7 , 0 . 8 , 1 . 2) , if x ⩽ 0 . 5 ,
(ϱ r , q r , ϱ ∗
r ) = (0 . 7 , −0 . 8 , 1) , if x > 0 . 5 . (25) The second order scheme. Extension of the full scheme to second
order accuracy in space is made using the MUSCL strategy for the
finite volume fluxes. Extension to second order accuracy in time
requires a Crank–Nicolson/Runge Kutta 2 method for ( ϱ, q ) and
a second order in time integration of the characteric line for the
semi-Lagrangian scheme (with for instance Taylor expansion) com-
bined to a Strang splitting, see Appendix C . (25) on the domain [0, 1]. The solution is made of two shock waves and
an intermediate contact wave, see (A.5) . The CFL condition (20) can 30
P. Degond et al. / Computers and Fluids 169 (2018) 23–39
Fig. 6. 3.1. Riemann test-case Case 1: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). P. Degond et al. / Computers and Fluids 169 (2018) 23–39 P. Degond et al. / Computers and Fluids 169 (2018) 23–39 30 Fig. 6. Case 1: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). Fig. 6. Case 1: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). be estimated by: second order schemes due to dispersion effects. In Fig. 2 , we pro-
vide a zoom on these oscillations and compare the approximate
solution to the exact one. The amplitudes of the oscillations are
larger for the ( ϱ, q )-method/SL method. This may be the counter-
part of the decoupling of the variables ( ϱ, q ) and ϱ∗: in the com-
putation of the implicit pressure (see Eq. (24) , left-hand side), ϱ
and ϱ∗are not taken at the same time. We finally note that, when
running the simulation on large time, these oscillations do not in-
crease in magnitude nor in support: this is related to some L 2 sta-
bility of the scheme. For the current Riemann test-case with γ = 2 and α = 2 , the time
step should satisfy
t ≤0.4
x . Comparison of the schemes ( ε = 10 −2 ). In Fig. 1 , we represent the
solution at time t = 0 . 1 with the different schemes using
t =
0 . 1
x . The ( ϱ, q , Z )-method refers to the method introduced in
Section 2.1 for the first order and in Section 2.2 for the second or-
der scheme. The ( ϱ, q )-method/SL refers to the method described
in Section 2.3 . For the latter scheme, we use the third order semi-
Lagrangian scheme for the transport of the congestion density ϱ∗. Stiff pressure ( ε = 10 −4 ). With this value of ε, the intermedi-
ate congested state has maximal wave speed equal to λmax ≈22. Hence, taking time step
t equal to 0.1
x does not ensure the
resolution of the fast waves. 3.1. Riemann test-case 77 × 10 −4 L 1 error between the numerical solutions to Riemann problem (25) and exact solution at
time t = 0 . 1 . Numercial solution computed using the ( ϱ, q , Z )-method. Numerical parame-
ters:
x
1 × 10−3
t
0 1
x α
2 γ
2 ϱ
q
Z
ϱ∗
ε = 10 −2
Order 2 in x
8 . 66 × 10 −4
1 . 28 × 10 −3
3 . 03 × 10 −4
5 . 70 × 10 −4
Order 2
1 . 17 × 10 −3
3 . 52 × 10 −3
5 . 89 × 10 −4
5 . 77 × 10 −4
ε = 10 −4
Order 2 in x
9 . 75 × 10 −4
2 . 11 × 10 −3
3 . 70 × 10 −4
5 . 71 × 10 −4
Order 2
9 . 89 × 10 −4
3 . 04 × 10 −3
3 . 84 × 10 −4
5 . 77 × 10 −4 q 0 (x ) = exp
−(x −0 . 5) 2 / 0 . 01
,
ϱ ∗
0 (x ) = 1 . 2 + 0 . 2
1 −cos
8 π(x −0 . 5)
, tinuities and we observe that the second order in time version of
the scheme leads to large uppershoots. In Table 1 , we report the
L 1 error between numerical and exact solution: we point out that
the numerical errors are of the same order of magnitude indepen-
dantly of the value of ε. Quite similar results are obtained using
the ( ϱ, q )-method/SL. on the domain [0, 1] and perdiodic boundary conditions. We com-
pute a reference solution at time t = 0 . 05 using the second or-
der in space ( ϱ, q, Z )-method with small space and time steps
x = 5 × 10 −5 and
t = 0 . 1
x (see Fig. 4 ). 3.1. Riemann test-case We observe that all the methods correctly capture the exact so-
lution. The ( ϱ, q )-method/SL better captures the contact disconti-
nuity at x ≈0.487 since we use a third order accurate scheme for
the transport of ϱ∗. Limiters could be used to avoid overshoot and
undershoot at this location. Fig. 3 shows the solution at time t = 0 . 1 using the ( ϱ, q , Z )-
method with second order in space accuracy. In the full second or-
der scheme, the scheme switches automatically to a first order in
time version of the scheme due to the large discontinuities in pres-
sure, see Section 2.2 . We observe that the waves are well captured. As previously, oscillations in momentum develop at schock discon- Oscillations in momentum are brought forth at the discontinu-
ity interface of the shock waves. These oscillations are larger for P. Degond et al. / Computers and Fluids 169 (2018) 23–39 31 g
/
p
(
)
Fig. 7. Case 2: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). Fig. 7. Case 2: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). Table 1
L 1 error between the numerical solutions to Riemann problem (25) and exact solution at
time t = 0 . 1 . Numercial solution computed using the ( ϱ, q , Z )-method. Numerical parame-
ters:
x = 1 × 10 −3 ,
t = 0 . 1
x, α = 2 , γ = 2 . ϱ
q
Z
ϱ∗
ε = 10 −2
Order 2 in x
8 . 66 × 10 −4
1 . 28 × 10 −3
3 . 03 × 10 −4
5 . 70 × 10 −4
Order 2
1 . 17 × 10 −3
3 . 52 × 10 −3
5 . 89 × 10 −4
5 . 77 × 10 −4
ε = 10 −4
Order 2 in x
9 . 75 × 10 −4
2 . 11 × 10 −3
3 . 70 × 10 −4
5 . 71 × 10 −4
Order 2
9 . 89 × 10 −4
3 . 04 × 10 −3
3 . 84 × 10 −4
5 . 4.1. Collision of 4 groups with variable congestion In the unit square periodic domain we specify 4 squares, with
the centers in points (x c , y c ) = { (0 . 2 , 0 . 5) , (0 . 5 , 0 . 2) , (0 . 5 , 0 . 8) ,
(0 . 8 , 0 . 5) } . The length of the side l of each square equals 0.2 (for
every square we introduce the notation Square(( x c , y c ), l )). We pre-
scribe the initial momentum of 0.5 pointing into the center of the
domain provoking a collision. We consider three test cases varying
in the initial congestion density, namely: 3.2. Numerical convergence test-case Fig. 5 shows the L 1 errors between approximate solutions and
the reference solution at time t = 0 . 05 when the space step
x
goes to 0. For first order scheme, time step is set to
t = 5 × 10 −6 We here consider the following smooth initial data:
ϱ 0 (x ) = 0 . 6 + 0 . 2 exp
−(x −0 . 5) 2 / 0 . 01
, We here consider the following smooth initial data:
ϱ 0 (x ) = 0 . 6 + 0 . 2 exp
−(x −0 . 5) 2 / 0 . 01
, P. Degond et al. / Computers and Fluids 169 (2018) 23–39 P. Degond et al. / Computers and Fluids 169 (2018) 23–39 32 32
P. Degond et al. / Computers and Fluids 169 (2018) 23–39
Fig. 8. Case 3: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). mparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). Fig. 8. Case 3: the comparison of ( ϱ, q , Z )-method (top) and ( ϱ, q )-method/SL (bottom) at time 0.025 (left), and 0.150 (right). ( ϱ, q )-method/SL to the evacuation scenario. Third order in space
semi-Lagrangian scheme is applied. while for second order schemes, time and space steps satisfy the
relation
t = 0 . 1
x and both are varying. We observe that all the schemes exhibit their expected con-
vergence rates. We point out that ( ϱ, q , Z )-method and ( ϱ, q )-
method/SL have the same level of numerical errors except for vari-
able ϱ∗: ϱ∗is better resolved with ( ϱ, q )-method/SL. This is all the
more the case when using the third order semi-Lagrangian scheme
(on the right two plots of Fig. 5 ). 4.1. Collision of 4 groups with variable congestion 4. Two-dimensional numerical results Case 1: ϱ ∗(x, 0) = 1 . 0 ;
Case 2: ϱ ∗(x, 0) =
⎧
⎪
⎪
⎪
⎨
⎪
⎪
⎪
⎩
0 . 80 if x ∈ Square ((0 . 2 , 0 . 5) , 0 . 2)
1 . 20 if x ∈ Square ((0 . 5 , 0 . 2) , 0 . 2)
0 . 80 if x ∈ Square ((0 . 8 , 0 . 5) , 0 . 2)
1 . 20 if x ∈ Square ((0 . 5 , 0 . 8) , 0 . 2)
1 . 00 otherwise
;
Case
3:
ϱ ∗(x, 0) = 1 + 0 . 05( cos (10 πx ) + cos (24 πx ))( cos
(6 πy ) + cos (34 πy )) . Case 1: ϱ ∗(x, 0) = 1 . 0 ;
Case 2: ϱ ∗(x, 0) =
⎧
⎪
⎪
⎪
⎨
⎪
⎪
⎪
⎩
0 . 80 if x ∈ Square ((0 . 2 , 0 . 5) , 0 . 2)
1 . 20 if x ∈ Square ((0 . 5 , 0 . 2) , 0 . 2)
0 . 80 if x ∈ Square ((0 . 8 , 0 . 5) , 0 . 2)
1 . 20 if x ∈ Square ((0 . 5 , 0 . 8) , 0 . 2)
1 . 00 otherwise
;
Case
3:
ϱ ∗(x, 0) = 1 + 0 . 05( cos (10 πx ) + cos (24 πx ))( cos
(6 πy ) + cos (34 πy )) . In this section we present the results of the numerical simula-
tions in two-dimensions. As for domain we take the unit square
with the mesh size
x = 10 −3 and the time-step
t = 10 −4 . In
the following we choose singular pressure (6) with the parameters
ε = 10 −4 , α = 2 , and the background pressure (3) with the expo-
nent γ = 2 , if not stated differently. First part is devoted to comparison of ( ϱ, q , Z )-method and ( ϱ,
q )-method/SL described in Section 2 . Second is an application of P. Degond et al. / Computers and Fluids 169 (2018) 23–39 P. Degond et al. / Computers and Fluids 169 (2018) 23–39 33 Fig. 9. 4. Two-dimensional numerical results Stop-and-go behavior for the evacuation scenario, with ϱ ∗
0 being constant, with linear slope in y -direction (29) , step-function (28) , and a random function. The
congestion density (upper) the density (middle) and the velocity amplitude (bottom) at times t = 0 (left column) t = 0 . 5 (middle column), and t = 1 . 0 (right column). The results of our simulations for these three cases are pre-
sented in Figs. 6–8 , subsequently and in the Movies c1.mp4,
c2.mp4, and c3.mp4. We see that in case of constant congestion
density (Case 1, Fig. 6 , Movie c1.mp4) the two schemes provide
almost identical outcome. The essential difference appears when
ϱ ∗
0 varies. We see in Fig. 7 (see also Movie c2.mp4) that the ini-
tial discontinuities of ϱ∗are significantly smoothened by the ( ϱ, q ,
Z )-method, while the ( ϱ, q )-method/SL preserves the initial shape,
which basically confirms our observations from Section 3.2 . This is Fig. 9. Stop-and-go behavior for the evacuation scenario, with ϱ ∗
0 being constant, with linear slope in y -direction (29) , step-function (28) , and a random function. The
congestion density (upper) the density (middle) and the velocity amplitude (bottom) at times t = 0 (left column) t = 0 . 5 (middle column), and t = 1 . 0 (right column). ϱ ∗
0 varies. We see in Fig. 7 (see also Movie c2.mp4) that the ini-
tial discontinuities of ϱ∗are significantly smoothened by the ( ϱ, q ,
Z )-method, while the ( ϱ, q )-method/SL preserves the initial shape,
which basically confirms our observations from Section 3.2 . This is The results of our simulations for these three cases are pre-
sented in Figs. 6–8 , subsequently and in the Movies c1.mp4,
c2.mp4, and c3.mp4. We see that in case of constant congestion
density (Case 1, Fig. 6 , Movie c1.mp4) the two schemes provide
almost identical outcome. The essential difference appears when P. Degond et al. / Computers and Fluids 169 (2018) 23–39 34 on scenario for ϱ ∗
0 being constant, with linear slope in y -direction (29) , step-function (28) , and a random function. The figures pre
on momentum | q | and the direction and values of the velocity v at time t = 1 . 0 for different test cases. Fig. 10. 4. Two-dimensional numerical results The evacuation scenario for ϱ ∗
0 being constant, with linear slope in y -direction (29) , step-function (28) , and a random function. The figures present the values of the
density ϱ, the direction momentum | q | and the direction and values of the velocity v at time t = 1 . 0 for different test cases. 35 P. Degond et al. / Computers and Fluids 169 (2018) 23–39 35 even more visible in Fig. 8 (Movie c3.mp4), where the initial oscil-
lations of ϱ∗rapidly decay when simulated by the ( ϱ, q , Z )-method. third row of Figs. 9 and 10 presenting the evacuation scenario for
the initial barrier density in the shape of the step function Another interesting observation following from Figs. 7 , and
8 (Movies c2.mp4, c3.mp4) when compared to Fig. 6 (Movie
c1.mp4) is that the preference of the individuals ϱ∗is significant
factor to determine the density distribution even far away from the
congestion zone. ϱ ∗
0 (x, y ) =
1 . 1
for
0 . 5 < x < 1 ,
0 . 9
for
0 < x < 0 . 5 . (28) (28) This observation can be also confirmed in terms of speed of evac-
uation. Indeed, we performed analogous simulations for 3 cases of
constant ϱ ∗
0 equal to 0.9, 1.0. 1.1 show that the speed of emptying
the room is bigger the bigger value of ϱ ∗
0 . To see this, we have
measured the mass remaining in the room at time t = 1 and it
is equal to 0.51030, 0.048037, and 0.457123, respectively. We have
moreover observed that evacuation speed of the room with indi-
viduals of the average congestion preference equal to 1 initially
can be improved by placing the individuals with higher ϱ ∗
0 closer
to the exit. This is illustrated in the Figs. 9 and 10 the second row,
for which, the initial congestion preference ϱ ∗
0 equals This observation can be also confirmed in terms of speed of evac-
uation. Indeed, we performed analogous simulations for 3 cases of
constant ϱ ∗
0 equal to 0.9, 1.0. 1.1 show that the speed of emptying
the room is bigger the bigger value of ϱ ∗
0 . 4. Two-dimensional numerical results To see this, we have
measured the mass remaining in the room at time t = 1 and it
is equal to 0.51030, 0.048037, and 0.457123, respectively. We have
moreover observed that evacuation speed of the room with indi-
viduals of the average congestion preference equal to 1 initially
can be improved by placing the individuals with higher ϱ ∗
0 closer
to the exit. This is illustrated in the Figs. 9 and 10 the second row,
for which, the initial congestion preference ϱ ∗
0 equals Moreover, comparing Fig. 7 (Movie c2.mp4) with Fig. 6 (Movie
c1.mp4), we see a clear influence of the density constraint on the
velocity of the agents. Indeed, for the Case 2, there is a signifi-
cant disproportion between the velocities in the x and y directions
at time t = 0 . 150 (see Fig. 7 right). This corresponds to the fact
that the agents moving toward the center along y axis have ‘more
space’ to fill since ϱ∗for those groups is higher than the one for
the groups moving in the x direction. This results in a certain de-
lay between collisions in two directions. ϱ ∗
0 (x, y ) = 1 . 1 −0 . 2 y. (29) (29) ϱ ∗
0 (x, y ) = 1 . 1 −0 . 2 y. 4.2. Application to crowd dynamics The random distribution of preferences of the individuals with ex-
pected value equal to 1, on the other hand, corresponds to the in-
crease of the evacuation time (see Figs. 9 and 10 the bottom row). In this section we investigate an influence of the variable den-
sity ϱ∗on a possible evacuation scenario. For this, we consider
an impenetrable room in the shape of unit square, initially filled
with uniformly distributed agents. There is an exit located at x ∈
[0 . 4 , 0 . 6] , y = 0 that allows for free outflow. The initial density
ϱ 0 = 0 . 6 and the initial momentum is equal to 0 . The desire of go-
ing to the exit is introduced in the system (5)-(6) by adding the
relaxation term in the momentum equation 5. Conclusion (27b) q ∗−q n
t
+ ∇ x ·
q n q n
ϱ n
+ p
ϱ n
ϱ ∗n
I
+ ∇ x · πε
ϱ n +1
ϱ ∗n
= 0 ,
(27a) (27a) The two schemes generate oscillations in momentum variable
at discontinuities between congested and non-congested domain. This feature was already mentioned in [14] . This is all the more
the case for the second order accuracy schemes. Specific method
should be designed to cure this artefact. Another direction of im-
provement, that will be addressed in the future work, concerns the
treatment of the vacuum regions by the numerical scheme. (
)
q n +1 −q ∗
t
= 1
β
q n +1 −ϱ n +1 w
. (27b) (27b) We use the ( ϱ, q )-method/SL, which requires to solve the trans-
port equation for ϱ∗. This is especially problematic in the corners
of the domain, where the Dirichlet boundary condition is consid-
ered. This leads to oscillations of ϱ and ϱ∗close to these points. Nevertheless, we may observe, see Figs. 9 and 10 (see also Movies
exit.mp4 and top.mp4), the so called stop-and-go behavior, namely
distinct high velocity regions in the domain, one in the vicinity of
the exit and the second one that propagates in the direction oppo-
site to flow. Data availability No new data were collected in the course of this research. 5. Conclusion In this paper, we are interested in the numerical simulation of
the Euler system with a singular pressure modeling variable con-
gestion. As the stiffness of the pressure increases ( ε tends to 0),
the model tends to a free boundary transition between compress-
ible (non-congested) and incompressible (congested) dynamics. ∂ t q + ∇ ·
q q
ϱ
+ πε
ϱ
ϱ ∗
I + p
ϱ
ϱ ∗
I
= 1
β ( q −ϱ w ) ,
(26) (26) To numerically simulate the asymptotic dynamics, we propose
an asymptotic preserving scheme based on a conservative formula-
tion of the system and the methodology presented in [14] . We also
propose a second order accuracy extension of the scheme follow-
ing [12] . We then study the one-dimensional solutions to Riemann
test-cases, their asymptotic limits and validate the code. We com-
pare the results with those obtained with the scheme proposed in
[15] . This latter scheme enables to better approximate the conges-
tion density (at the contact wave) as soon as we use high accu-
racy in the advection of the congestion density. On the other hand,
the former scheme seems to better preserve maximum principle
on that variable. On two-dimensional simulations, we finally show
the influence of this variable congestion density on the dynamics
and show that the model exhibit stop-and-go behavior. where w is the desired velocity, and β
stands for the re-
laxation parameter. The desired velocity is given by a unit
vector field, that points into the center of the exit, w =
−x/ ((x −0 . 5) 2 + y 2 ) , −y/ ((x −0 . 5) 2 +y 2 )
.
In the numerical scheme we apply splitting of the momentum
equation between the transport and pressure part, and the relax-
ation (source) part, with the intermediate momentum q ∗. After the
momentum is updated, we perform implicit relaxation step, for
given density ϱ n +1 , q ∗−q n
t
+ ∇ x ·
q n q n
ϱ n
+ p
ϱ n
ϱ ∗n
I
+ ∇ x · πε
ϱ n +1
ϱ ∗n
= 0 ,
(27a)
q n +1 −q ∗
t
= 1
β
q n +1 −ϱ n +1 w
. Acknowledgments This reflects an empirical observation that once a pedestrian ar-
rives to the space of high congestion, he or she slows down or even
stops until some space opens up in front. This kind of stop-and-go
waves have been described, for example, by Helbing and Johans-
son in [21] . For the description of the real evacuation experiments
we refer to [20] , see also [19] . In the last of the mentioned pa-
pers the authors provide an experimental demonstration of the so
called faster goes slower effect. This means that an increase in the
density of pedestrians does not necessarily lead to a larger flow
rate. Our simulations show that when the parameter ϱ∗is low, the
outflow of the individuals is slower. This is especially visible in the P.D. acknowledges support by the Engineering and Physical Sci-
ences Research Council ( EPSRC ) under Grant no. EP/M006883/1 ,
by the Royal Society and the Wolfson Foundation through a Royal
Society Wolfson Research Merit Award no. WM130048 and by
the National Science Foundation (NSF) under Grant no. RNMS11-
074 4 4 (KI-Net). P.D. is on leave from CNRS, Institut de Mathé-
matiques de Toulouse, France. P.M. acknowledges the support of
MAThematics Center Heidelberg (MATCH) and partial support of
the Simons Foundation Grant 346300 and the Polish Government P. Degond et al. / Computers and Fluids 169 (2018) 23–39 36 Fig. A.11. Intersection of the 1-integral/Hugoniot curve issued from the left state (ϱ ℓ , v ℓ , Z ℓ ) = (0 . 8 , 1 , 0 . 2) and the 3-integral/Hugoniot curve issued from the right state for
ε = 10 −3 . The rarefaction curves are in dashed line and the shock curve in solid line. Left: the right state is given by (ϱ r , v r , Z r ) = (0 . 8 , 0 , 0 . 4) and the intermediate state
(v 0
m , Z 0
m ) is not a congested state. Right: the right state is given by (ϱ r , v r , Z r ) = (0 . 8 , −2 , 0 . 4) and the intersection point is very closed to the congested line Z = 1 . Fig. A.11. Intersection of the 1-integral/Hugoniot curve issued from the left state (ϱ ℓ , v ℓ , Z ℓ ) = (0 . Appendix A. Solution to the Riemann problem The one-dimensional Riemann problem for the system (8) is the
following initial-value problem: [ q ] = σ [ ϱ] ,
q 2
ϱ + p ε (Z)
= σ [ q ] ,
Z q
ϱ
= σ [ Z] , ∂ t ϱ + ∂ x q = 0 ,
(A.1a)
∂ t q + ∂ x
q 2
ϱ + p ε (Z)
= 0 ,
(A.1b)
∂ t Z + ∂ x
Z q
ϱ
= 0 ,
(A.1c)
where p ε (Z) = πε (Z) + p(Z) , and
(ϱ, q, Z)(0 , x ) =
(ϱ ℓ , q ℓ , Z ℓ )
for
x < 0 ,
( ϱ r , q r , Z r )
for
x > 0 . (A.2) ∂ t ϱ + ∂ x q = 0 ,
(A.1a)
∂ t q + ∂ x
q 2
ϱ + p ε (Z)
= 0 ,
(A.1b)
∂ t Z + ∂ x
Z q
ϱ
= 0 ,
(A.1c)
where p ε (Z) = πε (Z) + p(Z) , and
(ϱ, q, Z)(0 , x ) =
(ϱ ℓ , q ℓ , Z ℓ )
for
x < 0 ,
( ϱ r , q r , Z r )
for
x > 0 . (A.2) ∂ t ϱ + ∂ x q = 0 ,
(A.1a)
∂ t q + ∂ x
q 2
ϱ + p ε (Z)
= 0 ,
(A.1b)
∂ t Z + ∂ x
Z q
ϱ
= 0 ,
(A.1c)
where p ε (Z) = πε (Z) + p(Z) , and
(ϱ, q, Z)(0 , x ) =
(ϱ ℓ , q ℓ , Z ℓ )
for
x < 0 ,
( ϱ r , q r , Z r )
for
x > 0 . (A.2) (A.1a) where [ a ] := a −ˆ
a denotes the jump of quantity a . Appendix A. Solution to the Riemann problem Treating ϱ as a
parameter, we check that the two admissible states are of the form
( ϱ, q h , ± ( ϱ), Z ( ϱ)) with q h, ± = ϱ v h, ±(ϱ ) and (A.1b) (A.1c) v h, ±(ϱ) = ˆ v ± sign (Z(ϱ) −ˆ
Z ) 1
ˆ
ϱ ϱ
(ϱ −ˆ
ϱ )
p ε
ˆ
Z ϱ
ˆ
ϱ
−p ε ( ˆ
Z )
, where p ε (Z) = πε (Z) + p(Z) , and
(ϱ, q, Z)(0 , x ) =
(ϱ ℓ , q ℓ , Z ℓ )
for
x < 0 ,
( ϱ r , q r , Z r )
for
x > 0 . (A.2)
Z(ϱ) = ˆ
Z ϱ
ˆ
ϱ . The shock spee (A.2) The shock speed therefore equals: The shock speed therefore equals: The purpose of this section is to find possible weak solution to
(A .1) and (A .2) . We will also consider the limit of these solutions
as ε → 0. σ± = ˆ v ± sign (Z −ˆ
Z )
ϱ
ˆ
ϱ
p ε ( ˆ
Z ϱ/ ˆ
ϱ ) −p ε ( ˆ
Z )
( ϱ −ˆ
ϱ )
. As already mentioned in the introduction, the system (A.1) is
strictly hyperbolic provided p ′ ε (Z) > 0 , see (9) . The associated char-
acteristic fields are given by: These solutions can also be expressed as functions of Z : These solutions can also be expressed as functions of Z : ϱ(Z) = Z ˆ
ϱ
ˆ
Z
,
v h, ±(Z) = ˆ v ± sign (Z −ˆ
Z ) 1
ˆ
ϱ
1 −
ˆ
Z
Z
p ε (Z) −p ε ( ˆ
Z )
. Acknowledgments 8 , 1 , 0 . 2) and the 3-integral/Hugoniot curve issued from the right state for
ε = 10 −3 . The rarefaction curves are in dashed line and the shock curve in solid line. Left: the right state is given by (ϱ r , v r , Z r ) = (0 . 8 , 0 , 0 . 4) and the intermediate state
(v 0
m , Z 0
m ) is not a congested state. Right: the right state is given by (ϱ r , v r , Z r ) = (0 . 8 , −2 , 0 . 4) and the intersection point is very closed to the congested line Z = 1 . MNiSW 2015–2019 matching fund. E.Z. was supported by the De-
partment of Mathematics, Imperial College , through a Chapman
Fellowship, and by the Polish Government MNiSW research grant
2016-2019 “Iuventus Plus” no. IP2015 088874. A1. Elementary waves Shock discontinuities. A shock wave is a discontinuity between two
constant states, ( ϱ, q, Z ) and ( ˆ
ϱ , ˆ
q , ˆ
Z ) , traveling at a constant speed
σ . We now fix the left (or right) state ( ˆ
ϱ , ˆ
q , ˆ
Z ) and look for all
triples ( ϱ, q, Z ) that can be connected to ( ˆ
ϱ , ˆ
q , ˆ
Z ) by the shock dis-
continuity. Across the shock, Rankine–Hugoniot conditions must be
satisfied meaning that: A2. Solution to Riemann problem Let ( ϱℓ , q ℓ , Z ℓ ) and ( ϱr , q r , Z r ) be the left and right initial states
(A.2) . The solutions to Riemann problems are determined as fol-
lows. First, in the ( v, Z ) plane, find out the intersection state ( v m ,
Z m ) of the 1-st integral/Hugoniot curves issued from ( v ℓ , Z ℓ ) and
the 3-rd integral/Hugoniot curves issued from ( v r , Z r ). Then, com-
pute the two densities ϱm , ℓ and ϱm, r so that the congestion density
across the two non-linear waves is conserved. Then we connect the
two distinct intermediate states by a contact discontinuity. We fi-
nally end up with the following solution: To check the admissibility of the discontinuity, we need to
check the entropy condition. If ( ˆ v , ˆ
Z ) is the left state, the right
states that can be connected to it by an entropic shock wave are
those located on the 1-shock curve v h, −(Z ) , Z
: Z > ˆ
Z
or the
3-shock curve (v h, + (Z ) , Z ) : Z < ˆ
Z
. Indeed, on these curves the
associated eigenvalue is decreasing. If on the other hand, ( ˆ v , ˆ
Z )
is the right state, the left states that can be connected to it by
an entropic shock wave are those located on the 1-shock curve
(v h, −(Z ) , Z ) : Z < ˆ
Z
or the 3-shock curve (v h, + (Z ) , Z ) : Z > ˆ
Z
. Indeed, on these curves the associated eigenvalue is increasing. (ϱ ℓ , q ℓ , Z ℓ )
shock/rare faction
→
(ϱ m,ℓ , ϱ m,ℓ v m , Z m )
contact
→
(ϱ m,r , ϱ m,r v m , Z m )
shock/rare faction
→
(ϱ r , q r , Z r )
(A.5) (ϱ ℓ , q ℓ , Z ℓ )
shock/rare faction
→
(ϱ m,ℓ , ϱ m,ℓ v m , Z m )
contact
→
(ϱ m,r , ϱ m,r v m , Z m )
shock/rare faction
→
(ϱ r , q r , Z r )
(A.5) Rarefaction waves. Appendix A. Solution to the Riemann problem ϱ(Z) = Z ˆ
ϱ
ˆ
Z
, r ε
1 (ϱ, q, Z) =
⎡
⎢
⎣
1
v −
Z
ϱ p ′ ε (Z)
Z/ϱ
⎤
⎥
⎦ ,
r ε
2 (ϱ, q, Z) =
1
v
0
, r ε
3 (ϱ, q, Z) =
⎡
⎢
⎣
1
v +
Z
ϱ p ′ ε (Z)
Z/ϱ
⎤
⎥
⎦ , v h, ±(Z) = ˆ v ± sign (Z −ˆ
Z ) 1
ˆ
ϱ
1 −
ˆ
Z
Z
p ε (Z) −p ε ( ˆ
Z )
. Note that the maximal density ( ϱ ∗= ϱ/Z) does not jump across a
shock discontinuity. Expanding ( ϱ( Z ), q h , ± ( Z ), Z ) around Z = ˆ
Z , we
obtain ϱ(Z) −ˆ
ϱ = (Z −ˆ
Z ) ˆ
ϱ
ˆ
Z
,
ϱ(Z) v h, ±(Z) −ˆ
ϱ ˆ v = (Z −ˆ
Z ) ˆ
ϱ
ˆ
Z
ˆ v
± Z ˆ
ϱ
ˆ
Z
sign (Z −ˆ
Z )
1
ˆ
ϱ
(1 −ˆ
Z /Z)(p ε (Z) −p ε ( ˆ
Z )) where v = q/ϱ is the velocity. The second characteristic field is lin-
early degenerate (since ∇λ2 · r 2 = 0 ). The two others characteristic
field are genuinely non-linear. We now present the elementary wave solutions of the Riemann
problem. P. Degond et al. / Computers and Fluids 169 (2018) 23–39 37 ≈(Z −ˆ
Z ) ˆ
ϱ
ˆ
Z
ˆ v
± Z ˆ
ϱ
ˆ
Z
sign (Z −ˆ
Z )
1
ˆ
ϱ Z
p ′ ε ( ˆ
Z ) (Z −ˆ
Z )
2
≈(Z −ˆ
Z ) ˆ
ϱ
ˆ
Z
ˆ v ±
ˆ
Z
ˆ
ϱ
p ′ ε ( ˆ
Z )
! ,
Z −ˆ
Z = (Z −ˆ
Z ) ˆ
ϱ
ˆ
Z
ˆ
Z
ˆ
ϱ . Contact discontinuities. Since the second characteristic field is lin-
early degenerate, there are linear discontinuities that propagate at
velocity λ2 = ˆ v . Let us write the Rankine–Hugoniot conditions: [ q ] = ˆ v [ ϱ] ,
q 2
ϱ + p ε (Z)
= ˆ v [ q ] ,
Z q
ϱ
= ˆ v [ Z] . Appendix A. Solution to the Riemann problem From the first relation, we obtain v = ˆ v and then the second rela-
tion states that the pressure jump is zero. By strict monotony of
the pressure, it implies that Z = ˆ
Z and the third equation is sat-
isfied. Along this discontinuity, the velocity and the pressure are
thus conserved. Note that every density jump is possible. Note that (ϱ(Z) , q h, −(Z) , Z) is tangent at ( ˆ
ϱ , ˆ
q , ˆ
Z ) to r 1 ( ˆ
ϱ , ˆ
q , ˆ
Z ) ,
therefore v h, −corresponds to the 1-characteristic field, analogously
v h, + corresponds to the 3-characteristic field. The graph of Z →
v h, −(Z) (resp. Z → v h, + (Z) ) is called the 1-Hugoniot curve (resp. 3-
Hugoniot curve) issued from ( ˆ v , ˆ
Z ) . Note that (ϱ(Z) , q h, −(Z) , Z) is tangent at ( ˆ
ϱ , ˆ
q , ˆ
Z ) to r 1 ( ˆ
ϱ , ˆ
q , ˆ
Z ) ,
therefore v h, −corresponds to the 1-characteristic field, analogously
v h, + corresponds to the 3-characteristic field. The graph of Z →
v h, −(Z) (resp. Z → v h, + (Z) ) is called the 1-Hugoniot curve (resp. 3-
Hugoniot curve) issued from ( ˆ v , ˆ
Z ) . A2. Solution to Riemann problem The rarefaction waves are continuous self-
similar solutions, (ϱ(t, x ) , q (t, x ) , Z(t, x )) = (ϱ(x/t) , q (x/t) , Z(x/t)) ,
connecting two constant states ( ϱ, q, Z ) and ( ˆ
ϱ , ˆ
q , ˆ
Z ) . They thus sat-
isfy the following differential equations: (A.5) n (ϱ r , q r , Z r )
(A.5) where ϱ m,ℓ = Z m ϱ ℓ /Z ℓ and ϱ m,r = Z m ϱ r /Z r . The nature of the non-
linear waves (rarefaction or shock) depends on the relative position
of the states ( v ℓ , Z ℓ ), ( v r , Z r ) in the ( v, Z ) plane. where ϱ m,ℓ = Z m ϱ ℓ /Z ℓ and ϱ m,r = Z m ϱ r /Z r . The nature of the non-
linear waves (rarefaction or shock) depends on the relative position
of the states ( v ℓ , Z ℓ ), ( v r , Z r ) in the ( v, Z ) plane. ϱ ′ (s ) = 1 , q ′ (s ) = ˜ v (s ) ±
Z(s )
ϱ(s ) p ′ ε (Z(s )) , Z ′ (s ) = Z(s ) /ϱ(s ) ,
(A.3) A3. Limit ε → 0 (A.3) v i, ±(Z) = ˆ v ±
F ε (Z) −F ε ( ˆ
Z )
, (A.4) v i, ±(Z) = ˆ v ±
F ε (Z) −F ε ( ˆ
Z )
,
(A.4) Regarding the Riemann problem in the limit ε → 0, the intersec-
tion point of the 1-st integral/Hugoniot curves issued from ( v ℓ , Z ℓ )
and the 3-rd integral/Hugoniot curves issued from ( v r , Z r ), denoted
by (v ε
m , Z ε
m ) , has either a limit (v 0
m , Z 0
m ) with 0 ⩽ Z 0
m < 1 or tends
to a congested state ( ¯v , 1) . Then finding a solution can be divided
into the following steps: where F ε is an antiderivative of Z → 1
Z
1
ϱ ∗p ′ ε (Z) . where F ε is an antiderivative of Z → 1
Z
1
ϱ ∗p ′ ε (Z) . The graph of Z → v i, + (Z) (resp. Z → v i, −(Z) ) is called the 1-
integral curve (resp. 3-integral curve) issued from ( ˆ v , ˆ
Z ) . If ( ˆ v , ˆ
Z )
is a left state, the right states that can be connected to it by an
entropic rarefaction wave are those located on the 1-integral curve
(v i, −(Z ) , Z ) : Z < ˆ
Z
or the 3-integral curve (v i, −(Z ) , Z ) : Z > ˆ
Z
. Indeed, on these curves the associated eigenvalue is increas-
ing. If ( ˆ v , ˆ
Z ) is a right state, the left states that can be con-
nected to it by an entropic rarefaction wave are those located on
the 1-integral curve (v i, −(Z ) , Z ) : Z > ˆ
Z
or the 3-integral curve
(v i, −(Z ) , Z ) : Z < ˆ
Z
. Indeed, on these curves the associated eigen-
value is decreasing. A3. Limit ε → 0 (A.3) (A.3) (A.3) We are now interested in the asymptotic behavior, when ε → 0
of the Hugoniot v ε
h, ± and the integral curves v ε
i, ± obtained in the
previous paragraph for the elementary waves. We have the follow-
ing result. Denoting q (s ) = ϱ(s ) ˜ v i, ±(s ) and parametrizing by ϱ, we obtain: ˜ v ′
i, ±(ϱ) = ± 1
ϱ
Z(ϱ)
ϱ p ′ ε (Z(ϱ)) , Z ′ (ϱ) = Z(ϱ ) /ϱ . Proposition
1. The
graph
of
the
Hugoniot
curve,
(Z, v ε
h, ±(Z)) : Z ∈ [0 , 1)
,
tends
to
the
union
of
the
set
(Z, v 0
h, ±(Z)) : Z ∈ [0 , 1)
and the horizontal half straight line
(1 , v ) : v ∈ [ v 0
h, ±(1) , + ∞ )
. From the first and third equation of (A.3) , we have (ϱ/Z(ϱ)) ′ = 0 ,
and so, ϱ /Z(ϱ ) = ˆ
ϱ /Z( ˆ
ϱ ) . This means that as in the case of shock
discontinuities the maximal density ϱ∗does not jump. Denot-
ing ϱ ∗= ϱ /Z(ϱ ) and making the change of coordinates v i, ±(Z) =
˜ v i, ±(ϱ) with ϱ = ϱ ∗Z, we thus have: ,
The graph of the integral curve, (Z, v ε
i, ±(Z)) : Z ∈ [0 , 1)
, tends to
the union of the set (Z, v 0
i, ±(Z)) : Z ∈ [0 , 1)
and t he horizontal half
straight line (1 , v ) : v ∈ [ v 0
i, ±(1) , + ∞ )
. v ′
i, ±(Z) = ±1
Z
1
ϱ ∗p ′ ε (Z) . Hence, the states satisfy:
v i, ±(Z) = ˆ v ±
F ε (Z) −F ε ( ˆ
Z )
,
(A.4) v ′
i, ±(Z) = ±1
Z
1
ϱ ∗p ′ ε (Z) . v ′
i, ±(Z) = ±1
Z
1
ϱ ∗p ′ ε (Z) . Hence, the states satisfy: Hence, the states satisfy: The proof of this proposition uses the convexity of the pressure
and are similar to the one developed in [16] . (A.3) (1) compute the intersection (v 0
m , Z 0
m ) of the 1-st integral/Hugoniot
curves and 3-rd integral/Hugoniot curves; (1) compute the intersection (v 0
m , Z 0
m ) of the 1-st integral/Hugoniot
curves and 3-rd integral/Hugoniot curves; (1) compute the intersection (v 0
m , Z 0
m ) of the 1-st integral/Hugoniot
curves and 3-rd integral/Hugoniot curves; (2a) if Z 0
m < 1 , the solution is as described in the previous section,
it is a usual Riemann solution of the hyperbolic system with no
congestion pressure; (2b) if Z 0
m ≥1 , then the congested state is given by the following
proposition. P. Degond et al. / Computers and Fluids 169 (2018) 23–39 38 Proposition 2 (Case Z 0
m ≥1 ) . The solution consists in three waves: Proposition 2 (Case Z 0
m ≥1 ) . The solution consists in three waves:
(ϱ ℓ , q ℓ , Z ℓ )
shock
→ (ϱ ∗
ℓ , ϱ ∗
ℓ ¯v , 1)
contact
→ (ϱ ∗
r , ϱ ∗
r ¯v , 1)
shock
→ (ϱ r , q r , Z r )
where the intermediate velocity ¯v and pressure ¯p satisfy: Proposition 2 (Case Z 0
m ≥1 ) . The solution consists in three waves: Fluxes "
F n +1 , "
G
n , "
H n +1 in the second spatial direction are defined
by: Proposition 2 (Case Z 0
m ≥1 ) . (A.3) The solution consists in three waves:
(ϱ ℓ , q ℓ , Z ℓ )
shock
→ (ϱ ∗
ℓ , ϱ ∗
ℓ ¯v , 1)
contact
→ (ϱ ∗
r , ϱ ∗
r ¯v , 1)
shock
→ (ϱ r , q r , Z r ) (ϱ ℓ , q ℓ , Z ℓ )
shock
→ (ϱ ∗
ℓ , ϱ ∗
ℓ ¯v , 1)
contact
→ (ϱ ∗
r , ϱ ∗
r ¯v , 1)
shock
→ (ϱ r , q r , Z r ) "
F n +1
(i,j+ 1
2 ) = 1
2
q n +1
2 , (i,j+1) + q n +1
2 , (i,j)
−(D ϱ ) n
i,j+ 1
2 ,
(B.7) (B.7) where the intermediate velocity ¯v and pressure ¯p satisfy: where the intermediate velocity ¯v and pressure ¯p satisfy: ¯v = v ℓ −
1
ϱ ℓ
(1 −Z ℓ )( ¯p −p 0 (Z ℓ ))
= v r +
1
ϱ r
(1 −Z r )( ¯p −p 0 (Z r )) , "
G
n
(i,j+ 1
2 ) = 1
2
"
f
n
(i,j+1) + "
f
n
(i,j)
−( D q ) n
i,j+ 1
2 ,
(B.8) (B.8) "
H n +1
(i,j+ 1
2 ) = 1
2
Z n
i,j+1
ϱ n
i,j+1
q n +1
2 , (i,j+1) +
Z n
i,j
ϱ n
i,j
q n +1
2 , (i,j)
−(D Z ) i,j+ 1
2 ,
(B.9) (B.9) the intermediate densities are given by: the intermediate densities are given by: ˆ
ϱ ℓ = ϱ ℓ /Z ℓ = ϱ ∗
ℓ ,
ˆ
ϱ r = ϱ r /Z r = ϱ ∗
r , with and the shock speeds σ−, σ+ are given by: "
f
n =
q n
1 q n
2
(q n
2 ) 2 + p(Z n )
. "
f
n =
q n
1 q n
2
(q n
2 ) 2 + p(Z n )
. Appendix B. Fully discrete scheme in dimension 2 We consider the computational domain [0, 1] × [0, 1] and
spatial space steps
x = 1 /N x ,
y = 1 /N y > 0 , with N x , N y ∈ N :
the mesh points are thus x i, j = (i
x, j
y ) , ∀ (i, j) ∈ { 0 , . . . , N x } ×
{ 0 , . . . , N y } . Let ϱ n
i, j , q n
i, j , Z n
i, j , ϱ ∗n
i, j denote the approximate solution
at time t n on mesh cell [ i
x, (i + 1)
x ] × [ j
x, ( j + 1)
x ] . (A.3) (B.2) into (B.3) , we obtain: Z n +1
i,j −Z n
i,j +
t
x
¯H n
(i + 1
2 ,j) −¯H n
(i + 1
2 ,j)
+
t
y
¯"
H
n
(i + 1
2
−
t 2
x 2
1
2
Z n
i +1 ,j
ϱ n
i +1 ,j
G n
(i + 3
2 ,j) , 1 −G n
(i + 1
2 ,j) , 1
−
Z n
i −1 ,j
ϱ n
i −1 ,j
G n
(i −1
2 ,j) , 1 −G n
(i −3
2 ,j) , 1
−
t 2
x
y
1
2
Z n
i +1 ,j
ϱ n
i +1 ,j
"
G n
(i +1 ,j+ 1
2 ) , 1 −"
G n
(i +1 ,j−1
2 ) , 1
−
Z n
i −1 ,j
ϱ n
i −1 ,j
"
G n
(i −1 ,j+ 1
2 ) , 1 −"
G n
(i −1 ,j−1
2 ) , 1
−
t 2
y 2
1
2
Z n
i,j+1
ϱ n
i,j+1
"
G n
(i,j+ 3
2 ) , 2 −"
G n
(i,j+ 1
2 ) , 2
−
Z n
i,j−1
ϱ n
i,j−1
"
G n
(i,j−1
2 ) , 2 −"
G n
(i,j−3
2 ) , 2
−
t 2
x
y
1
2
Z n
i,j+1
ϱ n
i,j+1
G n
(i + 1
2 ,j+1) , 2 −G n
(i −1
2 ,j+1) , 2
−
Z n
i,j−1
ϱ n
i,j−1
G n
(i + 1
2 ,j−1) , 2 −G n
(i −1
2 ,j−1) , 2
−
t 2
x 2
1
4
Z n
i +1 ,j
ϱ n
i +1 ,j
πε (Z n +1
i +2 ,j ) −πε (Z n +1
i,j )
−
Z n
i −1 ,j
ϱ n
i −1 ,j
πε (Z n +1
i,j ) −πε (Z n +1
i −2 ,j )
−
t 2
y 2
1
4
Z n
i,j+1
ϱ n
i,j+1
πε (Z n +1
i,j+2 ) −πε (Z n +1
i,j )
−
Z n
i,j−1
ϱ n
i,j−1
πε (Z n +1
i,j ) −πε (Z n +1
i,j−2 )
= 0 , (A.3) σ−= v ℓ −
ϱ ∗
ℓ
ϱ ℓ (ϱ ∗
ℓ −ϱ ℓ )
¯p −p 0 (Z ℓ ) ,
σ+ = v r +
ϱ ∗
r
ϱ r (ϱ ∗
r −ϱ r )
¯p −p 0 (Z r ) . The upwindings D ϱ, D q , D Z are defined similarly as for the one-
dimensional case (sse (16) and (17) ). The upwindings D ϱ, D q , D Z are defined similarly as for the one-
dimensional case (sse (16) and (17) ). The implicit pressure in (B.2) is discretized by the centered dif-
ference: This proposition can be proven using similar arguments as in
[16] . (∇πε (Z n +1 )) i,j =
⎡
⎢
⎣
πε (Z n +1
i +1 ,j ) −πε (Z n +1
i −1 ,j )
2
x
πε ( Z n +1
i,j+1 ) −πε (Z n +1
i,j−1 )
2
y
⎤
⎥
⎦ . Below, on Fig. A.11 we present two different solutions to the
Riemann problem (A.1) and (A.2) . Depending on the initial location
of the left and right states, the intersection state ( v m , Z m ) might be
a congested state or not. Inserting Eq. Appendix B. Fully discrete scheme in dimension 2 (B.3) (B.3) where fluxes F n +1 , G n , H n +1 (in the first spatial direction) are de-
fined: where fluxes F n +1 , G n , H n +1 (in the first spatial direction) are de-
fined: F n +1
(i + 1
2 ,j) = 1
2
q n +1
1 , (i +1 ,j) + q n +1
1 , (i,j)
−(D ϱ ) n
i + 1
2 ,j ,
(B.4)
G n
(i + 1
2 ,j) = 1
2
f n
(i +1 ,j) + f n
(i,j)
−( D q ) n
i + 1
2 ,j ,
(B.5) F n +1
(i + 1
2 ,j) = 1
2
q n +1
1 , (i +1 ,j) + q n +1
1 , (i,j)
−(D ϱ ) n
i + 1
2 ,j ,
(B.4) (B.4) G n
(i + 1
2 ,j) = 1
2
f n
(i +1 ,j) + f n
(i,j)
−( D q ) n
i + 1
2 ,j ,
(B.5) G n
(i + 1
2 ,j) = 1
2
f n
(i +1 ,j) + f n
(i,j)
−( D q ) n
i + 1
2 ,j ,
(B.5) (B.5) (B.5) H n +1
(i + 1
2 ,j) = 1
2
Z n
i +1 ,j
ϱ n
i +1 ,j
q n +1
1 , (i +1 ,j) +
Z n
i,j
ϱ n
i,j
q n +1
1 , (i,j)
−(D Z ) n
i + 1
2 ,j ,
(B.6)
with
y 2 4
ϱ n
i,j+1
πε (Z i,j+2 ) πε (Z i,j )
−
Z n
i,j−1
ϱ n
i,j−1
πε (Z n +1
i,j ) −πε (Z n +1
i,j−2 )
= 0 , where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. with
f n =
(q n
1 ) 2 + p(Z n )
q n
1 q n
2
. Appendix B. Fully discrete scheme in dimension 2 [
(
)
]
[ j
( j
)
]
The two-dimensional version of (12) reads: The two-dimensional version of (12) reads: j
−
t 2
x
y
1
2
Z n
i +1 ,j
ϱ n
i +1 ,j
"
G n
(i +1 ,j+ 1
2 ) , 1 −"
G n
(i +1 ,j−1
2 ) , 1
−
Z n
i −1 ,j
ϱ n
i −1 ,j
"
G n
(i −1 ,j+ 1
2 ) , 1 −"
G n
(i −1 ,j−1
2 ) , 1
−
t 2
y 2
1
2
Z n
i,j+1
ϱ n
i,j+1
"
G n
(i,j+ 3
2 ) , 2 −"
G n
(i,j+ 1
2 ) , 2
−
Z n
i,j−1
ϱ n
i,j−1
"
G n
(i,j−1
2 ) , 2 −"
G n
(i,j−3
2 ) , 2
−
t 2
x
y
1
2
Z n
i,j+1
ϱ n
i,j+1
G n
(i + 1
2 ,j+1) , 2 −G n
(i −1
2 ,j+1) , 2
ϱ n +1
i,j −ϱ n
i,j
t
+ 1
x (F n +1
(i + 1
2 ,j) −F n +1
(i −1
2 ,j) ) + 1
y ( "
F n +1
(i,j+ 1
2 ) −"
F n +1
1 , (i,j−1
2 ) ) = 0 ,
(B.1) (B.1) q n +1
i,j −q n
i,j
t
+ 1
x ( G n
(i + 1
2 ,j) −G n
(i −1
2 ,j) ) + 1
y ( "
G
n
(i,j+ 1
2 ) −"
G
n
(i,j−1
2 ) )
+ (∇πε (Z n +1 )) i,j = 0 ,
(B.2) (B.2) (B.2) Z n +1
i,j −Z n
i,j
t
+ 1
x (H n +1
(i + 1
2 ,j) −H n +1
(i −1
2 ,j) ) + 1
y ( "
H n +1
(i,j+ 1
2 ) −"
H n +1
3 , (i,j−1
2 ) ) = 0 . where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. Appendix C. Second order in time ( ϱ, q )-method/SL [12] Cordier F , Degond P , Kumbaro A . An asymptotic-preserving all-speed scheme
for the Euler and Navier–Stokes equations. J Comput Phys 2012;231:5685–704 . [13] Degond P, Hua J. Self-organized hydrodynamics with congestion and path for-
mation in crowds. J Comput Phys 2013;237:299–319. doi: 10.1016/j.jcp.2012.11. 033 . [14] Degond P, Hua J, Navoret L. Numerical simulations of the euler system with
congestion constraint. J Comput Phys 2011;230(22):8057–88. doi: 10.1016/j.jcp. 2011.07.010 . Second step (full time step): Second step (full time step): [15] Degond P , Minakowski P , Zatorska E . Transport of congestion in two-phase
compressible/incompressible flows. ArXiv e-prints 2016 . [
]
d
h
i
i
i
d l ϱ n +1 −ϱ n
t
+ ∇ x ·
q n +1 + q n
2
−D n
ϱ = 0 ,
q n +1 −q n
t
+ ∇ x ·
q n +1 / 2 q n +1 / 2
ϱ n +1 / 2
+ p(Z n +1 / 2 ) I
−D n +1 / 2
q
+ ∇ x
πε (ϱ n /ϱ ∗,n +1 / 2 ) + πε (ϱ n +1 /ϱ ∗,n +1 / 2 )
2
= 0 . [16] Degond P , Navoret L , Bon R , Sanchez D . Congestion in a macroscopic model
of self-driven particles modeling gregariousness. J Stat Phys 2010;138(1):85–
125 . [17] Degond P , Peyrard PF , Russo G , Villedieu P . Polynomial upwind schemes for
hyperbolic systems. C R Acad Sci Paris Sér I Math 1999;328(6):479–83 . [18] Falcone M , Ferretti R . Semi-Lagrangian approximation schemes for linear and
Hamilton—Jacobi equations. SIAM; 2013 . [19] Garcimartín A , Zuriguel I , Pastor J , Martín-Gómez C , Parisi D . Experimental ev-
idence of the “faster is slower” effect. Transp Res Procedia 2014;2:760–7 . [20] Helbing D , Farkas I , Vicsek T . Simulating dynamical features of escape panic. Nature 20 0 0;407:487–90 . where D ϱ , D q denote the numerical diffusion coming from fluxes. where D ϱ , D q denote the numerical diffusion coming from fluxes. 3. Advection of ϱ∗on
t /2 time step ϱ
q
3. Advection of ϱ∗on
t /2 time step ϱ
q
3. Advection of ϱ∗on
t /2 time step [21] Helbing D, Johansson A. Pedestrian, crowd and evacuation dynamics. Appendix C. Second order in time ( ϱ, q )-method/SL New York, NY: Springer; 2011. p. 697–716 . http://dx.doi.org/10.1007/
978- 1- 4419- 7695- 6 _ 37 . ϱ ∗n +1 −ϱ ∗n +1 / 2
t/ 2
+ q n +1
ϱ n +1 · ∇ x ϱ ∗n +1 / 2 = 0 . [22] Henderson L . The statistics of crowd fluids. Nature 1971;229:381–3 . [23] Hughes RL. A continuum theory for the flow of pedestrians. Transp Res Part B:
Methodol 2002;36(6):507–35. doi: 10.1016/S0191-2615(01)00015-7 . A second order in time version of the semi-Lagrangian scheme
has to be used. We here consider the second order Taylor approx-
imation of the caracteristic line whose one-dimensional version
reads: ( )
/
(
)
[24] Jiang Y, Zhang P, Wong S, Liu R. A higher-order macroscopic model for pedes-
trian flows. Physica A 2010;389(21):4623–35. doi: 10.1016/j.physa.2010.05.003 . [25] Lions P-L, Masmoudi N. On a free boundary barotropic model. Ann Inst Henri
Poincaré Anal Non Linéaire 1999;16(3):373–410. doi: 10.1016/S0294-1449(99)
80018-3 . ϱ ∗n +1
i
= [ ϱ ∗n ]
x i −v i
t + a i v i
t 2
2
. [26] Maury B. A gluey particle model. ESAIM Proc 2007;18:133–42. doi: 10.1051/
proc:071811 . [27] Maury B . Prise en compte de la congestion dans les modèles de mouvements
de foules. Actes des Colloques Caen 2012-Rouen 2011 2012 . where v i = q i /ϱ i for all i and a i is an upwind finite difference
approximation of the first derivative of the velocity: a i = (v i −
v i −1 ) /
x if v i > 0 and a i = (v i +1 −v i ) /
x if v i ≤0. where v i = q i /ϱ i for all i and a i is an upwind finite difference
approximation of the first derivative of the velocity: a i = (v i −
v i −1 ) /
x if v i > 0 and a i = (v i +1 −v i ) /
x if v i ≤0. [28] Maury B, Roudneff-Chuoin A, Santambrogio F. A macroscopic crowd mo-
tion model of gradient flow type. Math Models Methods Appl Sci
2010;20(10):1787–821. doi: 10.1142/S0218202510 0 04799 . (
)
/
[29] Perrin C. Pressure-dependent viscosity model for granular media obtained
from compressible Navier–Stokes equations. Appl Math Res Express 2016. doi: 10.1093/amrx/abw004 . Appendix C. Second order in time ( ϱ, q )-method/SL [5] Berthelin F, Broizat D. A model for the evolution of traffic jams in multi-lane. Kinet Relat Models 2012;5(4):697 728 doi:10 3934/krm 2012 5 697 [5] Berthelin F, Broizat D. A model for the evolution of traffic jams in multi-lane. Kinet Relat Models 2012;5(4):697–728. doi: 10.3934/krm.2012.5.697 . Kinet Relat Models 2012;5(4):697–728. doi: 10.3934/krm.2012.5.697 . [6] Berthelin F, Degond P, Delitala M, Rascle M. A model for the formation and
evolution of traffic jams. Arch Ration Mech Anal 2008;187(2):185–220. doi: 10. 10 07/s0 0205-0 07-0 061-9 . The second order accuracy scheme for the ( ϱ, q )-method/SL is
based on a Strang splitting between advection of congestion den-
sity and advection of ( ϱ, q ). It consists in the following steps: /
[7] Berthelin F, Degond P, Le Blanc V, Moutari S, Rascle M, Royer J. A traffic-flow
model with constraints for the modeling of traffic jams. Math Models Methods
Appl Sci 2008;18(suppl.):1269–98. doi: 10.1142/S0218202508003030 . y
(ϱ q)
g
p
1. Compute ϱ ∗n +1 / 2 by solving the advection over
t /2 [8] Bouchut F, Brenier Y, Cortes J, Ripoll J-F. A hierarchy of models for two-phase
flows. J Nonlinear Sci 20 0 0;10(6):639–60. doi: 10.10 07/s0 03320 010 0 06 . ϱ ∗n +1 / 2 −ϱ ∗n
t/ 2
+ q n
ϱ n · ∇ x ϱ ∗n = 0 . [9] Brenier Y . Averaged multivalued solutions for scalar conservation laws. SIAM J
Numer Anal 1984;21:1013–37 . 2. Compute (ϱ n +1 , q n +1 ) with the RK2CN scheme as proposed
in [12] : First step (half time step): [10] Bresch D, Perrin C, Zatorska E. Singular limit of a Navier–Stokes system lead-
ing to a free/congested zones two-phase model. C R Math Acad Sci Paris
2014;352(9):685–90. doi: 10.1016/j.crma.2014.06.009 . ϱ n +1 / 2 −ϱ n
t/ 2
+ ∇ x · q n +1 / 2 −D n
ϱ = 0 ,
q n +1 / 2 −q n
t/ 2
+ ∇ x ·
q n q n
ϱ n
+ p(Z n ) I
−D n
q + ∇ x (πε (ϱ n +1 / 2 /ϱ ∗,n +1 / 2 )) = 0 . ( )
/j
[11] Colombo RM, Rosini MD. Pedestrian flows and non-classical shocks. Math
Methods Appl Sci 2005;28(13):1553–67. doi: 10.1002/mma.624 . Appendix B. Fully discrete scheme in dimension 2 where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. with
f n =
(q n
1 ) 2 + p(Z n )
q n
1 q n
2
. where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. with
f n =
(q n
1 ) 2 + p(Z n )
q n
1 q n
2
. where terms ¯H n and ¯"
H
n
have the same expressions as (B.6) –(B.9)
but where all quantities are taken explicitly. P. Degond et al. / Computers and Fluids 169 (2018) 23–39 39 Supplementary material /
/
[30] Perrin C, Westdickenberg M. One-dimensional granular system with memory
effects; 2017. arXiv: 170305829v1 . Supplementary material associated with this article can be
found, in the online version, at 10.1016/j.compfluid.2017.09.007 . [31] Perrin C, Zatorska E. Free/congested two-phase model from weak solutions to
multi-dimensional compressible navier-stokes equations. Commun Partial Dif-
fer Equ 2015;40(8):1558–89. doi: 10.1080/03605302.2015.1014560 . [1] Bellomo N, Dogbe C. On the modelling crowd dynamics from scal-
ing to hyperbolic macroscopic models. Math Models Methods Appl Sci
2008;18(supp01):1317–45. doi: 10.1142/S0218202508003054 . (
pp
)
/
[2] Bellomo N , Dogbe C . On the modeling of traffic and crowds: a survey of mod-
els, speculations, and perspectives. SIAM Rev 2011;53(3):409–63 . /
[4] Berthelin F.. Theoretical study of a multi-dimensional pressureless model
with unilateral constraint; 2016. Working paper or preprint; URL https://hal.
archives-ouvertes.fr/hal-01313258 . [3] Berthelin F. Existence and weak stability for a pressureless model with uni-
lateral constraint. Math Models Methods Appl Sci 2002;12(2):249–72. doi: 10.
1142/S0218202502001635 . [35] Wolansky G . Dynamics of a system of sticking particles of finite size on the
line. Nonlinearity 2007;20(9):2175–89 . References [32] Perthame B, Vauchelet N. Incompressible limit of a mechanical model of tu-
mour growth with viscosity. Philos Trans A 2015;373(2050):20140283 . 16. doi:
10.1098/rsta.2014.0283 . [33] Piccoli B, Tosin A. Pedestrian flows in bounded domains with obstacles. Con-
tinuum Mech Thermodyn 2009;21(2):85–107. doi: 10.10 07/s0 0161-0 09-010 0-x . (
pp
)
/
[2] Bellomo N , Dogbe C . On the modeling of traffic and crowds: a survey of mod-
els, speculations, and perspectives. SIAM Rev 2011;53(3):409–63 . [34] Twarogowska M, Goatin P, Duvigneau R. Macroscopic modeling and simula-
tions of room evacuation. Appl Math Model 2014;38(24):5781–95. doi: 10.1016/
j.apm.2014.03.027 . [3] Berthelin F. Existence and weak stability for a pressureless model with uni-
lateral constraint. Math Models Methods Appl Sci 2002;12(2):249–72. doi: 10. 1142/S0218202502001635 . [35] Wolansky G . Dynamics of a system of sticking particles of finite size on the
line. Nonlinearity 2007;20(9):2175–89 . /
[4] Berthelin F.. Theoretical study of a multi-dimensional pressureless model
with unilateral constraint; 2016. Working paper or preprint; URL https://hal. archives-ouvertes.fr/hal-01313258 . | 38,430 |
US-201213365341-A_8 | USPTO | Open Government | Public Domain | 2,012 | None | None | English | Spoken | 7,030 | 8,409 | Then, if recording of information on the L0 recording and reading layer 34A is restarted, first, the management area on the L0 recording and reading layer 24A is reproduced to confirm a position at which the previous recording has been completed, and recording is continued from the position. In this manner, the recording is continued until the recording of the information in all data areas on the L0 recording and reading layer 34A is completed. When recording on the data area of the L0 recording and reading layer 34A is finished, recording on the data area of the L1 recording and reading layer 34B is started. After necessary information is recorded on the L1 recording and reading layer 34B, the current additional information (address information on recording, content information, or the like) is recorded in the above-described management area of the L0 recording and reading layer 34A.
The case where the management areas are ensured in the L0 recording and reading layers 14A and 34A has been exemplified, but another recording and reading layer may be used. In the case where the servo layer 18 includes a recording film, it is preferable to ensure a management area on the servo layer 18 and record additional information therein. This recording may be performed using the beams 270A and 270B performing the tracking control. The management information is concentrated on the servo layer 18, and thus management information on both the first group of recording and reading layers 14 and the second group of recording and reading layers 34 can be simultaneously grasped.
As hereinbefore discussed, according to the optical recording medium 10 of the eighth embodiment, the servo layer 18 is formed on one surface of the support substrate 12, and the first group of recording and reading layers 14 and the second group of recording and reading layers 34 are disposed on both surfaces of the support substrate 12. As a result, because internal stress generated when the first and second groups of recording and reading layers 14 and 34 are formed is dispersed into both sides of the support substrate 12, warpage and deformation of the optical recording medium 10 can be prevented. Such dispersion of internal stress enables preventing warpage of the optical recording medium 10 even if a thickness of the support substrate 12 is set within the range of 100 to 1000 μm.
At this time, an attempt to form concavo-convex patterns for tracking on both sides of the support substrate 12 complicates a process for manufacturing the support substrate 12, so that the accuracy of the support substrate 12 tends to be deteriorated. For this reason, in the present embodiment, the accuracy is improved by forming a concavo-convex pattern for tracking on one surface of the support substrate 12 to simplify the manufacture of the support substrate 12. Also, because the servo layer 18 is shared by the first and second groups of recording and reading layers 14 and 34, which sandwich the servo layer 18, concavo-convex patterns for tracking are not needed to be formed on both the recording and reading layers of the first and second groups of recording and reading layers 14 and 34. As a result, the geometric accuracy of the optical recording medium 10 can be more improved. Since the first group of recording and reading layers 14 and the second group of recording and reading layers 34 are disposed at both sides of the support substrate 12, a recording capacity may also be increased.
Further, in this optical recording medium 10, the support substrate 12 is composed of an optically transparent material. As a result, the beam 270B from the second optical pickup 90B can be applied to the servo layer 18 through the support substrate 12. If the support substrate 12 is composed of an opaque material, tracking control of the second optical pickup 90B may be performed using return light of the beam 270A from the first optical pickup 90A.
Also, the first group of recording and reading layers 14 and the second group of recording and reading layers 34 of the optical recording medium 10 are stacked symmetrically with respect to the center of the support substrate 12 in the thickness direction. Therefore, internal stress generated in the first and second groups of recording and reading layers 14 and 34 is also symmetrical, so that warpage of the optical recording medium 10 can be prevented.
In the optical recording medium 10, a refractive index of the support substrate 12 in a wavelength condition of the tracking beam 270B is set at a higher refractive index than that of the second buffer layer 37 in the same wavelength. As such, a focus point of the tracking beam 270B incident from the second buffer layer 37 is allowed to smoothly reach the servo layer 18 through the support substrate 12. As a result, it is ensured that the tracking control of the second optical pickup 90B can be performed.
Further, in the optical recording medium 10, the reflectance of the servo layer 18 to the tracking beams 270A and 270B in the red wavelength is set to be greater than that to the recording and reading beams 170A and 170B. In order to embody this, a material used for the first and second buffer layers 17 and 37 has a larger amount of absorbed light with the shortness of a beam wavelength. Then, even if the recording and reading beams 170A and 170B in the blue wavelength are incident on the side of the servo layer 18, the incident beams are easily absorbed by the first and second buffer layers 17 and 37, so that an amount of light that reaches the servo layer 18 (an amount of reflected light from the servo layer 18) can be reduced. On the other hand, since the tracking beams 270A and 270B in the red wavelength can be actively transmitted through the first and second buffer layers 17 and 37, an amount of light that reaches the servo layer 418 (an amount of reflected light from the servo layer 18) can be increased. As a result, the quality of reading signals can be improved, as well as stable tracking control can be provided.
In the present embodiment, the first and second buffer layers 17 and 37 have characteristics that light absorptivities are different between the red and blue wavelengths, resulting in different reflectances of the servo layer 18 between the tracking beam and the recording and reading beam, but the present invention is not limited thereto. For example, a reflecting film itself formed on the servo layer 18 may have wavelength selectivity that reflectance is dependent on a wavelength. Also, in addition to the first and second buffer layers 17 and 37, a filter layer having wavelength selectivity of optical transmittance and absorptance may be formed.
Further, if a plurality of servo layers are formed in an optical recording medium as in a conventional manner, decision of which of the servo layers is used to record information on which of recording and reading layers is complex, so that recording and reading control tends to be confused. Thus, like the present embodiment, if one servo layer 18 is shared by the first group of recording and reading layers 14 and the second group of recording and reading layers 34, recording and reading control is simplified, so that the number of recording and reading errors may be reduced.
It should be noted that in the foregoing embodiment, the case where the thicknesses of the first cover layer 11 and the second cover layer 31 are the same has been exemplified, but the present invention is not limited thereto. For example, like the optical recording medium 10 illustrated in FIG. 48, it is also preferable that thicknesses of the first cover layer 11 and the second cover layer 31 be different from each other. Specifically, a thickness of the first cover layer 11 is increased to be greater than that of the second cover layer 31 by a thickness of the support substrate 12. As such, the servo layer 18 is disposed at the center of the optical recording medium 10 in a thickness direction. As a result, in the first optical pickup 90A and the second optical pickup 90B, focal lengths of the tracking optical systems 200A and 200B are enabled to match each other. When the optical recording medium 10 is manufactured, it is preferable to separately stack the first cover layer 11 and the second cover layer 31 with different thicknesses. Even if the first and second cover layers 11 and 31 are not simultaneously stacked, since some degree of rigidity has been ensured by the support substrate 12, the first and second buffer layers 17 and 37, the first group of recording and reading layers 14 and first group of intermediate layers 16, and the second group of recording and reading layers 34 and second group of intermediate layers 36, warpage and deformation of the optical recording medium 10 can be sufficiently prevented.
Also, like the optical recording medium 10 shown in FIG. 49, thicknesses of the first and second buffer layers 17 and 37 may be changed, or inter-layer distances or the numbers of layers of the first and second group of recording and reading layers 14 and 34 may be changed to locate the servo layer 18 at the center in the thickness direction.
Also, each refractive index of the first cover layer 11 and the second cover layer 31 may be changed, or a refractive index between the first and second groups of recording and reading layers 14 and 34 may be changed to locate the servo layer 18 at the center as an optical distance in the thickness direction.
Further, in the foregoing embodiment, the case where recording films are previously deposited as recording and reading layers of the first and second groups of recording and reading layers 14 and 34 has been described, but the present invention is not limited thereto. For example, like the optical recording medium 10 illustrated in FIG. 50, an entire area that might become first and second group of recording and reading layers can be first and second bulk layers 13 and 33 having a predetermined thickness. If recording beams 170A and 170B are applied to the first and second bulk layers 13 and 33, the state of only a focus area of a beam spot is changed to form a recording mark. That is, in an optical recording medium according to the present invention, recording and reading layers to which beam are applied may not be previously formed, and recording marks are formed on a planar area at any time, the first and second groups of recording and reading layers 14 and 34 may be post-multi-layered as collections of the recording mark. If the structure of the bulk layers 13 and 33 is adopted as the optical recording medium 10, positions of recording and reading layers may be freely set within the bulk layers 13 and 33. For example, as illustrated in FIG. 50, even if the first bulk layer 13 and the second bulk layer 33 have different thicknesses or arrangements, distances from the first and second groups of recording and reading layers 14 and 34 to the first and second surfaces 10A and 30A are allowed to match each other.
It should be noted that here, the structure in which a cover layer is omitted when the first and second bulk layers 13 and 33 are adopted has been exemplified, but a buffer layer may also be omitted.
A ninth embodiment of the present invention will be described below with reference to the attached drawings. An optical recording medium and an optical recording and reading apparatus of the ninth embodiment are partially identical or similar to those of the fifth embodiment, and thus, a description of such parts will be omitted, and the description will be given focusing on differences from the fifth embodiment.
FIGS. 51 to 54 illustrate an internal configuration of an optical recording medium 10 to which an optical recording and reading method of the ninth embodiment of the present invention is applied and an internal configuration of an optical recording and reading apparatus 70 for achieving the optical recording and reading method. The recording and reading apparatus 70 includes first and second optical pickups 90A and 90B, first and second linear motion mechanisms 75A and 75B that move the first and second optical pickups 90A and 90B in a tracking direction, and a tracking control device 80 that controls the first and second linear motion mechanisms 75A and 75B. Reference numeral 86 denotes a digital signal processing device to/from which user information to be recorded or reproduced is input/output from/to an external information appliance, and controls data recorded on or data reproduced from the optical recording medium 10. Although not specifically illustrated, the first optical pickup 90A and the second optical pickup 90B have optical axes corresponding to each other.
As illustrated in FIG. 52, the first optical pickup 90A includes a recording and reading optical system 100A and a tracking optical system 200A. The recording and reading optical system 100A is an optical system that performs recording and reading on/from a first group of recording and reading layers 14 in the optical recording medium 10. The tracking optical system 200A is an optical system that performs tracking control using first and second servo layers 18 and 20 when information is recorded in the first group of recording and reading layers 14 using the recording and reading optical system 100A.
A beam 270A from the tracking optical system 200A is converted into a converging beam by an objective lens 156A and condenses on either of the first and the second servo layers 18 and 20 formed inside the optical recording medium 10. The beam 270A reflected by the first or second servo layer 18 or 20 passes through the objective lens 156A and is reflected by a beam splitter 260A, converted into linearly-polarized light, which is different by 90 degrees in phase from that on the outward path, by a quarter-wave plate 254A, and then further reflected by a polarizing beam splitter 252A.
As illustrated in FIG. 53, when information is recorded in a second group of recording and reading layers 34 by means of a recording and reading optical system 100B in the second optical pickup 90B, a tracking error (TE) signal obtained as a result of the first or second servo layer 18 or 20 being irradiated by the tracking optical system 200A in the first optical pickup 90A is used.
Referring back to FIG. 51, an access controller 82 in the tracking control device 80 controls the first and second optical pickups 90A and 90B as described below.
(Control performed by access controller during recording) The access controller 82 receives a recording and reading layer that is a recording target, and a tracking number thereof, from the later-described digital signal processing device 86, and determines whether the recording and reading layer that is a recording target is one that uses the first servo layer 18 to perform recording and reading, or one that uses the second servo layer 20 to perform recording and reading. Furthermore, the access controller 82 applies the tracking beam 270A from the first optical pickup 90A to a land/groove corresponding to a tracking number of the first or second servo layer 18 or 20 obtained as a result of the determination. This can be achieved by the access controller 82 performing feedback control of actuators 191A and 192A and the first linear motion mechanism 75A upon receipt of a tracking error (TE) signal obtained from the beam 270A from the tracking optical system 200A. In this state, the first optical pickup 90A applies a recording and reading beam 170A to the first group of recording and reading layers 14 to record information thereon.
Simultaneously with this, the access controller 82 controls actuators 191B and 192B and the second linear motion mechanism 75B using the tracking error (TE) signal from the first optical pickup 90A. In other words, the actuators 191A, 191B and the actuators 192A and 192B, and the first linear motion mechanism 75A and the second linear motion mechanism 75B operate in a perfectly same manner in the tracking direction. In this state, the second optical pickup 90B applies a recording and reading beam 170B to the second group of recording and reading layers 34 to record information thereon. As a result, in the present embodiment, the first and second optical pickups 90A and 90B are simultaneously subjected to tracking control using the common first or second servo layers 18 or 20 to simultaneously record information on the first and second groups of recording and reading layers 14 and 34.
(Control performed by access controller during reproduction) Reproduction from the first group of recording and reading layers 14 is performed by applying the beam 170A from the recording and reading optical system 100A in the first optical pickup 90A to the first group of recording and reading layers 14. Tracking control in this case is performed by the access controller 82 performing feedback control of the actuators 191A and 192A and the first linear motion mechanism 75A directly using a tracking error (TE) signal obtained from the recording and reading beam 170A, without using the tracking beam 270A.
Reproduction from the second group of recording and reading layers 34 is performed by applying the beam 170B from the recording and reading optical system 100B in the second optical pickup 90B to the second group of recording and reading layers 34. Tracking control in this case is performed by the access controller 82 performing feedback control of the actuators 191B and 192B and the second linear motion mechanism 75B directly using a tracking error (TE) signal obtained from the recording and reading beam 170B from the second optical pickup 90B. In other words, in the present embodiment, the first and second optical pickups 90A and 90B are separately subjected to tracking control, and information on the first group of recording and reading layers 14 and information on the second group of recording and reading layers 34 are simultaneously reproduced.
The digital signal processing device 86 includes a reproducing unit 87A, a recording unit 87B, a dividing/synthesizing unit 87C and an input/output interface unit 87D.
The reproducing unit 87A controls power of light sources 101A and 101B in the first and second optical pickups 90A and 90B to be constantly a predetermined reproduction level, thereby reproducing information recorded on the optical recording medium 10. Furthermore, the reproducing unit 87A receives analog reading signals from the first and second optical pickups 90A and 90B, and converts the analog signals into digital signals.
More specifically, the reproducing unit 87A decodes the analog signals into digital signals by means of, e.g., an A/D converter, a PR equalizer and an ML decoder, which are not specifically illustrated. The A/D converter converts a reproduced waveform into digital values. The PR equalizer performs sampling of the digital values and performs equalization processing so as to bring voltage levels thereof close to a PR reference class characteristic. The ML decoder selects a maximum ideal response from the signals subjected to the equalization processing in the PR equalizer to create binarized digital signals. As a result, the information recorded in the first group of recording and reading layers 14 is reproduced by the first optical pickup 90A into digitalized first data. Also, the information recorded in the second group of recording and reading layers 34 is reproduced by the second optical pickup 90B into digitalized second data. The first and second data are transferred to the dividing/synthesizing unit 87C.
The recording unit 87B individually controls power of the light sources 101A and 101B in the first and second optical pickups 90A and 90B based on a predetermined recording strategy, thereby recording/erasing information on/from the optical recording medium 10. More specifically, the recording unit 87B controls the recording power of the light source 101A in the first optical pickup 90A, thereby recording the first data on the first group of recording and reading layers 14. Also, the recording unit 87B controls the recording power of the light source 101B in the second optical pickup 90B, thereby recording the second data on the second group of recording and reading layers 34. The first data and the second data are ones received from the dividing/synthesizing unit 87C.
The dividing/synthesizing unit 87C divides data to be recorded into first data and second data, which have been received from the input/output interface unit 87D, and conveys the first data and the second to the recording unit 87B. The dividing/synthesizing unit 87C combines the first data and the second data received from the reproducing unit 87A to form one reproduced data, and conveys the reproduced data to the input/output interface unit 87D.
The input/output interface unit 87D receives/provides an input/output of information from/to an external information appliance. More specifically, the input/output interface unit 87D receives data to be recorded, from the external information appliance, and/or outputs reproduced data from the optical recording medium 10 to the external information appliance.
FIG. 54 is an enlarged view of a cross-sectional structure of the optical recording medium 10 of the present embodiment.
The optical recording medium 10 has a discoid shape with an outer diameter of approximately 120 mm and a thickness of approximately 1.2 mm. The optical recording medium 10 includes a first surface 10A, a first cover layer 11, the first group of recording and reading layers 14 and a first group of intermediate layers 16, a first buffer layer 17, the first servo layer 18, an inter-servo buffer layer 19, the second servo layer 20, a support substrate 12, a second buffer layer 37, the second group of recording and reading layers 34 and a second group of intermediate layers 36, a second cover layer 31 and a second surface 30A in this order from the first surface 10A side.
On the first surface 10A side of the support substrate 12, a land 20A and a groove 20B are provided in spirals. The land 20A and the groove 20B form a concavo-convex pattern (groove) for tracking control. The land 20A and the groove 20B will serve as a future second servo layer 20, which is used for tracking control.
In other words, the second servo layer 20 formed on the support substrate 12 includes the concavo-convex pattern (the land 20A and the groove 20B) for tracking control, which has been formed on a surface of the support substrate 12, and a reflective layer formed thereon.
Here, a pitch P1 between adjacent lands 20A or between adjacent grooves 20B of the second servo layer 20 is set to be smaller than 0.74 μm. More specifically, the pitch P1 is preferably set to be within a range from 0.6 to 0.7 μm, and more preferably set to around 0.64 μm. The pitch P1 (around 0.64 μm) between adjacent lands 20A or adjacent grooves 20B of the second servo layer 20 has a size allowing sufficient tracking to be performed using the beam 270A in a relatively-long, red wavelength range. In the present embodiment, tracking is performed using both the land 20A and the groove 20B. Consequently, a track pitch P2 of recording marks is set to be smaller than 0.37 μm relative to the pitch P1 of the second servo layer 20, is preferably set to be within a range from 0.26 to 0.35 μm, and more preferably set to around 0.32 μm, which is a half (½) of the pitch P1. Consequently, the track pitch P2 between the recording marks is around 0.32 μm, which is compatible with the BD standards. As described above, tracking control is performed using the land 20A and the groove 20B, respectively, enabling the track pitch P2 between the recording marks of the group of recording and reading layers 14 to be reduced even though the pitch P1 of the second servo layer 20 is not reduced.
The inter-servo buffer layer 19, which is provided on a surface of the second servo layer 20, includes a light transmissive, acrylic ultraviolet curable resin. A thickness of the inter-servo buffer layer 19 is set to, for example, 30 μm. On a surface of the inter-servo buffer layer 19, a land 18A and a groove 18B are formed in spirals using a stamper for a light transmitting resin. The land 18A and the groove 18B form a concavo-convex pattern (groove) for tracking control in the first servo layer 18. A direction of the spirals of the land 18A and the groove 18B are opposite to that of the land 20A and the groove 20B of the second servo layer 20.
The first servo layer 18 formed on the inter-servo buffer layer 19 includes the concavo-convex pattern for tracking control (the land 18A and the groove 18B), which have been formed on the surface of the inter-servo buffer layer 19, and a reflective layer formed thereon. Here, a metal film of, e.g., Al or Ag is formed as a reflective layer by sputtering so as to function as a simple light-reflecting film. The first servo layer 18 is set to have a high transmittance compared to the second servo layer 20. If a recording film that can record information in addition to the reflecting function is provided, a film configuration that is substantially similar to that of recording and reading layers 14A to 14F, which will be described later, may be provided.
A pitch P1 between adjacent lands 18A or between adjacent grooves 18B of the first servo layer 18 is made to correspond to that of the second servo layer 20. More specifically, the pitch P1 is set to around 0.64 μm.
The first buffer layer 17 includes a light transmissive, acrylic ultraviolet curable resin, and a thickness of the first buffer layer 17 is set to 208 μm.
With the above-described configuration, a boundary between the support substrate 12 and the first buffer layer 17 (i.e., the second servo layer 20) in the optical recording medium 10 is located 350 μm from the first surface 10A. Also, the first servo layer 18 is located 320 μm from the first surface 10A.
The rest of the structure is the same as that of the optical recording medium of the fifth embodiment. Consequently, the optical recording medium 10 has a symmetrical structure in a thickness direction except asymmetrical arrangement of the first and second servo layers 18 and 20.
Next, a method for producing the optical recording medium 10 of the ninth embodiment will be described.
As illustrated in FIG. 55A, a support substrate 12 with a groove and a land formed only on one side thereof is fabricated. Subsequently, a servo layer 20 is formed on a surface of the support substrate 12 on the side where the groove and the land are provided. The servo layer 20 is formed by forming a film having reflectivity for light from the light source in the tracking optical system 200A (for example, a metal film of, e.g., Al or Ag) by means of, e.g., sputtering.
Next, as illustrated in FIG. 55B, an inter-servo buffer layer 19 is formed on the second servo layer 20 side of the support substrate 12 where the second servo layer 20 has been formed. Here, a groove 18B and a land 18A are formed on a surface of the inter-servo buffer layer 19. More specifically, two opposite surfaces of the support substrate 12 are coated with an acrylic or epoxy ultraviolet curable resin with an adjusted viscosity, by means of, e.g., spin coating, and a groove 18B and a land 18A are formed using a transparent resin stamper on the inter-servo buffer layer 19 side of the support substrate 12, and then irradiated with ultraviolet light and thereby cured. Consequently, the inter-servo buffer layer 19 is formed. An inter-servo buffer layer 19 can be formed on the surface of the second servo layer 20 by means of, e.g., spraying or dipping, instead of an ultraviolet curable resin.
Subsequently, a first servo layer 18 is formed on a surface of the inter-servo buffer layer 19. More specifically, a film having both reflectivity and transmissivity for light from the light source in the tracking optical system 200A (for example, a metal thin film of, e.g., Al or Ag) is formed on the surface of the inter-servo buffer layer 19 by means of, e.g., sputtering.
Next, as illustrated in FIG. 55C, a first buffer layer 17 and a second buffer layer 37 are simultaneously formed on a surface of the first servo layer 18 and a surface 30A on the opposite side of the support substrate 12.
Next, as illustrated in FIG. 55D, an L0 recording and reading layer 14A in the first group of recording and reading layers 14 and an L0 recording and reading layer 34A in the second group of recording and reading layers 34 are simultaneously formed on the first buffer layer 17 and the second buffer layer 37, respectively.
Upon completion of formation of an L5 recording and reading layer 14F in the first group of recording and reading layers 14 and an L5 recording and reading layer 34F in the second group of recording and reading layers 34, as illustrated in FIG. 55D, first and second cover layers 11 and 31 are simultaneously formed thereon, whereby the optical recording medium 10 is completed.
Next, an optical recording and reading method for recording and reading information on/from the optical recording medium 10 using the optical recording and reading apparatus 70 of the present embodiment will be described with reference to FIGS. 56 to 59. In the present embodiment, a step of recording information simultaneously on the first and second groups of recording and reading layers using the first servo layer 18, and a step of recording information simultaneously on the first and second groups of recording and reading layers using the second servo layer 20 are alternately repeated.
First, a precondition for executing the optical recording and reading method will be described. As illustrated in FIG. 59, the optical recording medium 10 is arranged on a spindle S with the first surface 10A downside and the second surface 30A upside. Viewed from below the spindle S in an axis direction, the optical recording medium 10 rotates clockwise. A first spiral direction of the land 18A and the groove 18B of the first servo layer 18 is set to a direction in which the spirals spread counterclockwise from the inner peripheral side toward the outer peripheral side when the optical recording medium 10 is viewed from the first surface 10A side. Meanwhile, a second spiral direction of the land 20A and the groove 20B of the second servo layer 20 is set to a direction that the spirals spread clockwise from the inner peripheral side toward the outer peripheral side when the optical recording medium 10 is viewed from the first surface 10A side, that is, a direction opposite to the first spiral direction. Here, recording or reading on/from the first group of recording and reading layers 14 using the first optical pickup 90A is referred to as a first recording and reading operation, and recording or reading on/from the second group of recording and reading layers 34 using the second optical pickup 90B is referred to as a second recording and reading operation.
<Simultaneous Recording of Information in First and Second Groups of Recording and Reading Layers Using First Servo Layer>
The input/output interface unit 87D in the digital signal processing device 86 receives data to be recorded, from the external information appliance, and transmits the data to the dividing/synthesizing unit 87C. The dividing/synthesizing unit 87C divides the received data to be recorded into first data and second data and conveys the first data and the second data to the recording unit 87B. The recording unit 87B controls the recording power of the light source 101A in the first optical pickup 90A to record the first data on the first group of recording and reading layers 14 (first recording and reading operation). Simultaneously with that, the recording unit 87B controls the recording power of the light source 101B in the second optical pickup 90B to record the second data on the second group of recording and reading layers 34 (second recording and reading operation). Details of the first and second recording and reading operations will be described below.
(First recording and reading operation) As illustrated in FIGS. 56 and 59A, when recording information on the L0 recording and reading layer 14A in the first group of recording and reading layers 14, the beam 270A in the red wavelength range from the tracking optical system 200A in the first optical pickup 90A is applied to the first servo layer 18 from the first surface 10A to perform tracking. More specifically, a spot of the beam 270A is applied to the groove 18B and the land 18A of the first servo layer 18 to perform tracking.
Furthermore, simultaneously with the tracking, the recording beam 170A in a blue wavelength range from the recording and reading optical system 100A in the first optical pickup 90A is applied to the L0 recording and reading layer 14A from the first surface 10A.
As a result, information is recorded on the L0 recording and reading layer 14A from the inner peripheral side toward the outer peripheral side along the groove 18B and the land 18A relative to the optical recording medium 10 that rotates clockwise viewed from the first surface 10A side. The track pitch P2 of recording marks formed at the L0 recording and reading layer 14A is a half of the pitch P1 between grooves 18B or between lands 18A.
(Second recording and reading operation) When recording information on the L0 recording and reading layer 34A in the second group of recording and reading layers 34, tracking control of the second optical pickup 90B is performed using a tracking error signal from the first optical pickup 90A in the first recording and reading operation. Consequently, the optical axes of the first optical pickup 90A and the second optical pickup 90B face each other and substantially correspond to each other. In this state, a recording beam 170B in a blue wavelength range from the recording and reading optical system 100B in the second optical pickup 90B is applied to the L0 recording and reading layer 34A.
As a result, as illustrated in FIG. 59A, information is recorded on the L0 recording and reading layer 34A from the inner peripheral side toward the outer peripheral side along the groove 18B and the land 18A of the first servo layer 18 relative to the optical recording medium 10 that rotates counterclockwise viewed from the second surface 30A side. The track pitch P2 of recording marks formed at the L0 recording and reading layer 34A is also a half of the pitch P1 between grooves 18B or between lands 18A of the first servo layer 18.
The first recording operation and the second recording operation, which have been described above, are concurrently performed, thereby achieving simultaneous recording of information on the first and second groups of recording and reading layers 14 and 34 using the first servo layer 18.
Information on basic specifications of the optical recording medium 10 and the number of layers stacked in each of the first and second groups of recording and reading layers 14 and 34 are previously recorded in a recording pit or a BCA (burst cutting area) of the first servo layer 18. Accordingly, such information is always read by the beam 270A in the red wavelength range before start of tracking control. The basic specifications of the optical recording medium 10 include positions of the first and second servo layers 18 and 20, positions of the respective recording and reading layers, and rules on an inter-layer distance in the groups of recording and reading layers.
After completion of necessary information recording on the L0 recording and reading layer 14A in the first group of recording and reading layers 14 and the L0 recording and reading layer 34A in the second group of recording and reading layers 34, relevant additional information (e.g., address information on recording and content information) is simultaneously recorded in management areas provided in advance in parts of the L0 recording and reading layers 14A and 34A.
Subsequently, when information recording on the L0 recording and reading layers 14A and 34A is resumed, first, the information in the management areas of the L0 recording and reading layers 14A and 34A is reproduced to check positions where the previous recording has been completed, and recording is continued from those positions. As described above, recording is simultaneously continued until completion of information recording on all data areas of the L0 recording and reading layers 14A and 34A.
<Simultaneous Recording of Information in First and Second Groups of Recording and Reading Layers Using Second Servo Layer>
Upon end of recording on data areas of the L0 recording and reading layers 14A and 34A, as illustrated in FIGS. 57 and 59B, recording on data areas of the L1 recording and reading layers 14B and 34B adjacent to the L0 recording and reading layers 14A and 34A is started.
(First recording and reading operation) When recording information on the L1 recording and reading layer 14B in the first group of recording and reading layers 14, the beam 270A in the red wavelength range from the first optical pickup 90A is applied to the second servo layer 20 from the first surface 10A to perform tracking. More specifically, a spot of the beam 270A is applied to the groove 20B and the land 20A of the second servo layer 20 to perform tracking.
Furthermore, simultaneously with the tracking, the recording beam 170A in the blue wavelength range from the recording and reading optical system 100A in the first optical pickup 90A is applied from the first surface 10A to the L1 recording and reading layer 14B.
As a result, information is recorded on the L1 recording and reading layer 14B from the outer peripheral side toward the inner peripheral side along the groove 20B and the land 20A relative to the optical recording medium 10 that rotates clockwise (first rotation direction) viewed from the first surface 10A side. A track pitch P2 of recording marks formed on the L1 recording and reading layer 14B is a half of the pitch P1 between grooves 20B or between lands 20A.
(Second recording and reading operation) When recording information on the L1 recording and reading layer 34B in the second group of recording and reading layers 34, tracking control of the second optical pickup 90B is performed using a tracking error signal from the first optical pickup 90A in the first recording and reading operation. Simultaneously with the tracking, the recording beam 170B in the blue wavelength range from the recording and reading optical system 100B in the second optical pickup 90B is applied to the L1 recording and reading layer 34B.
As a result, information is recorded on the L1 recording and reading layer 34B from the outer peripheral side toward the inner peripheral side along the groove 20B and the land 20A of the second servo layer 20 relative to the optical recording medium 10 that rotates counterclockwise (second rotation direction) viewed from the second surface 30A side. A track pitch P2 of recording marks formed on the L1 recording and reading layer 34B is also a half of the pitch P1 between grooves 20B or between lands 20A of the second servo layer 20.
The first recording operation and the second recording operation, which have been described above, are concurrently performed, thereby achieving simultaneous recording of information on the first and second groups of recording and reading layers 14 and 34 using the second servo layer 20.
After completion of necessary information recording on the L1 and L2 recording and reading layers 14B and 34B, relevant additional information (e.g., address information on the recording and content information) is recorded in the aforementioned management areas of the L0 recording and reading layers 14A and 34A.
As a result of repetition of the above recording operations, in the present optical recording and reading method, as indicated by arrow Q in FIG. 57, recording from the inside toward the outside in a radial direction of the optical recording medium 10 using the first servo layer 18 and recording from the outside toward the inside in the radial direction of the optical recording medium 10 using the second servo layer 20 are alternately performed.
Furthermore, in the present embodiment, information is recorded simultaneously on a pair of recording and reading layers in a same ordinal position from the center side in the thickness direction in the first and second groups of recording and reading layers 14 and 34. Specifically, a pair of recording and reading layers is selected in stacking order from the center side toward the outside in the thickness direction of the optical recording medium 10, and information is recorded on the pair of recording and reading layers.
Here, although a case where management areas are provided in the L0 recording and reading layers 14A and 34A has been described, management areas can be provided in other recording and reading layers. Also, where the first and second servo layers 18 and 20 have recording films, it is preferable that management areas be provided in the first and second servo layers 18 and 20 to record additional information therein. Recording on the first and second servo layers 18 and 20 may be performed using the beam 270A used for tracking control. Concentration of management information in the first and second servo layers 18 and 20 enables simultaneous obtainment of management information on both the first group of recording and reading layers 14 and the second group of recording and reading layers 34.
| 20,473 |
US-201314037406-A_2 | USPTO | Open Government | Public Domain | 2,013 | None | None | English | Spoken | 1,572 | 2,393 | Example 1
Water-based binder grams % Tradename Supplier Water Based 3.5 21.5% Joncryl 624 BASF Binder Water 7 42.9% Water Sodium 5.4 33.1% Sipernat 820a Evonik Aluminum Silicate m-cresol 0.1 0.6% colorant Sigma- purple Aldrich NaOH (50%) 0.3 1.8% NaOH (50%) Sigma- Aldrich 16.3 100.0% Mix well and make a thin film with a drawdown wire. After the water evaporates, a thin light yellow film results.
Example 2 Alcohol-Based Binder
Ingredient % Tradename Supplier Alcohol Soluble 3.4 20.0% Veramid 759 BASF Polyamide Binder Ethanol 6 35.2% J T Baker Ethyl acetate 1 5.9% J T Baker Nitrocellulose 0.5 2.9% SS Nitrocellulose, Hercules ¼ sec Aluminum Silicate 5.1 29.9% Sipernat 820a Evonik Bromocresol purple, 0.03 0.2% Colorant Sigma free acid Aldrich Sodium hydrogen 1 5.9% Hydrochromic Sigma carbonate Ionic Compound Aldrich 17.03 100.0%
The liquid activated formulation is normally prepared by simply mixing the liquid activated colorant, the hydrochromic ionic compound and the opacifier into the solvent. The desired components of the liquid activated formulation can be mixed together using conventional means using adequate shearing forces to attain an essentially homogeneous mixture. The liquid activated ccolorant, the hydrochromic ionic compound and the opacifier will be incorporated into the solvent at levels which are adequate to make a liquid activated formulation having desired characteristics. For instance, the liquid activated formulation will be capable of being coated onto a substrate, such as by a printing process, and upon drying will adhere to the surface of the substrate. The liquid activated formulation of this invention can be coated onto paper, non-woven fabric, woven fabric, plastic or other surfaces by silk screen printing, flexo-printing, gravure, inkjet printing, by application with a Myers rod, slot coating, spraying, extruding or by other suitable techniques. After drying on the substrate, the formulation will change color on exposure to water. The coating will preferably change to a blue or purple color on exposure to water.
According to an aspect of the invention, FIGS. 1-3 show an absorbent article 10 in an unfastened and uncontracted state that has a liquid permeable topsheet 12, a liquid impermeable backsheet 14, a liquid absorbent core 16 disposed between the topsheet 12 and the backsheet 14, further comprising a liquid indicator 20. The liquid indicator 20 comprises a coating 18 of liquid indicating ink disposed on the backsheet 14, between the backsheet 14 and the absorbent core 16, such that it is visually revealed when the coating 18 is wetted with body fluids. The liquid indicator is the liquid-activated formulation as described above. This liquid indicator may change color entirely when in contact with liquid, or may change noticeable shades of color, or may change from an almost white (so as it appears that there is no colorant there) to a color, or may change from a color to a white/colorless state. FIG. 2 shows an example of how the absorbent article may appear when wet, wherein the liquid indicator 20 appears in a raindrop pattern that is visible when wet. The liquid-activated formulation may be a single layer.
The dimensions and values disclosed herein are not to be understood as being strictly limited to the exact numerical values recited. Instead, unless otherwise specified, each such dimension is intended to mean both the recited value and a functionally equivalent range surrounding that value. For example, a dimension disclosed as “40 mm” is intended to mean “about 40 mm.”
Every document cited herein, including any cross referenced or related patent or application, is hereby incorporated herein by reference in its entirety unless expressly excluded or otherwise limited. The citation of any document is not an admission that it is prior art with respect to any invention disclosed or claimed herein or that it alone, or in any combination with any other reference or references, teaches, suggests or discloses any such invention. Further, to the extent that any meaning or definition of a term in this document conflicts with any meaning or definition of the same term in a document incorporated by reference, the meaning or definition assigned to that term in this document shall govern.
While particular embodiments of the present invention have been illustrated and described, it would be obvious to those skilled in the art that various other changes and modifications can be made without departing from the spirit and scope of the invention. It is therefore intended to cover in the appended claims all such changes and modifications that are within the scope of this invention.
We claim:
1. A liquid activated formulation comprising: (A) a liquid-activated colorant; (B) a hydrochromic ionic compound; (C) an opacifier; and (D) a solvent-based binding matrix.
2. The liquid-activated formulation of claim 1, wherein the solvent is an aqueous solvent.
3. The liquid-activated formulation of claim 1, wherein the solvent is water.
4. The liquid-activated formulation of claim 1, wherein the solvent is an alcohol-based solvent.
5. The liquid-activated formulation of claim 1, further comprising a permanent colorant.
6. An absorbent article comprising the liquid-activated formulation of claim 1, wherein said liquid-activated formulation is affixed to a structural component of the absorbent article.
7. An absorbent article comprising the liquid-activated formulation of claim 1, wherein the article comprises a backsheet, a topsheet, an absorbent core disposed between the backsheet and the topsheet, wherein the liquid-activated formulation is a single layer and disposed between the backsheet and the absorbent core.
8. An absorbent article comprising the liquid-activated formulation of claim 1, wherein the article comprises a backsheet, a topsheet, an absorbent core disposed between the backsheet and the topsheet, wherein the liquid-activated formulation is a single layer and disposed between the topsheet and the absorbent core.
9. The liquid-activated formulation of claim 1, wherein the solvent-based binding matrix hinders leaching of the colorant.
10. The liquid activated formulation as specified in claim 1 wherein the liquid activated colorant is selected from the group consisting of Malachite green, brilliant green, crystal violet, erythrosine B, methyl green, methyl violet 2D, picric acid, naphthol yellow S, quinaldine red, eosine Y, metanil yellow, m-cresol purple, thymol blue, xylenol blue, basis fuchsin, eosin B, 4-p-aminophenol(azo)benzenesulphonic acid-sodium salt, cresol red, martius yellow, phloxine B, methyl yellow, bromophenol blue, congo red, methyl orange, bromochlorophenol blue (water soluble or free acid form), ethyl orange, flourocene WS, bromocresol green, chrysoidine, methyl red sodium salt, alizarine red S—H2O, cochineal, chlorophenol red, bromocresol purple, 4-naphtha, alizarin, nitrazine yellow, bromothymol blue, brilliant yellow, neutral red, rosalic acid, phenol red, 3-nitro phenol, orange II, phenolphthalein, o-cresolphthalein, nile blue A, thymolphthalein, aniline blue WS, alizarine yellow GG, mordant orange, tropaolin O, orange G, acid fuchsin, thiazol yellow G, indigo carmine, FD&C Blue No. 1, FD&C Blue No. 2, FD&C Green No. 3, FD&C Red No. 40, FD&C Red No. 4, FD&C Yellow No. 5, FD&C Yellow No. 6, C.I. Food Blue 5, and C.I. Food Red 7, D&C Yellow No. 10, D&C Yellow No. 7, D&C Yellow No. 2, D&C Yellow No. 8, D&C Orange No. 4, D&C Red No. 22, D&C Red No. 28, D&C Red No. 33, D&C Green No. 8, D&C Green No. 5, D&C Brown No. 1 and any combination thereof.
11. The liquid activated formulation as specified in claim 1 wherein the hydrochromic ionic compound is selected from the group consisting of lithium hydrogen sulfate, lithium hydrogen carbonate, potassium hydrogen sulfate, potassium hydrogen carbonate, rubidium hydrogen sulfate, rubidium hydrogen carbonate, cesium hydrogen sulfate, cesium hydrogen carbonate, sodium hydrogen sulfate, sodium hydrogen carbonate, sodium carbonate, cesium hydroxide, lithium hydroxide, potassium hydroxide, calcium hydroxide, magnesium hydroxide, sodium thiosulfate penta hydrate, sodium hydroxide, rubidium hydroxide, cobalt chloride, cobalt nitrate, copper sulpate copper nitrate, iron (II) sulfate, iron (III) sulfate, iron (II)chloride, iron (III) chloride, sodium aluminum silicate, citric acid, monosodium dihydrogen citrate, disodium hydrogen citrate, trisodium citrate, gluconic acid, sodium gluconate, glycolic acid, sodium glycolate, malic acid, sodium malate, maleic acid, sodium maleate, acetic acid, phosphoric acid, trisodium phosphate, sodium dihydrogen phosphate, disodium hydrogen phosphate, monostearyl phosphate, monocetyl phosphate, monostearyl citrate, hydrochloric acid, nitric acid, sulfuric acid and combinations thereof.
12. The liquid activated formulation as specified in claim 1 wherein the opacifier is selected from the group consisting of titanium dioxide, calcium carbonate, calcium hydroxide, sodium silicate, potassium silicate, silica, starch, ethocell, methocell, barium carbonate, barium silicate, calcium silicate, aluminum silicate, aluminum hydroxide, aluminum oxide, sodium aluminum silicate, zirconium silicate, magnesium aluminum silicate, and styrene/acrylate copolymers.
13. The liquid activated formulation as specified in claim 1 wherein the a liquid activated colorant is present in the liquid activated formulation in an amount which is within the range of about 0.01 weight percent to about 20 weight percent, wherein the hydrochromic ionic compound is present in the liquid activated formulation in an amount which is within the range of about 0.05 weight percent to about 35 weight percent, wherein the opacifier is present in the liquid activated formulation in an amount which is within the range of about 5 weight percent to about 75 weight percent, and wherein the binding matrix is present in the liquid activated formulation in an amount which is within the range of about 5 weight percent to about 75 weight percent, based upon the total weight of the liquid activated formulation.
14. The liquid-activated formulation of claim 1, wherein the liquid-activated formulation has a color transition selected from the group consisting of a) colored to uncolored, b) uncolored to colored, c) colored to a different color, or d) a combination of a) and b) and c)..
| 35,061 |
https://www.wikidata.org/wiki/Q21753481 | Wikidata | Semantic data | CC0 | null | Chitter Bīl | None | Multilingual | Semantic data | 32 | 87 | Chitter Bīl
Chitter Bīl
Chitter Bīl Geonames-ID 7479167
Chitter Bīl land Bangladesh
Chitter Bīl inom det administrativa området Khulna
Chitter Bīl GNS-ID 10819720
Chitter Bīl geografiska koordinater
Chitter Bīl instans av våtmark | 70 |
https://stackoverflow.com/questions/50686957 | StackExchange | Open Web | CC-By-SA | 2,018 | Stack Exchange | Kenny Seyffarth, asmodeoux, https://stackoverflow.com/users/2139738, https://stackoverflow.com/users/8463406 | English | Spoken | 740 | 4,281 | Dialogs don't work after using attrs
I decided to add Night Theme to my app, so I replaced @colors with ?attrs.
So I have an activity with toolbar, from which I'm trying to open a dialog with some settings. Dialogs do not wish to open and cause crash.
Logs:
android.view.InflateException: Binary XML file line #3: Binary XML file line #3: Error inflating class android.widget.TextView
Caused by: android.view.InflateException: Binary XML file line #3: Error inflating class android.widget.TextView
Caused by: java.lang.reflect.InvocationTargetException
at java.lang.reflect.Constructor.newInstance0(Native Method)
at java.lang.reflect.Constructor.newInstance(Constructor.java:343)
at android.view.LayoutInflater.createView(LayoutInflater.java:647)
at com.android.internal.policy.PhoneLayoutInflater.onCreateView(PhoneLayoutInflater.java:58)
at android.view.LayoutInflater.onCreateView(LayoutInflater.java:720)
at android.view.LayoutInflater.createViewFromTag(LayoutInflater.java:788)
at android.view.LayoutInflater.createViewFromTag(LayoutInflater.java:730)
at android.view.LayoutInflater.inflate(LayoutInflater.java:492)
at android.view.LayoutInflater.inflate(LayoutInflater.java:423)
at android.widget.ArrayAdapter.createViewFromResource(ArrayAdapter.java:424)
at android.widget.ArrayAdapter.getView(ArrayAdapter.java:415)
at android.widget.AbsSpinner.onMeasure(AbsSpinner.java:204)
at android.widget.Spinner.onMeasure(Spinner.java:602)
at android.support.v7.widget.AppCompatSpinner.onMeasure(AppCompatSpinner.java:426)
at android.view.View.measure(View.java:23165)
at android.widget.RelativeLayout.measureChildHorizontal(RelativeLayout.java:715)
at android.widget.RelativeLayout.onMeasure(RelativeLayout.java:461)
at android.view.View.measure(View.java:23165)
at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6749)
at android.widget.LinearLayout.measureChildBeforeLayout(LinearLayout.java:1535)
at android.widget.LinearLayout.measureVertical(LinearLayout.java:825)
at android.widget.LinearLayout.onMeasure(LinearLayout.java:704)
at android.view.View.measure(View.java:23165)
at android.widget.RelativeLayout.measureChildHorizontal(RelativeLayout.java:715)
at android.widget.RelativeLayout.onMeasure(RelativeLayout.java:461)
at android.view.View.measure(View.java:23165)
at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6749)
at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
at android.view.View.measure(View.java:23165)
at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6749)
at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
at android.view.View.measure(View.java:23165)
at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6749)
at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
at com.android.internal.policy.DecorView.onMeasure(DecorView.java:720)
at android.view.View.measure(View.java:23165)
at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2689)
at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1528)
at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1826)
at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1443)
at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:7125)
at android.view.Choreographer$CallbackRecord.run(Choreographer.java:935)
at android.view.Choreographer.doCallbacks(Choreographer.java:747)
at android.view.Choreographer.doFrame(Choreographer.java:682)
at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:921)
at android.os.Handler.handleCallback(Handler.java:873)
at android.os.Handler.dispatchMessage(Handler.java:99)
at android.os.Looper.loop(Looper.java:164)
at android.app.ActivityThread.main(ActivityThread.java:6649)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:493)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:826)
Caused by: java.lang.UnsupportedOperationException: Failed to resolve attribute at index 5: TypedValue{t=0x2/d=0x7f0401a5 a=-1}
at android.content.res.TypedArray.getColorStateList(TypedArray.java:546)
at android.widget.TextView.readTextAppearance(TextView.java:3542)
at android.widget.TextView.<init>(TextView.java:959)
at android.widget.TextView.<init>(TextView.java:869)
at android.widget.TextView.<init>(TextView.java:865)
... 52 more
And here is the XML it doesn't like:
<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout
xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="wrap_content"
xmlns:app="http://schemas.android.com/apk/res-auto"
android:background="?attr/vk_white"
android:paddingTop="10dp"
android:paddingLeft="10dp"
android:paddingRight="10dp">
<TextView
android:id="@+id/headline"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:padding="10dp"
android:text="@string/setup_home"
android:textSize="20sp"
/>
<View
android:layout_width="match_parent"
android:layout_height="1dp"
android:layout_below="@id/headline"
android:background="?attr/vk_grey_color"/>
<LinearLayout
android:orientation="vertical"
android:layout_marginTop="5dp"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_below="@id/headline">
<RelativeLayout
android:id="@+id/warning_layout"
android:layout_width="match_parent"
android:visibility="gone"
android:background="?attr/warning"
android:layout_height="wrap_content">
<ImageView
android:id="@+id/warning_icon"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
app:srcCompat="@drawable/ic_warning"
android:padding="10dp"/>
<TextView
android:layout_toRightOf="@id/warning_icon"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:textColor="?attr/vk_white"
android:textSize="16sp"
android:text="@string/warning_home"
android:padding="8dp"/>
</RelativeLayout>
<RelativeLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:padding="3dp">
<TextView
android:id="@+id/whose_show"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:padding="10dp"
android:text="@string/show_photos_of"
android:textAppearance="@android:style/TextAppearance.Material.Medium" />
<Spinner
android:id="@+id/whose_spinner"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_marginLeft="3dp"
android:layout_marginBottom="15dp"
android:layout_below="@+id/whose_show"
android:layout_alignParentRight="true"
/>
<RelativeLayout
android:id="@+id/edit_layout"
android:layout_width="match_parent"
android:layout_below="@+id/whose_spinner"
android:visibility="gone"
android:layout_centerHorizontal="true"
android:layout_height="wrap_content">
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textAppearance="@android:style/TextAppearance.Material.Medium"
android:padding="10dp"
android:text="@string/how_many"/>
<EditText
android:id="@+id/counter_edit"
android:layout_alignParentRight="true"
android:layout_width="60dp"
android:gravity="center"
android:layout_height="wrap_content"
android:inputType="numberDecimal" />
</RelativeLayout>
<Button
android:id="@+id/setup_button"
style="@style/Widget.AppCompat.Button.Borderless.Colored"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:visibility="gone"
android:padding="3dp"
android:layout_below="@+id/whose_spinner"
android:layout_centerHorizontal="true"
android:text="@string/setup_list" />
</RelativeLayout>
<RelativeLayout
android:id="@+id/sort_by_name"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:padding="3dp"
android:layout_marginBottom="5dp">
<TextView
android:id="@+id/sorttext"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:padding="10dp"
android:text="@string/sort" />
<Spinner
android:layout_below="@id/sorttext"
android:id="@+id/sort_spinner"
android:layout_marginLeft="3dp"
android:paddingBottom="3dp"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_alignParentEnd="true"
android:layout_centerVertical="true"/>
</RelativeLayout>
<View
android:layout_marginTop="5dp"
android:layout_width="match_parent"
android:layout_height="1dp"
android:layout_below="@id/sort_by_name"
android:background="?attr/vk_grey_color"/>
<RelativeLayout
android:layout_width="match_parent"
android:layout_height="wrap_content">
<Button
android:id="@+id/savePrefsHome"
android:layout_alignParentEnd="true"
android:padding="3dp"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/save"
android:background="@android:color/transparent"
android:textAppearance="@style/TextAppearance.AppCompat.Widget.Button.Borderless.Colored" />
</RelativeLayout>
</LinearLayout>
</RelativeLayout>
I've already tried to remove @style parts from TextViews, But it didn't help. Has anyone faced similar problem? What is wrong?
EDIT
Dialog is started like this:
HomeDialog settings = new HomeDialog();
settings.showDialog(activity, getWhoseSelected(), getSortSelected());
And the showDialog method just uses this data for spiners' setup.
Here is styles XML as well:
<!-- Base application theme. -->
<style name="AppTheme" parent="Theme.AppCompat.Light.DarkActionBar">
<item name="colorPrimary">#3e4160</item>
<item name="colorPrimaryDark">#203e58</item>
<item name="colorAccent">#5f6cde</item>
<item name="homepage">#f4f4f4</item>
<item name="home">#e4e4e4</item>
<item name="darkgrey">#b4b4b4</item>
<item name="lighty">#fcfcfc</item>
<item name="darkest">#5e5e5e</item>
<item name="warning">#a8b2d4</item>
<item name="notification">#b8abd4</item>
<item name="pano">#1f4490</item>
<item name="pinky">#ff6b6b</item>
<item name="navColor">#203e58</item>
<item name="vk_black">#000</item>
<item name="vk_grey_color">#f0f2f5</item>
<item name="vk_white">#fff</item>
<item name="black_overlay">#66000000</item>
</style>
<!-- Dark application theme. -->
<style name="AppTheme_NightMode" parent="Theme.AppCompat.Light.DarkActionBar">
<item name="colorPrimary">#252525</item>
<item name="colorPrimaryDark">#161616</item>
<item name="colorAccent">#5f6cde</item>
<item name="homepage">#252525</item>
<item name="home">#3b3b3b</item>
<item name="darkgrey">#b4b4b4</item>
<item name="lighty">#fcfcfc</item>
<item name="darkest">#5e5e5e</item>
<item name="warning">#a8b2d4</item>
<item name="notification">#b8abd4</item>
<item name="pano">#1f4490</item>
<item name="pinky">#ff6b6b</item>
<item name="navColor">#9e9e9e</item>
<item name="vk_black">#000</item>
<item name="vk_grey_color">#f0f2f5</item>
<item name="vk_white">#fff</item>
<item name="black_overlay">#66000000</item>
</style>
Dialog is being built inside HomeDialog class:
final Dialog dialog = new Dialog(activity);
// some actions with the data
dialog.show();
How do you start the dialog? Do this via the activity context, which contains the themes and knows your used attributes. Could you add your style xml?
@KennySeyffarth can you give me example how do I do this with context? For now the dialog is being constructed with the data and uses dialog.show() to show itself.
Did you prepared the possible attributes in your project? like an "attr.xml" file and named the attributes like ""? Did you set the correct dialog style in your themes? like
"@style/aTheme" which takes care about your custom attributes?
@KennySeyffarth i have attrs file with color names, but I use custom XML for dialog, so do I still need to use theme for it? Dialog's xml is clipped to the topic.
I think so, if you check the constructor of a Dialog,
"if (createContextThemeWrapper) {
if (themeResId == ResourceId.ID_NULL) {
final TypedValue outValue = new TypedValue();
context.getTheme().resolveAttribute(R.attr.dialogTheme, outValue, true);
themeResId = outValue.resourceId;
}
mContext = new ContextThemeWrapper(context, themeResId);
} else {
mContext = context;
}"
you simply should add the missing attributes into the dialog theme, which you prepare in your styles. (I'm honest, i did not played so often with custom attributes. But this would be my first check, if i have such kinds of problems)
| 18,171 |
bpt6k819256z_2 | French-PD-Newspapers | Open Culture | Public Domain | null | Le Populaire : journal-revue hebdomadaire de propagande socialiste et internationaliste ["puis" socialiste-internationaliste] | None | French | Spoken | 8,206 | 13,590 | Notre camarade Tiefaine, grand mutilé de guerre, homme plein de qualités intellectuelles, sera un candidat de principe dont le courage n'aura d'égal que le dévouement au socialisme. Sa tâche sera difficile. 11 le sait. Heureux il sera, en défen! dant sa candidature, de répandre la j doctrine et' de convaincre de nou] veaux adhérents. LES AUTRES CIRCONSCRIPTIONS Dans la circonscription de Châteaubriant et dans celle d'Ancenis, où les marquis régnent encore incontestablement, les socialistes présenteront un candidat contre eux. Il faudra de longues années encore avant que' ces deux fiefs de la réaction ét du cléricalisme soient profondément entamés par notre propagande. Mais nos amis de Loire-Inférieure, ne désespèrent pas de faire un jour une tournée victorieuse dans la zone d'influence des conservateurs: ruraux. Tout d'abord, et avec juste raison, ils veillent gagner à noiregrande cause de: progrès social les centres' industriels; Là, unefois prises leurs positions, puis consolidées, ils élargiront leur champ d'intense activité. C'est à. ce' titre que des succès électoraux auraient pour' le parti une grande importance; Je suis, quant à moi, plein d'optimisme sur l'issue de la lutte;, laquelle' en tout cas sera profitable au socialisme et au rayon t nement de notre programme de jusi tice et de paix sociale. R. L. 1 Costes et Le Brix vont partir pour "Frisco" j New-York, 29 février. Les deux aviateurs français Costes et Le Brix,: actuellement à New-York, ont «n* noncé qu'ils avaient l'intention de} continuer dès demain leur randon née. Ils ont. procédé à l'installation, & bord de leur avion, -d'un nouveau moteur avec lequel ils ont fait; quelques essais. Les deux aviateurs ont annoncé leur intention de partir pour San} Francisco. Ils suivront la route deS î avions postaux et ne feront que: dit brèves escales à Cheyenne et à Çhi« { cago. Costes et Le Brix s'embarqueront après pour Tokio, emportant ave$ eux leur avion démonté. î Une jeune femme se suicide Mariée à 17 ans, une pauvre é& faut-, P,aymonde Metterie, avait étéj par son mari, chargée de gérer -un, « débit ». L'enfant écouta le% propos, enjôleurs d'un -ami et s'en fut à Paris. Mais bientôt désillusionnée, elle revint à Provins, où son mari refusa de lui pardonner son escapade. Désespérée, la pauvre enfant s'est suicidée en absorbant une forte dosa* de médicaments. Elle est morte après être restée 72 heures dans xuj sommeil léthargique. L'assassinat d'une marchand* de journaux Une marchande de journaux, Mme| veuve Marteau, a été l'objet, l'autre matin d'une tentative d'assassinat dans son domicile, 49, rue des Poissonniers. La victime a été frappée à coups de fer à repasser, si brutalement que la pauvre femme a perdu connaissance et qu'on désespère de la ramener à la vie. Dés empreintes digitales ont été relevées et permettront peut-être d'identifier l'assassin. L'ÉTABLI DE MÊME PERFECTIONNÉ IFco 46 fc. FRANCE Permet ?'^êcuter tous travaux de rflenuiserie et 'Sertni-r rerie. tfadâpte_-instantanérnent n'importe où. N'est pas ' ~ eneomP/rant. Remplace ' l'établi et lé'tau.* Très recùmi, mândè-au£ pères de iàmiUes, aux amateurs saas-filistes, . ' photographes, nriefcleûrs. R-F. ONIQUET ©,h OMANS (Drôroe) Notice 0 fr, 75. C C Lyon 6 >29 MIEUX MEILLEUR MARCHÉ Les personnes qui n'auraient pas reçu le catalogue spécial de l'exposition du samedi 3 mars et .îoUrs suivants, organisée par les Etablissements AI.f.EZ Frères (Au Châtelët, ont intérêtavant tout achat, d'en demander l'envoi immédiat. Camarades Italiens ! Lisez dans LA LIBERTÉ OUVRIERE la page 'italienne 4 4 partir du 4 Mars < La Liberté Ouvrière i eerâ dans tous les ktosaues. titfui; Nouvelles Internationales AU PARADIS DU La cruelle crise économique des États-Unis d'Amérique On sait quel a été depuis quelques Imitées le leit-motiv, le refrain Je itous les avocats, dé tous les apologistes internationaux du régime capitaliste, à Paris comme à Londres jou à Berlin : l'apologie de l'individualisme américain dont M. Hoover exaltait les mérites avec tarit d'éloquence qu'on a songé à faire dé lui ;un président des Etats-Unis. De M. Romier du « lient français » à M. Paul Reynaud, orateur dominical de la croisade amisocialiste, en passant par M. de Kérillis et M. Billiet chez tous nos adversaires les plus acharnés, nous retrouvons le même argument : l'exemple de la prospérité formidable des Etats-Unis, du bien-être que lé capitalisme y aurait assuré à là classe ouvrière brandi contre nous, conitré l'idéal d'émancipation du prolétariat moderne. Les « Etats », comme on dit de l'autre côté de l'Atlantique, nous offraient, selon ces messieurs, là preuve tangible que le capitalisme pouvait résoudre ses propres problèmes, ,que le chômage pouvait être éliminé, (de hauts salaires et tout un « standard of life », un niveau de vie élevé, assurés dans le cadré de la société (actuelle, à des travailleurs contents ide leur sort. Et nuis voici que nous arrivent du paradis du capitalisme d'étonnantes, de suggestives nouvelles. En Amérique le « boom », la poussée |économique s'effondre, une crise désastreuse lui succède suivant le '(rythme normal décrit par les maîtres du socialisme moderne. Le stïmulant artificiel d'une énorme accumulation d'or a perdu sa force. Partout on diminue les salaires. Les mineurs des bassins dé Pensylvanie et de l'Illinois mènent une lutte héroïque et désespérée pour conserver un « étalon de vie » péniblement conquis, les ouvriers des textiles de la nouvelle Angleterre [doivent accepter de lourdes réductions de salaire sous la menace de lia concurrence de la main-d'oeuvre [misérable des Etats du Sud, inorganisée, privée de toute protection législative. La mécanique, l'industrie jde l'acier, toutes les « industries fondamentales » sont également atteintes. L'agriculture la plus importante de toutes les industries yankees est dans une condition pitoyable Le fermier de l'ouest, si ^souvent dans le passé l'élémant le .plus révolutionnaire de la vie politique américaine s'agite et proteste. Ses représentants font retentir le NSenat de Washington de leurs plaintes. i Le chômage ce chômage dont î|es apologistes de 1' « américanis!|me », du « fordisme » et autres similaires bobards, nous annonçaient qu'il avait été éliminé de la grande (République des milliardaires, exerce :$es ravages avec plus d'ampleur qu'en aucun Etat de la vieille Eu rope. Nous ne possédons pas, à vrai dire, de statistiques comparables à celles que nous fournissent pour ï Angleterre ou l'Allemagne les institutions de protection contre le chô image. Dans l'Union américaine, il In'existe encore aucune organisation nationale des assurances sociales contre le chômage. Mais le Bureau jdu Travail fédéral estime actuellement à 4.000.000 le nombre des sanstrovail. Partout on est contraint d'ouvrir des « chantiers de secours » dans les grandes cités, tandis que par les routes, « sur le trimard », d'innombrables « tramps » s'en vont à la recherche d'un; travail problématique. A New-York, les queues de malheureux qui viennent toucher des bons de pain délivré par la municipalité, sont plus longues, plus épaisses qu elles ne l'ont jamais été depuis 1916. Les institutions charitables et, en particulier l'Armée du Saint, soi; assiégées par des foules affamées. Voilà, n'est-ce pas, qui ne ressemble guère au tableau idyllique des [Etats-Unis que M. Romier nous trace dans >n dernier livre ou dans les (conférences qu'il donne soUs les auspices dd « Redressement » ? j Èt cependant nulle part au monde il n'y a une pareille accumulation de richesses ! Ces richesses colossales de quelques-uns, nous assurent les employés de MM. Mercier et Coty, avaient apporté la prospérité aux masses ! Ce mythe capitaliste s'effondre. Les ouvriers des Etats-Unis souffrent des mêmes maux que leurs frères d'Europe. « Dans lés cités les plus riches du plus riche pays du monde, pendant des heures, sou» une bise glacée, des hommes affamés attendent pour recevoir une tasse de café et une miche de pain », observaient l'autre jour.nos camarades du Daily Herald, de Londres. C'est incontestable. Et une fois de plus la rigoureuse et universelle vérité de la critique socialiste éclate" aux yeux de tous les observateurs de bonne foi. Jean LONGUET. P.-S. -« Dans l'article sur les Elections japonaises, qu'avant de partir pour la réunion du Comité Exécutif de l'Internationale, à Zurich j'avais rédigé avec quelque hate, un mastic terrible s'est produit dans mes deux dernières phrases, qui se sont trouvées ainsi rédigées en un petit-nègre incompréhensible. Il fallait les lire ainsi : « C'est un beau début annonciateur dé futures et plus grandes victoires. C'est surtout et d'une manière immédiate la promesse d'une réalisation prochaine de l'unité politique de la classe ouvrière japonaise, dont lé Parti socialdémocrate est d'ores ët déjà le porteparole au Parlement. Piatakov a capitulé devant Staline Moscou, 29 février. Suivant une information officielle. Piatakov, exclu du parti bolcbéviste à la suite de la décision du 15e congrès avec d'autres membres de l'opposition, a adressé au président de la commission centrale du contrôle, une de: mande de réintégration dans le parti. Piatakov renonce à l'opposition et rejette les directives du centre trotskiste publiées le 15 janvier. Piatakov indique dans sa déclaration que de nouvelles difficultés ont surgi pour le parti bolcheviste qui travaille sans relâche pour les surmonter et qu'elles nécessitent une lutte obstinée et difficile. Cette circonstance, selon lui, pose devaitt chaque membre de 1'-opposition la nécessité de revenir dans lé parti. Nous croons savoir que Piatakov va bientôt rejoindre son poste à Paris. Au Portugal la situation est [rouble Lisbonne, 29 février. L'enquête menée par la police à Barreiro à; la suite dela découverte de bombes a amené treize nouvelles arrestations et la saisie de nombreuses bombes et de matériel de guerre, dont plusieurs fusils et des balles dum-dum. La police a capturé dans le Nord du Portugal les autours de l'attentat qui coûta la vie à deux policiers et a procédé à de nombreuses arrestations. Elle a en outre découvert des bombes. Pasdegrève dans les usines belges Bruxelles. 29 février. Toutes les menacés de grève dans les mines sont momentanément écartées. La commission mixte s'est réunie cet après-midi pour prendre connaissance des propositions faites après intervention du gouvernement, en vue de mettre d'accord pour la question des salaires les patrons et les: ouvriers. A la suite de cette entrevue les salaires ont été stabilisés pour une période de trois mois. " LA GUERRE HORS LA LOI" M. KELLOGG renouvelle s es propositions antérieures On connaît maintenant le texte de la note relative à là « mise de. là guerre hors là loi », qui a été remise avant-hier par M. Kellogg, secrétaire d'Etat des Etats-Unis, à l'ambassadeur de France à Washington, M. Paul Claudel. Après un préambule affirmant que les Etats-Unis ont le même désir que la France d'encourager un mouvement international pour la paix: du monde et une affirmation d'accord entre les deux pays sur i es lignes générales de la procédure à suivre pour cette fin, M. Kellogg ajoute : « La seule difficulté de fond qui s'oppose à l'acceptation saris réserve par la France de nies propositions est le doute qu'a votre gouvernement sur la question de savoir si, comme membre de la S. D. N. et comme partie au traité de Locarno et aux autres traités garantissant la neutralité, la Fràrice neuf s'engager avec' les Etats-Unis et les autres principales puissances du monde à rie pas ayoir recours â la guerre dans leurs relations mutuelles, sans contrevenir par là même aux obligations internationales qu'elle a présentement du fait de ces traités. LÀ FRANGE ET LA S.D.N. « Si les membres de la S. D. N. ne peuvent pas, sans violer les termes du pacte de la Société, prendre l'engagement entre eux et avec le gojvernement des Etats-Unis, dé renoncer à la guerre comme instrument de leur politique nationale, il semblé vain de discuter des traités, soit bilatéraux, soit multilatéraux, proscrivant sans réserve la guerre. » La note se termine [ ar le souhait que toutes lés nations prennent l'engagement formel de ne pas recourir à la guerre et que le pacte ne soit pas « affaibli » par des réserves lais sant subsister le danger de conflit, réserves qui comprendraient, entré autres, des définitions du mot « agresseur ». M. Kellogg renouvelle donc purement et simplement l'offre incluse dans sa note du début de janvier. La "lettre" de Zinoviev fera l'objet d'une discussion au xCommunes Londres, 29 février. Le document: Zinoviev, qui" a provoqué' l'avènement du cabinet Baldwin, est de nouveau'd'actualité. Mac Donald demandera au premier ministre de réserver un jour au débat de la troisième partie du rapport qui s'occupe incidemment de la lettré de. Zinoviev. Cette décision fritprise hier soir par le Comité directeur du parti travailliste, qui estime que le rapport n'est pas"allé suffisamment loin. L'opposition désire qu'on fasse toute la lumière sur cette mystérieuse lettre. L'opposition desi ;ç surtout savoir comment" des copies de la « lettre » de Zinoviev étaient on possession d'un quotidien de Londres pendant qne le Foreign Office; s'efforçait d'en déterminer l'origine et comment ce même organe était en mesure, avant la publication du texte de la « lettre rouge » et de la réponse gouvernementale à Bakovski, de-déclarer que le cabinet allait intervenir officiellement. D'après VE venin g Standard, le Cabinet a^ discuté la question de la« lettre » Zinoviev. Le Daily Express. conservateur iridépendant, insiste très énergiquement sur la nécessité d'une" enquête publique au sujet de l'affaire Gregory A CONTRE LA DICTATURE POUR L'AMNISTIE! Bujor doit être libéré! Uns protestation de II.0-S. contre la terreur en Roomani Le Comité exécutif de l'Internationale ouvrière socialiste exprime son indignation de ce que Mi chai Gh. Bujor est encore tenu en prison par les maîtres de la Roumanie. C'est faire injure à l'humanité qùe d'enterrer vif, dans un cachot, un adversaire politique. Au nom de millions de socialistes dé tous les pays, l'Exécutif de l'Internationale ouvrière socialiste réclame la misé en liberté de Bujor. La terreur en Bulgarie On se fera une idée de la façon dont ont été menées par le gouvernement Liaptchev les élections municipales qui ont eu lieu en Bulgarie en prenant connaissance du fait suivant. publié par le journal « Narod » du 20 février 1928. « Un avocat de Loin, secrétaire du barreau de la ville, Efrëm Miter, était allé à Valtchi-Drin pour prêter son concours à la liste des candidats du « Bloc dé fër », autrement dit de la coalition antigouvernementale (parti socialiste, parti national paysan, etc.). Assailli par une bande de partisans de la sanguinaire dictature il fut, après avoir été bâtonné, laissé couché dans là rue, la bouche emplie de boue, sous la pluie, toute la nuit. C'était la veille dés élections. On s'explique les « victoires » de gouvernants oui ont recours à de pareils procédés par les fameux « éléments. irresponsables ». PARTOUT Washington. La commission des affaires étrangères du Sénat a approuvé le traité d'arbitrage franco-américain. ,Hindentioug. Les Syndicats .de Haute-Silesie fie l'industrie métallurgique ont dénoncé, pour le 31 mars, le contrat de travail et de salaires actuellement en vigueur. . Berlin. Une centaine d'ouvriers des docks de Hambourg se sont mis en grève pour raisons de salaires. Genève. ~ On a l'impression que le Comité de rédaction cîii Comité dé Sécurité, qui s'efforce de tirer les leçons pratiques, des discussions-publiques des derniers ' aboutira à certaines propositions concrètes. il se confirme que la prochaine conférence de la P.etite-Entente aura lieu à Genève. M. Benès s'y trouve déjà, puisqu'il préside les travaux du Comité d'arbitrage et de sécurité: Managua. Quatre fusiliers-marins américains ont été tués, et. neufs blessés, au cours d'une attaque effectuée par un groupe de partisans du général Sandino. M. Edmord du Mesnil directeur du "Rappel" est mort M. Edmond du Mesnil; directeur du « Rappel depuis 1908, s'est éteint hier soir, à 19 heures 20. à Montmorency.. 11 "était né à Paris le 13 février 1866. il avait été successivement attaché au cabinet du Préfet de la Seine-chef de cabinet à la Préfecture du Rhône, chef du secrétariat du ministère de l'Agriculture, puis souspréfet de Parthenay et de Vitry-leFrançois. En 1893, il abandonna l'a carrière administrative pour se présenter dans la circonscription de Montforf (Ille-et-Vilaine), aux élections législatives où il fut battu de justesse par le représentant du comté de Paris. Il avait, avec M. Léon Bourgeois, fondé le « Comité d'action pour la réforme républicaine ». M. Edmond du lMesnil était uri journaliste de réel talent. André Bellier qui tua ses parents se défend pied à pied Périgueux, 29 février. Aujourd'hui sont venus devant la cour d'assises de Périgueux les débats de l'affaire Bellier, le parricide qui, ainsi que nous l'avons dit trier, ttta pour "en hériter ses parents. Une véritable foule se presse dans la salle d'audience. L'accuse montre une véritable dolence. Les débats dureront deux jours. 21 témoins ont été cités". La lecture de l'acte d'accusation terminée. Bellier est secoué par une crise de larmes. Il se ressaisit et répond, avec sang-froid. Saviez-vous ce que possédaient vos parents ? 170.000 francs. On apprend ensuite que Bellier, sa femme et sa fille ont été condamnés pour vol à Paris, dans un magasin, en 1925 Pourquoi avez-vous tué vos parents ? J'ai, agi sous l'influence d'un rêve de guerre Oui, une hallucination, c'est votre excuse C'est dans la cave que j'ai tué. Et i'aurais tué n'importe qui. Je ne savais pas ce que je faisais. J'ai tiré sur ma mère et assommé mon pière avec un maillet. Je n'avais plus ma raison. Vous avez ficelé les cadavres dans une toile ? Oui. j'ai dû le faire dans la cave. L'interrogatoire serré du président a éprouvé l'inculpé qùi a une dép'ression et sanglote. Il se maîtrise de nouveau et se défend pied à pied. Tout cela, dit-il, en réponse aux antres questions du président, ce ne sont que suppositions. L'audience continue. L'assassinât d'Ozoir=Ia=Ferrière (Suite de la première page) Une question se pose aux enquêteurs : M. Gaston Truphène, dont le cadavre carbonisé a été découvert hier à Armanvilliers (Seine-et-Marne), est-il venu lundi soir à Versailles ? A Ce sujet, lg. tenancière de la brasserie de la rue Madame, à qui a été présentée la photographie de la victime, a décaré qu'i lui semblait bien reconnaître dans cette photographie un homme qui, en compagnïc ue trois autres, est venu dans son établissement lundi soir, entre 9 h. 30 et 10 heures, Ils étaient descendus d'une automobile-qui lui paru être de couleur beige, genre conduite intérieure à quatre places. Apres avoir; consommé, les quatre hommes sont partis, vers 10 heures. Oh estime à 635.000 francs le montant dés bijoUx volés au courtier. -->-«-e LES PARADIS ARTIFICIELS Pour satisfaire sa passion lie volait des ordonnances Reims; 29 février. Le ParqUet de Reims a fait écrouer la nommée Anne-Marie Beduneau, âgée de 32 ans, infirmière à Reims chez un médecin où elle dérobait dés ordonnances qu'elle remplissait et signait. Elle se présentait ensuite chez des pharmaciens et se fait délivrer des ampoules de morphine. On a retrouvé une vingtaine d'ordonnances falsifiées. Elle utilisait la drogue elle-même, employant jusqu'à dix ampoules-par jour." Elle dut suivre , une cure de désintoxication avant, d'être écrouée. Cette femme est recherchée par pusieurs Parquets, pour infraction à la loi sur les substances vénéneuses et pour escroqueries. -»-« c UN LAITIER ATTAQUE PAR DES BANDITS MASQUES Marseille, 29 février. Hier, dans la banlieue de Marseille, à SaintJérôme, un laitier, M. Marcel Pinderre, rentrant dë sa journée en ville, a été attaqué par unq individus dont plusieurs étaient masqués, ëous la menace d'un revolver, M. Pihderre dut leur remettre sa recette de la soirée, environ 800 francs. La sûreté recherché tes agresseurs. LES CONSEILS DE GUERRE INIQUES Un petit matelot devra faire 6 mois de prison Brest, 29 février. Le matelot Robert Picaud, âgé de 23 ans, domicilié au Maris, avait été condamné en 1925, alors qu'il était à bord du sous-marin Pierre-Durant, k un an de prison avec sursis, pour refus, d'obéissance. Libéré, le tribunal correctionnel le condamnait en 1926 à 6 mois de prison pour provocation de militaires à la désobéissance et en janvier dernier, le conseil de guerre maritime, jugeant Picaud par défaut, annulait le sursis de la prerriière peiné. L'ex-matelot faisait aujourd'hui opposition devant le conseil de guerre. Mais le conseil de guerre a confirmé le premier jugement. La juridiction des conseils de guerre s'avère donc une fois de plus injuste et implacable. Avec le défenseur du matelot, nous soutiendrons que la « provocation de militaires à la désobéissance » on connaît l'antienne ! est un délit poly tique n'entraînant pas la suppression du sursis. Cette confirmation de condamnation est-elle légère à la conscience de M. P.-P. Painlevé ? Faits divers PARIS La râfloinanie. Au cours de rondes,, effectuées dans le 17e arrondissement, une .cinquantaine de personnes ont été « interpellées ». Dans le 9e arrondissement, 25 personnes et deux in. tèr,prêtes ont été consignés au poste. Dans le 19e arrondissement, dix arrestations et trois . contraventions pour briquets non estampifles. : Agression nocturne. M. Alfred Boniface, 38 ans, surveillant d'usine, 83, avenue de Fontainebleau, à Bicêtre, regagnait, après son travail, son domicile, 43. avenue de Tolbiac, lorsqu'il fut attaqué et blessé par un inconnu. BANLIEUE Incendie de forêt. -On incendie a .éclaté dans un bois appartenant à un agriculteur de Maules, M. Camus, au lieudit c Le Huan «. Le feu, après avoir consumé environ Un hectare de bois, s'est étendu à une propriété voisine, appartenant à M. Martineau, coiffeur, 123, rue des Bourguignons, à Bois-Colombes. Combattu par des voisins et des ouvriers, le sinistre put être rapidement éteint DEPARTEMENTS Tués par un engin. A Millencourt (Somme), M. Charles Vermelle, 26 ans, cultivateur, qui, aidé d'une garçonnet de 14 ans, nommé Bled Adrien, démontait un obus, a provoqué l'explosion de l'engin. L'homme et l'enfant ont été tués. Grave imprudence. A Curlu (Somme},. M. Henocque. Eugène, 33 'ans, cultivateur, a enflamme par mégarde un stock de poudre récupéréë et a été grièvement brûlé ainsi que sa femme. Tous deux ont été transportés à l'hôpital. Macabre découverte. On a repêché ce matin, dans la Thêols, à Issoudun (Indre), le cadavre de la jeune Lucienne Delaveau, âgée de 10 ans. L'enfant était tombée dimanche accidentellement dans la Tournemine. Son corps avait été emporte par le courant. LA TEMPETE CAUSE DES RAVAGES DANS LE TARN Albi, 29 février. Par suite de la tempête de vent qui sévit depuis une huitaine de jours, les communes de Viviers-les-Montagnes, dé Dourgne et do Sorèze, ont éprouvé des dégâts importants. Dans ces trois lécalités, des murailles ont été démolies, des cheminées arrachées, les tuiles des toits enlevées, des arbres déracinés et projetés sur lés routes, rendant la circulation des véhicules impossible. UN IMMEUBLE EST DETRUIT PAR UN INCENDIE Saint-Etienne, 29 février. Un incendie a détruit ce matin, 22, rue Parmentiër, un immeuble occupé par M. Tourette, propriétaire, et M. Garet, entrepreneur de maçonnerie, et comprenant en outre un garage et de vastes ateliers. Un .grand dépôt d'essence contigu a pu être préservé. Les habitants de l'immeuble sinistré ont dû se sauver sans avoir eu le temps de se vêtir. « Les dégâts s'élèvent à 200.000 francs. > AU SÉNAT L'impôt sur les tarifs marchandises est réduit Avant de s'occuper du projet concernant la modification des tarifs de l'impôt sur les transports de marchandises par chemins de fer, le Sénat a perdu, ! hier, trois heures à discuter de l'aliénation de terrains appartenant à l'Etat et dépendant de l'Académie de France à Rome. La convention, passée avec un .acquéreur italien, défendue par le gouvernement, auprès duquel le cabinet de Mussolini est intervenu en faveur de son ressortissant l'affaire est en instance depuis treize ans a soulevé de telles passions que finalement, M. Henry Cheron, après en avoir demandé .le vote, a réclamé le renvoi à la commission. Celui-ci était de droit. M.. Jeanneney a ensuite .développé les. conclusions de son rapport sur le taux de l'impôt sur les tarifs des marchandises transportées par .voie ferrée. Après avoir montré que là politique pratiquée en matière de tarifs avait abouti à la situation actuelle, l'orateur a indiqué qu'à la suite dë là majoration de 11,9 %, décidée au Conseil supérieur des chemins de fer, il y avait lieu de réduire le taux de l'impôt de 11,5 et de 5,75 % à 10 % et à 5 %. M. Tardieu â promis au Sénat, pour plus tard, un débat générai 6ur les chemins de .fer. pour l'instant, il a fait face à une situation difficile. Il a réclamé donc du Sénat le vote da la réduction de l'impôt. Après une réplique de M.. Jeanneney, qui. a dit que cette réduction d'impôt amènerait le Trésor à faire une avance au fonds commun, avance que M. Tardieu n'envisage pas, le Sénat a adopté les propositions gouvernemen tales Entre temps, le Sénat avait voté de nouvelles améliorations au régime de retraites des ouvriers mineurs. Les lotissements Le S'énat, après une entente intervenue entre son président ' M. Paul Doumer, M. TaTdieu, ministre des tra< vaux publics, représentant son collègue M. Albert Sarraut et M. Mounié. sénateur de la Seine, a décidé de discuter le projet de loi 6ur les lotissements, voté par la Chambre, la semaine dernière. ' Un diplomate est cambriolé Des malfaiteurs se sont introduits par effraction chez M. Dempsey, 5,; rue Lebouvier, à Bourg-la-Reine. Le pavillon occupé par celui-ci, représentant à Paris de l'Etat libre d'Irlande. était désert, le diplomate villégiaturant à Juan-les-Pins. Le montant du vol est encore inconnu, mais il est présumé important. «SC9-C On arrête les auteurs d'une tentative d'assassinat Le 24 février, dans la soirée. M., Chariot, représentant de commerce, cour à Lemercier, à Saintes (Charente-Inférieure) était victime d'une tentative d assassinat. , Après une enquête active, la sû-> reté générale est parvenue à en arrêter les auteurs. Ce sont trois sujets espagnols : Lucia Robil, 45 ans' ; Florentino Ro» bil. 26 ans, et José Martin, 21 ans. Ils ont reconnu avoir, le 24 février* volé une auto à Bordeaux avec laquelle ils s'étaient rendus à Saintes. Dans cette ville, ils tentèrent de cambrioler M. Chanot. Celui-ci leur résistant, Lucia Robil tira sur lui deux coups de revolver qui heureusement ne firent que le blesser. >-»-c Les procès de . ? la Comédie-Française Hier à la 1T Chambre du tribunal, le substitut Laronze a donné ses conclusions dans le procès intenté par Mlle Marcelle Servières à la Comédie-Française : il estime que le. Comité en ne renouvelant pas l'engagement de la jeune artiste n'a pas outrepassé fa limite de son droit, Mlle Servières n'apportant pas la preuve qu'il y ait eu contre elle une. cabale. Le jugement sera rendu à hui taine. 24 Feuilleon du Populaire 1-3-28 Roman d'Amour et d'Aventures par Paul LENGLOIS ? * CHAPITRE II Et nous aurons beaucoup d'enfants. dit Tintin en riant.. Le café bu, Tintin se leva, ombras|Ba la commerçante et 8fi fille. _ Tu viens demain matin, Yette, tet vous aussi, maman. Tiens, il paraît ! Tu ne supposes pas que pour un voyage aussi long, on restera pour les adieux à la maison. D'ailleurs, il n'y aura personne. Couche-toi de bonne heure. Tintin et dors bien. Le baiser' qu'envoya Yette <iu bout 0e ses doigts fins à son fiancé devait être lourd de chagrin, car Tintin ne le vît pas. Il était tombé en route, ce baiser de jeune amoureuse. Tintin était déjà dans le tramway. Il rêvait tout éveillé. Paris-Téhé ran, première étape. Les Turcs, les" Persans coiffés selon lui de turbans avec leurs femmes voilées-''quittaient leurs harems et entouraient l'Aieen-Ciel dont Tivoli et Tintin descendaient auréolés de gloire en recevant des bouquets. Lorsqu'il arriva dans sa petite chambre et qu'il eut tout *on petit bagage bien en place, Tintin fut satisfait. Rien n'avait été laissé au hasard ; la: bonne tante Ambroisie avait passé par là. Il ne manquait pas un faux-col, pas un mouchoir. Des tablettes' de chocolat étaient glissées dans un coin et un étui de comprimés aspirine se trouvait dans la poche de toilette. Bonne vieille, dît Tintin à haute voix. Et, il « fit » son portefeuille. Comme il le plaçait sur une table, une fleur fanée s'en échappa et tomba sur le parquet. Tintin la ramassa bien vite : la première fleur de Yette, son fétiche de joie. Tintin courut chez sa tante. Il fut' reçu dans' la cuisine par sa! parénte. La bonne Amhroisie lui fit de prudentes recommandations et l'assura qu'elle irait tous les dimanches voir sa fiancée, puis elle donna à son neveu un beau billet de cinq cents francs. C'étaient mes petites économies, dit-elle. Prends-les,Tintin. Ça te servira mieux qu'à ta vieille bête de tante. CHAPITRE III Dans la soirée, fort tard, vers dix heures, Tivoli qûi dînait chez [ Maxim's en compagnie, de l'ancien coureur ert automobiles Champoiseau et de M. et Mme Jean Savoye, couple unique, et rare, Parisiens habitant sur une péniche', sportifs" étonnànts, l'un et l'autre' et « amis dé toujours » de l'as dès" as, s'aperçut soudain qu'il lui manquait pour" son avion, maintenant parfaitement équipé, quelques cartes oubliées chez lui. Je vous laisse, dit-il à1 ses amis, et je file chez moi, puis au Bourget, parce que je ne veux' pas coucher dans mon appartement. C'est un principe, une idée de fétichiste Or, je ne vais pas me ballader toute la nuit avec les cartes dans rnà poché. Dans" une demiheure, tout sera en place, sur l'Arcen-Ciel et je rentre. Je couche chez toi,: Jean.. Avec plaisir, vieux frère. Tu es sûr de ne pas avoir le mal de mer sur la péniche ? Absolument certain. Alors, à tout à l'heure. Je serai là à onze heures. Réveil à 6 heures. Départ" 6 heures et demie. Il sauta dans son auto, fila auBourget, fit ouvrir son hangar et puis il repartit à Paris, toujours à la même vitesse de record"; ce qui lin valait de nombreuses contraventions que le sportif M. Paul Guichard, directeur dé la police municipale levait régulièrement. Cette venue nocturne de Tivoli n'aurait pas dû être remarquée si les téléphonistes de nuit n'avaient pas été sur le terrain. Ils prenaient le frais, car dans leur petite baraque, il faisait chaud et la nuit était magnifique. « Tivoli est venu en pleine nuit, à dix heures et dermie au Bourget. Ils convient de se méfier. Tivoli pourrait bien partir ce matin dé benne heure », téléphonèrent-ils aux jou3*riaux. Les chefs d'informations prévenus, désignèrent un rédacteur ët. un photographe pour être dès le lever dit jour' au Bourget. Les photographes avertirent les cinématographistes: Puis, tout ce petit monde avant des amis, ceux-ci furent prévenus.. , Lorsque Tivoli étendu dans son lit, sur la" péniche, « La Nonchalante » s (formait du sommeil du juste, une centaine dé gens « bien renseignés » combinaient la meilleure façon de se Tendre à l'aéroport parisien dès le 'matin, c'est-à-dire avant l'heure des j tramways. L'excellente compagnie du Nord fournit aux moins fortunés un train qui ne les amena qu'une heure et demie avant le jour en leur 1 laissant deux bons kilomètres à faire à pied; lés autres, à l'aube, filàrent en auto. Tintin, réveillé, lavé, peigné, sâ vadise à. la 1 main', attendait Tivoli qui devait le prendre à Montmartre. Il entendit bientôt le grondement de l'auto du pilote. Le petit mécanicien descendit avec son bagage et se fit ouvrir la porte. Dans la voiture, M. et Mme Savoye, Champoiseau, . tassés cependant, firent une petite place à Tintin, et la voiture repartit à toute allure, vers l'aérodrome. Au Bourget, une file d'autos fit comprendre à Tivoli que le secret de son départ avait été mal gardé. Il en conçut de l'humeur, appuya à* fond sur l'accélérateur et bondit littéralement vers l'entrée du terrain. Descendant en voltige, suivi de Tintin, il sè précipita vers la direction. Il était dans une belle colère, Faites fermer les portes,. Je ne veux pas décoller avec un tas de c... sur le terrain. Avec ce que j'ai d'essence dans mes réservoirs, j'ai besoin d'avoir le terrain libre. L'Arc en Ciel ne décollera pas comme une avionnette, cé matin. On ferma donc les portes. Dés agents du commissariat d'Aubervilliers arrivèrent en vélo. Avec le personnel de l'aéroport, ils organisèrent un service réduit qui ne purent empêcher la presse et les cinémas de pénétrer sur le terrain, car « ces messieurs » étaient munis de toutes les autorisations nécessaires prises à l'avance, bien entendu. Yette et sa mère, le couple Savoye et Champoiseau étaient seuls rentrés dans le hangar où La Seringue et Le Poivrot entouraient Tintin qui "enfilait sa combinaison. Tu dois l'avoir à la joie ! dit Le Poivrot à Tintin. Tu parles, j'en danserais ! Yette était tout proche de son fiancé. Elle l'entoura de ses bras et sè mit. à pleurer. Tintin, mon petit, ne pars pas. Il est temps encore. J'ai peur, mon gosse. Doucement, le petit mécanicien se dégagea. Il fronça les sourcils. Sa volonté sè « tendit ». Il ne voulut pas voir le pauvre visage de sa Yette tout « retourné » par l'émotion. Il ne voulut pas s'apercevoir qu'elle pleurait. Il voulut être un homme. Ma petite Yette, tu me fais du chagrin. Il ne faut pas que jé plaque Tivoli à la dernière minuteÇa serait sale et puis j'ai décidé (il se re prit) nous avons décidé que je partais. Je m'en vais. Il n'y a aucun danger, tu le sais bien. Je prépare mon avenir, ton bonheur et le mien. Allez, sèche tes yeux. C'est fini. La « femme » du mécanicien de Tivoli doit être courageuse, sacré bonsoir J Et il prit Yette par la taille et l'entraîna dans le fond du hangar. Ils échangèrent un long baiser, mais si quelque' observateur psychologue eût regardé la jeune fille, il se fût aperçu qu'au milieu des sourires exprimés « par force » une petite flamme de révolte, toute petite, mais tenace, flambait dans les admirables yeux de la toute jeune fille. L'Arc-en-Ciel fut sorti. Rangés en bataile, cinéastes et photographes opérèrent au commandement de M. Roger Mathieu, du » Matin » qui fut le premier photographe à boucler la boucle avec Pégoud le jour même où le célèbre pilote disparu, essaya son premier iooping. Le Poivrot, La Seringue et trois autres mécaniciens poussèrent l'appareil « au vent ». Sur l'aérodrome, une centaine S» pérsonnes "étaient maintenant réunies. Tivoli et Tintin apparurent en combinaison. Une acclamation s'éleva. Les photographes et les cinéastes foncèrent au pas de gymnastique, la foule les suivit. IL y eut une courte bousculade. Yette fut presque "jetée, à terre par une grosse brute de spectateur, mais une petite main gantée. nerveuse la redressa et M. du Trou, des Affaires Etrangères, passionné -de sport et qui assistait en vrai a Tout Paris » au départ de Paris-Tokio-Yokohama-San Francis co après avoir redressé Yette, la salua, pâle, défait, une larme d'émotion coulant s<ir sa joue. Il avait retrouvé celle qlii depuis la soirée à Montmartre, n'avait jamais quitté sa cervelle. Merci, monsieur, dit la jeune fille. Les mots s'étranglèrent dans la gorge de M. du Trou. Il demeura pantois, hébété, fasciné par les yeux splendides de la petite fleuriste, comme un lièvre d'Australie par les terribles yeux du juruccucu, serpent chasseur et dont les" crochets venimeux « donnent » la mort en un cinquième de seconde. Yette courut avec sa mère jusqu'à l'appareil. Tivoli, la main droite dégantée, serrait les mains de ses amis. Tintin, derrière lui, un péu pâlot, secouait la dextre de La Seringue qui, ému, ne trouvait pas d'autre bon souhait que : T'en fais pas, mon pot'. Tintin se pencha de l'avion, lie corps> plié en deux, il embrassa sa fiancée, la mère Moineau, et le moteur qui tournait à plein régime, empêcha d'entendre les mots qu'il prononçait. Tivoli, brusque, leva la main.; L'appareil roula, d'abord lourdement, puis il prit de la vitesse et,, près de la Morée, s'enleva doucement. L'Arc-cn-Ciel, piloté par Tivoli, prit de la hàuteîur et fila vers la sud. Yette demeura longtemps, les yeuj au ciel, regardait avec une fixit< étrange le petit point noir qui dis paraissait maintenant à l'horizon Sa mère dut lui toucher le bras poui qu'elle reprenne conSciebce. A suivrt La Vie Economique et Sociale Notre programme de législation du travail i Notre camarade Antonelli a mis au ,courant. les lecteurs de ce journal '/de la manoeuvre tentée par les agrariens de la Chambre contre le projet de loi sur les Assurances sociales. !Elle est tout à {ait symptômalique et reflète parfaitement Vétat d'esprit de cette féodalité terrienne qui malheureusement est considérée comme le porte-parole du monde rural. Vouloir maintenir le monde rural en dehors 'dé la sphère attractive de la législation sociale, développer dans ce milieu social les prérogatives d'un paternalisme périmé, tels sont au fond les desseins des grands propriétaires groupés dans des associations puissantes qui prétendent représenter les intérêts de toute l'agriculture française. Il faut se souvenir à ce. sujet de l'attitude prise par elles dans la question de l'application de la journée de 8 heures à l'agriculture Notre objectif à nous, socialistes, 'est, au contraire, d'englober l'agriculture dans notre système général de protection et de garantie du travail' et c'est pourquoi notre programme fait une large place à celte question. Il prévoit notamment l'application de toutes les lois ouvrières et de prévoyance sociale aux travailleurs agricoles. On parle d'enrayer l'exode rural et un des moyens les plus efficaces consiste sans nul doute à ne pas priver les salariés de l'agriculture des mesures qui limitent les privilèges patronaux. La question de la rémunération 'des travailleurs agricoles se pose aussi avec acuité. Le taux très faible des salaires agricoles, surtout si l'on considère le nombre des jours effectifs de travail, est une des causes, rt non des moindres de l'exode rural, tant dénoncé par nos vertueux conservateurs. Actuellement la vie chère » sévit dans les moindres villages et les travailleurs qui sont contraints de subir les exigences de.s Intermédiaires ont une condition très infériorisée. C'est pourquoi notre programme contient la « fixation, par les syndicats ouvriers et patronaux, d'accord avec les municipalités, d'un minimum de salaires, tant pour les ouvriers A la journée que pour les louer à Vannée. Enfin, il faut évidemment tenir compte des conditions spéciales des travaux agricoles et de l'existence de travaux saisonniers intensifs (moissons, fenaisons, vendanges, semailles) vour organiser une, journée de travail normale. Mais une moyen, ne de. huit heures par an est suffisante et la répartition doit être faitesous le contrôle des organisations syndicales. Le programme socialiste, en étendant aux. salariés agricoles les garanties légales protectrices du travail et en s'efforcant de rehausser leur niveau de vie, sert les intérêts de Vagriculture. Beaucoun. mieux que les agrariens qui croient pouvoir dresser entre le monde rural et la civilisation urbaine une barrière infranchissable. Jean ZYROMSKI. Deterding et Rockefeller se seraient mis d'accord Nos lecteurs ont pu suivre, avec nous, les péripéties de la lutte économique et diplomatique qui mit aux prises Deterding et Rockefeller, les deux rois du pétrole. Une nouvelle de New-York annonce que les deux compagnies pétrolifères, la Standard Oil, de NewYork, et la Royal Dutch-Shell ont mis fin à la guerre de tarifs qui; assure-t-on leur avait déjà coûté plus d'un million de dollars. C'est M. Walter G. Teagle Oil de président de la Standard Oil de New-Jersey qui d'après les renseignemnts que l'on possède, joua le rôle d'arbitre. On se rappelle que sir Henri Deterding accusait la Standard Oil de New-York de traiter avec les « assassins soviétiques » (sic) mais cette compagnie publia une déclaration justifiant son attitude et affirmant qu'elle se défendrait énergiquement partout où elle serait attaquée. Au cours des négociations, sir Henri insista pour que les anciens propriétaires de puits de pétrole en U.R.S.S. fussent indemnisés, et l'on déclare que la Standard Oil de NewYork a maintenant consenti à mettre de côté chaque année une part des bénéfices qu'elle retire des pétroles russes, en vue de constituer un fonds d'indemnités. On ignore encre quel pourcentage des bénéfices sera affecté à ce fonds. Combien de temps durera l'armistice ? Probablement tant que les deux rivaux y trouveront quelque intérêt. Peut-être n'est-il qu'une trêve, pendant laquelle les deux adversaires refont leurs forces et s'observent en attendant de se combattre à nouveau. Fêtes et Conférences PARIS (14o section). La 14e section fête le 6CK> anniversaire de ^ notre dévoué camarade Oguse dans un dîner qui &ura lieu ce soir, à 20 heures, chez Georges, 68, avenue du Maine (14e). Cordiale invitation à tous les camarades de la Fédération (prix du repas, 15 fr.. perçus à l'entrée). IVRY-SUR-SEINE. La section commémorera la Commune de Paris en une grande fête suivie d'un bal de nuit. Allocution de GeorgeB Tirard, ancien maire de Choisy-le-Roi, candidat du Parti k Ivry.. Un appel pressant, est fait aux camarades des sections voisines. Le pris d'entrée est fixé uniformément à 4 fr. donnant droit au concert et au bal. GROUPE D'ETUDES SOCIALISTES DES ECOLES NORMALES SUPERIEURES. Aujourd'hui aura lieu, de 16 à 19 heures, k la Taverne du Panthéon (sous-sol), le thé dansant annuel du groupe. Tous les élèves des Ecoles Normales, tous les étudiants de gauche, qu'ils soient ou non membres du groupe, sont cordialement invités. Entrée : 5 fr. SOCIETE FRANÇAISE DE PEDAGOGIE (41, rue Gay-Lussac). Ce soir, à 16 h. 30, conférence par M. Gossey : « Dans le Verger des poètes ». Bourse de Paris du 29 Février 1928 Cours Louis ^ou,rs Cours VALEURS veille lour veOJe ,our a 0/a 67 « 66 60 1910 3 0/0 r â 400 fr. 237 .. 2M .. 5 o/o amortissable .... 102 80 102 7o quarts r. â 100 (r 65 .. * .. Banuue Ue traîne uom ) 16200 . 161Ç0 . I9W 3 0/0 r a bOO fr 23.. 22^50 de 1-AlKérle moui .. 1239a . 1i21u . 1619 5 0/0 r. à MO fr «18 .. 4U8 .. Nationale &iredlt. 1iô0 .. 1'.6u . ~ cinquièmes r â 100 fr . . ?»' .. fle i'arli et Pays-Uas 281, .. 2750 .. i9n >. 3-4 0 0 r 500 fr «5 .. 5jb .. Transatlantique .. 445 . cinquièmes r â lOO fr. JJ0 .. J9- de l'IJuiou Parlsieuue 1710 .. 18c01 l&ffi! 0 0-o dûc r. â 500 fr.. .. .. Compagnie Alaerienoe .... . 2170.. (Bî3 6 O/o déc r â 500 Ir... ^ ^ .. Oom^ufi. Lyon Aleuiund .. 9-5 . 930 m* 6 0/0.déc. r. â.SOCi fr... . ^8 .. Couit» 1 National d E-couipte 16«u . 1fc7u 19Ï4 C 1/2 0-0 r A 500 fr ... Crédit OoiuiiierciaJ de Frauce 1;15 . 1iU. .. 19» ^ o/O 'Mét ) r â 500 fr 418 .. 411. Crédit dn0dod,lne ^2 !. «S CREDIT FONCIER Lyonaals ^ Com 1*579 a 6o 0/0 r 500 fr «4 .. .. M il/lliei Français >12 .. /SU . _ _ cjuqu. r mu fr . 107 .. Ijj9 iO Société (iéiicrale (nom)...1^7» . 127. F0nc ^9 a 0/0 r a -500 fr Mi .. Rente Foncière .:;... ï 1?T 001, 1 3 0, 0 r û 500 Jr ' 27/ Sorlêtfc Générale Foncière 1US .. 1100 Fonc 1833 3 0/0 r à 500 fr 276 .. t" ? Suez Jnîn ISo " »#» * «0 0/0 r. â a» Ir. «g» .. Eh. . com 1891 3 0/0 r â 400 fr. £<2 .. Lyon .. iffii ~ 18a5 00 0/ 0 r 500 Ir ??? " ara " Midi ....? .. îtrj ' Fonc I8US « 80 0/0 r 500 fr . 325 ' Nord «ir" " 00121 ,89a '?< 60 r 500 fr or .ans Imn ' Fonc 1903 8 0/0 r. a 500 fr. î" " Si-11 ta Fè iCle fr Ch ferProv l .. 2S10 Conl !906 3 0,0 r. a 50U fr «J.? Métropolitain de Paris ... 65;655 . Fonc 19w 3 0/O r a {r i/» . Dlstrlb Parisienne d'EIectr 15.U . 1^5 . (;om 1HW 0/0 r 4 a tr ll 32a" Electricité Ole Géu d-).... ? ? 22o0 . FûIlc 1913 3 m r â 500 tr. «5 .. . . Eneru Elect l.lttor Médit ,852 .. MO.. _ 4 0 0 r. à 500 fr. fi .. ^ " Enera Electr Nord-France 682 .. 660 . Ell)p 1917 5 1/2 r â 300 fr. ; g* . Thomson Houston .. Com 19-20 5 1/2 r à 500 fr m " 3 0/0 amortlssaMe £ J» Emp 1921 6 1/2 r a 500 fr " 1 1/200 amortissable »o 95 90 75 ron) 1£hH 6 0,0 r â sot» fr .. ' S O/O 191M916 « !» " £ 1923 6 0/0 r ft 500 fr «8 .. 445 .. 4 0/0 1917 <3 f i» Emp 1926 7 0.0 1 a 1 000 fr . 6i0 .. 4 0/0 1918 l 07 r. com 1927 7 0/0 r a 600 fr T. 5 0/0 1920 .no 408 £ Bons 100 fr i887, au port , ozf i « 'par eti) JSj 4L ~ 100 fr 1888 au oort152 " IM " 6 0/0 1^/7 amert îno Panama (Soc.civ. obi.) b lots m .. 10' .. Bons Xi<êsox février fff .. 0 ® _ sept 19*23 .* i t " REMBOURSABLES _ 5 0/0 1924 64b . ,64/. A 500 FRANCS _ 7 0/0 1W8-..... .. l .. av) A32 I ._ 7 0/0 1V/7 *3 .. M.. Est 6 0/0 ^ .. «2. ObUgT/rtlODS « 0/0 1927 ..... ci ~ 3 oJo 321 324 .' oMigMiote dérenn »» ^,9-85 _ 3 om.32... 321. ^ &>? *«'. z es-:::::::::::::: |«" „ Etat »r<0/00Wl|# 357 .. 367 . Ly0n 3 O'O 1855 $;. «j ; tf-i.» An„«t ir 7 0/0 IW .. ?? ** Bourbonnais ?........* « . vnn aÎ 1? 1' ÏSffî fr <10/0 1910 3W 362 .. Damihlnéti " * Armi'm^nnldn 66 50 66 05 Grriève 1855-1B57 ^ " ?ôr^o JZX V 0/0 1909.. 26» .. .. « 0,0 bons déc 500 fr T ;; $ ;; m.Jo-CJ.m? 3 O/o 1909 *«.. 6 0/0 372 3/1 50 S 1/2 913 .... .. "ffl~ 5 °>< 348 . 340.. M lascar ,«17 .......... ; 8 o^°Fusloô:"""":: JJQ ' O/O'WU^..::::::.. z nouvelles » :: $ J Q!Q JfjJ.* """imi: ... . 280.. _ Victor Em 186"^ 3 0/0. ^ " crédit National «919^. 560.. ijjU .. Midi Bons^ décenn. 6 0/0.... 418.' 418 '.i _ obliK 5 0/0 1920 i2a " 521 S n/n 375 . 3?t> ? _ tioiis « 0/n .' ~ .> 00 348.. 343. _ 0 0/0 fêv 1M2 îi? " kl? ' ~ i „ ' '1 3-9 . 315 .. 6 0/0 Juillet 19*2.... ïlï" ?ob " ~ anciennes i17 «n/n lanviei 19-23.... SS . 3 O'O nouvelles £0/ J'î ~ ® ! .. jt>23 516 .. ,516 .. fjord Bons décenn 0 0/0.... " 4Ô0 " I 6 0/°0 ,Uàov!e? 192,:. 618 .. ,520 .. _ , o;0. «r,e F % ;; «8 ;; »u.LE DE PARIS 1 « no. série D:::::::::. 39J-^ népart de la Seine 6 1/2 0/0 501 .. 501 .. _ 3 0/0 '2série) «1 .. £2 .. H ,.j-j. 512.. 513.. _ 0 0/0. type 19-2! ;; 'S65 4 o/O t a iuo fr 6S0 .. 925 .. _ 3 o/0. type 1921 .. ir* 50 M] 3 0/0 r ft 400 fr 378 -. 380 .. Orléans Bons décenn 6 0/0 J® ... 1875 M 0/0 r a 50(1 fr 453 . 4fc0 .. _ fi 0/0 377 377 1R78 4 0/0 r a 500 fr «39 " Àa " ~ 5 349 ;9 34b :. 1 tiï ra ^ fr.r 291. _ 3 0/0 1B8V ^ 50 m .. 0 o/O ftlHlf* r 500 fr.... */b .. i,K> .. 2 m 'R95 r*" '' 1904 2 i» MHro r fl 500 fr. 262 28, . _ Orand Central 1885.... 312 50 ... .. iiMt5 .> o/A ra a(xi f r ...... 3sU «#0 Ouest 3 O'O -?..»....« _n_ 1910 2 Vi O'O Métro r 400 fr ?? 2« .. 3 M nouvelles |04 .j 307 .. demies 200 tr r *215 fr ^5 126 . 9 1/9 0/0 CONVOCATIONS PARTI SOCIALISTE Organisations centrales COMITE NATIONAL MIXTE. DES JEUNESSES SOCIALISTES. Prière instante est faite aux trésoriers des Comités fédéraux mixtes et «tes Comités d'Entente <<e passer leurs commandes pour 1928 en les accompagnant du montant dès maintenant, A. Grandvallet Cartes 0 tr. 50 pièce, timbres 0 fr. 25 pièce. COMITE FEDERAL MIXTE DE LA SEINE. Ce soir, à ls h. 30, 12. rue Feydeau. Sont convoqués . Guillevic, R. Jousse, Guerre, Alleaume. Barrois, Ghesquière, Joublot, Gruinbach, Serge Lai né. Salengro, Demarié. Citoyennes Buisson, Kleinmann. La copie du numéro de mars du « Drapeau Rouge » devra être remise à cette réunion. Les membres du comité d'administration du « Drapeau Rouge » sont priés 'l'être pré sents à cette réunion. FEDERATION DE SEINE-ET-OISE (Elec tions législatives). Réunion le dimanche 4 mars, à 9 li. 30, 41, rue Saint-André-des Arts, des membres de la C. A., des camara des candidats et des secrétaires des 0nlons de sections. Les candidats sont priés de fournir d'urgence les documents déjà ré damés à plusieurs reprises. Le camarade Harbulot est prié d'être présent. Seine 4« SECTION. Café du Trésor. 10. rue du Trésor. Ce soir, a 20 b. 30, réunion de la, section en Comité électoral. Présence indispensable de tous les membres de la Sec lion. 7' SECTION. Ce soir, à 21 h„ salle Ta raud, 6. rue Saint-Simon, Commission Exé cutive. Adhésions. | 47,855 |
https://github.com/cclark-00/amplitudejs/blob/master/dist/visualizations/template.js | Github Open Source | Open Source | MIT | 2,022 | amplitudejs | cclark-00 | JavaScript | Code | 375 | 746 | /*
This is a template for how to build a visualization for
AmplitudeJS. The visualization should be modular contain
the methods and variables outlined. You can add any additional
methods or variables inside of the object.
*/
/*
Replace 'VisualizationObjectName' with the proper object
name for your visualization.
*/
function VisualizationObjectName(){
/*
Define the ID of your visualization. This is used to apply
visualizations to songs, playlists, and default. It is a JSON
key so make sure you use `_`
*/
this.id = 'visualization_id';
/*
Define a clean name for your visualization.
*/
this.name = 'Visualization Name';
/*
Initialize the container. This will get set to the element passed in
when you start the visualization.
*/
this.container = '';
/*
Define any settings that your visualization will need. This is JSON so
make sure it's clearly defined and standards are followed. These shoudl be
able to be overwritten by the user when they pass in their preferences.
*/
this.preferences = {
}
/*
Initialize the analyser for the visualization. This will be set when the
visualization is started.
*/
this.analyser = '';
/*
Returns the ID of the visualization. Do not overwrite this, this is necessary
for registering the visualization.
*/
this.getID = function(){
return this.id;
}
/*
Returns the name of the visualization.
*/
this.getName = function(){
return this.name;
}
/*
Merge the user defined preferences with the preferences for the visualization.
*/
this.setPreferences = function( userPreferences ){
for( var key in this.preferences ){
if( userPreferences[ key ] != undefined) {
this.preferences[key] = userPreferences[key];
}
}
}
/*
Start the visualization. Do not over write this. This is how the visualization
gets kicked into gear. The element passed in is the container element where you
will insert canvas' or whatever works.
*/
this.startVisualization = function( element ){
this.analyser = Amplitude.getAnalyser();
this.container = element;
/*
Your code here
*/
}
/*
Stop the visualization. Do not over write this. This gets called when the
visualization is stopped so there's no infinite loops in memory. You should
clear all animation frames and all timed callbacks here.
This will clear the container as well so when the visualization starts again
it can be different than before if needed.
*/
this.stopVisualization = function(){
this.container.innerHTML = '';
}
}
| 19,546 |
https://nl.wikipedia.org/wiki/Kanton%20Picquigny | Wikipedia | Open Web | CC-By-SA | 2,023 | Kanton Picquigny | https://nl.wikipedia.org/w/index.php?title=Kanton Picquigny&action=history | Dutch | Spoken | 67 | 207 | Kanton Picquigny is een voormalig kanton van het Franse departement Somme. Het kanton maakte deel uit van het arrondissement Amiens. Het werd opgeheven bij decreet van 26 februari 2014 met uitwerking in 2015.
Gemeenten
Het kanton Picquigny omvatte de volgende gemeenten:
Ailly-sur-Somme
Belloy-sur-Somme (Berken)
Bettencourt-Saint-Ouen
Bouchon
Bourdon
Breilly
Cavillon
La Chaussée-Tirancourt
Condé-Folie
Crouy-Saint-Pierre
L'Étoile
Ferrières
Flixecourt
Fourdrinoy
Hangest-sur-Somme
Le Mesge
Picquigny (hoofdplaats)
Soues
Vignacourt
Ville-le-Marclet
Yzeux
Picquigny | 23,275 |
US-68500800-A_2 | USPTO | Open Government | Public Domain | 2,000 | None | None | English | Spoken | 3,529 | 4,180 | FIG. 10 is a block diagram illustrating an example of the construction of the motion detector 107 according to the fourth embodiment. This arrangement is applied to a case where the input image signal is an interlaced image signal typified by a television signal.
As shown in FIG. 10, the motion detector 107 includes line delay circuits 201, 202 and a comparator 203. The image signal from the image input unit 101 is supplied to the comparator 203 along a total of three paths, namely a path P(x,y+1) leading directly to the comparator 203, a path P(x,y) via the line delay circuit 201 and a path P(x,y−1) via both line delay circuits 201 and 202. The line delay circuits 201 and 202 are each single-pixel delay circuits corresponding to one horizontal line of the image signal. Accordingly, sets of three pixels arrayed vertically are supplied to the comparator 203 sequentially. The comparator 203 compares the average value of the upper and lower pixels of the three vertically arrayed pixels of the set with the value of middle pixel and determines whether the difference between the compared values exceeds a predetermined quantity. More specifically, the comparator 203 detects motion between fields in the interlaced image signal and supplies the result to the region designation unit 106.
According to the fourth embodiment, the detection signal 110 is output as a high-level signal if the following relation holds: abs{(x,y+1)+p(x,y−1))/2−P(x,y)}>K (13) where K represents a predetermined value. It should be noted that abs{(x,y+1)+p(x,y−1))/2−P(x,y)} in Equation (13) indicates the absolute value of the difference between the value of P(x,y) and the average of the values of pixel P(x,y+1) and pixel P(x,y−1).
In accordance with the fourth embodiment as described above, motion of an image can be detected automatically based upon the difference between vertically arrayed pixel values contained in the image, thereby making it possible to select an image region to undergo highly efficient encoding.
[Fifth Embodiment]
A fifth embodiment of the invention in which the motion detector 107 has a different construction will now be described.
FIG. 11 is a block diagram illustrating an example of the construction of a motion vector detector 107 a according to a fifth embodiment. This arrangement is used in a case where the input image signal is a progressive image signal typified by an image signal processed by a personal computer or the like.
As shown in FIG. 11, the motion detector 107 a includes a frame delay circuit 301 for delaying the input image signal by one frame, and a comparator 302.
An image signal supplied from the image input unit 101 in FIG. 11 is applied to the comparator 302 directly via a path P(x,y) and indirectly via a path Q(x,y) through the frame delay circuit 301. The latter is a one-pixel delay circuit corresponding to one frame of the image signal. Accordingly, sets of pixels are supplied to the comparator 302 sequentially, each set comprising two pixels at identical positions in the immediately preceding frame and present frame. The comparator 302 compares the value of the pixel of the preceding frame with the value of the pixel of the present frame, determines whether the difference between the compared values exceeds a predetermined quantity and outputs the detection signal 110 if the predetermined quantity is exceeded. More specifically, the comparator 302 detects motion between frames in the progressive image signal and applies the result of detection to the region designation unit 106.
According to the fifth embodiment, therefore, the detection signal 110 is output as a high-level signal if the following relation holds: abs{Q(x,y)−P(x,y)}>K (14) where K represents a predetermined value. It should be noted that abs{(x,y)−P(x,y)} in Equation (14) indicates the absolute value of the difference between the values of pixel Q(x,y) and pixel P(x,y).
In accordance with the fifth embodiment as described above, motion of an image can be detected automatically based upon the difference between pixel values from one frame of an image to the next, thereby making it possible to select an image region to undergo highly efficient encoding.
[Sixth Embodiment]
A block-based motion detection method is well known from the MPEG standard, etc., as a motion detection method other than those described above. The construction of an encoding apparatus using a motion detector that employs this block-based motion detection method also is covered by the scope of the present invention.
FIG. 12 is a block diagram illustrating an example of the construction of a motion vector detector 107 b according to a sixth embodiment.
As shown in FIG. 12, the motion vector detector 107 b includes a block forming unit 901, a motion vector calculation unit 902 and a comparator 903. The image signal supplied from the image input unit 101 is split into blocks each comprising 8×8 pixels by the block forming unit 901. The motion vector calculation unit 902 calculates a vector (u,v), which indicates, with regard to each individual block of the blocks output from the block forming unit 901, the position of the block relative to another block that has the highest degree of correlation. The comparator 903 compares the magnitude [√(u²+v²)] of the vector (u,v) supplied from the motion vector calculation unit 902 with a first predetermined value a and a second predetermined value b, determines that significant motion regarding this block has been verified if the magnitude [√(u²+v²)] of the vector is greater than the first predetermined value a and is equal to or less than the second predetermined value b, and outputs the detection signal 110 as a high level. More specifically, with regard to each block of pixels, the comparator 903 detects suitable motion defined by the predetermined upper and lower limit values a, b and supplies the result of detection to the region designation unit 106.
Thus, the region designation unit 106 receives the detection signal 110 from the motion detector 107 (107 a, 107 b) and, when the target image is subjected to the discrete wavelet transform, generates the region information 111 indicating which coefficients belong to the region in which motion has been detected and supplies the region information 111 to the quantizer 103.
The quantizer 103 quantizes the sequence of coefficients supplied from the discrete wavelet transformation unit 102. At this time the region that has been designated by the region information 111 from the region designation unit 106 is quantized upon shifting up the output of the quantizer 103 a predetermined number of bits or raising quantization precision a predetermined amount, this region of the image is compared with the image periphery and is encoded to a higher image quality. The output of the quantizer 103 thus obtained is supplied to the entropy encoder 104.
The entropy encoder 104 decomposes the data sequence from the quantizer 103 into bit planes, applies binary arithmetic encoding on a per-bit-plane basis and supplies the code output unit 105 with a code sequence indicative of the result of encoding. It should be noted that a multilevel arithmetic encoder that does not decompose data into bit planes or a Huffman encoder may be used to construct the entropy encoder without detracting from the effects of the present invention. Such an encoder also is covered by the scope of the present invention.
By virtue of this arrangement, a region of motion within an image is encoded to an image quality higher than that of the image periphery. This is to deal with video shot by a surveillance video camera or by a substantially stationary video camera that shoots everyday scenes. In most cases the main item of interest in such captured video resides in the region of the image where there is motion. By adopting the above-described arrangement, therefore, the portion of the image where the main item of interest appears can be encoded to an image quality that is higher than that of the other regions of the image such as the background thereof.
The converse arrangement, namely one in which an image region in which motion is not detected is designated as a target region for encoding at a higher performance, also is considered to be included as an embodiment of the present invention. Such an arrangement may be so adapted that a region for which the detection signal 110 is at the low level in the each of the foregoing embodiments is made the object of highly efficient encoding. With such an arrangement, a region exhibiting little motion in an image will be encoded more efficiently than other regions.
For example, consider video shot by a video camera tracking a moving subject such as an athlete. Here the background is detected as moving while the athlete being tracked by the camera exhibits little motion. By designating the image region in which motion is not detected as a region to undergo highly efficient encoding, an athlete that is the subject of photography in a sports scene can be encoded to an image quality higher than that of the background.
In accordance with the sixth embodiment, as described above, a region exhibiting motion in an image can be detected automatically and an image region to which highly efficient encoding is to be applied can be selected.
[Seventh Embodiment]
The present invention covers also an arrangement in which whether the region designation unit 106 outputs the region information 111 for a region in which motion has been detected or for a region in which motion has not been detected is switched in conformity with a change in the shooting conditions.
FIG. 13 is a block diagram illustrating an example of the construction of a region designation unit 106 a according to the seventh embodiment for changing over the region designating operation automatically in dependence upon the shooting conditions.
As shown in FIG. 13, the region designation unit 106 a includes a counter 904, a comparator 905, an inverter 906 and a changeover unit 907.
The detection signal 110 indicative of the result of detection by the motion detector 107 (107 a, 107 b) is applied to the counter 904. On the basis of the detection signal 110, the counter 904 counts the number of pixels contained in the image region that exhibits the detected motion. The detection signal 110 varies pixel by pixel, as described earlier. Therefore, by counting the number of times the detection signal 110 changes in accordance with the level of the detection signal 110, the number of pixels contained in the image region that exhibits motion can be obtained. The comparator 905 compares the pixel count obtained by the counter 904 with a predetermined value and applies a control signal 910 to the changeover unit 907. The changeover unit 907 is further supplied with the detection signal 110 indicative of the region in which motion has been detected, and a signal obtained by inverting the detection signal 110 by the inverter 906, namely a signal indicative of an image region in which motion has not been detected. If the comparator 905 finds that the number of pixels in the image region in which motion has been detected is equal to or less than a predetermined value, the changeover unit 907 selects and outputs the region information 111 based upon the detection signal 110 indicative of the image region in which motion has been detected. Conversely, if the comparator 905 finds that the number of pixels counted is greater than the predetermined value, then the changeover unit 907 selects and outputs the region information 111 based upon the output of the inverter 906, namely the image region in which motion has not been detected, in order that this region will be encoded to a high image quality.
In accordance with the seventh embodiment, as described above, a region in which image motion has been detected or a region in which image motion has not been detected can be selected in dependence upon the characteristics of the image as an image region to undergo highly efficient encoding.
The encoding apparatus according to the above-described embodiment is effective for highly efficient encoding of a moving image. However, by treating a single image in a sequence of moving images as a still image, the apparatus can be applied to highly efficient encoding of this still image. Such an arrangement also is covered by the scope of the present invention.
In each of the foregoing embodiments, hardware implementation of the various components is taken as an example. However, this does not impose a limitation upon the present invention because the operations of these components can be implemented by a program executed by a CPU.
Further, though each of the foregoing embodiments has been described independently of the others, this does not impose a limitation upon the invention because the invention is applicable also to cases where these embodiments are suitably combined.
The present invention can be applied to a system constituted by a plurality of devices (e.g., a host computer, interface, reader, printer, etc.) or to an apparatus comprising a single device (e.g., a copier or facsimile machine, etc.).
Furthermore, it goes without saying that the object of the invention is attained also by supplying a storage medium (or recording medium) storing the program codes of the software for performing the functions of the foregoing embodiments to a system or an apparatus, reading the program codes with a computer (e.g., a CPU or MPU) of the system or apparatus from the storage medium, and then executing the program codes. In this case, the program codes read from the storage medium implement the novel functions of the embodiments and the storage medium storing the program codes constitutes the invention. Furthermore, besides the case where the aforesaid functions according to the embodiments are implemented by executing the program codes read by a computer, it goes without saying that the present invention covers a case where an operating system or the like running on the computer performs a part of or the entire process in accordance with the designation of program codes and implements the functions according to the embodiment.
It goes without saying that the present invention further covers a case where, after the program codes read from the storage medium are written in a function expansion card inserted into the computer or in a memory provided in a function expansion unit connected to the computer, a CPU or the like contained in the function expansion card or function expansion unit performs a part of or the entire process in accordance with the designation of program codes and implements the function of the above embodiments.
Thus, in accordance with the embodiments as described above, a region of interest can be extracted from multilevel image data at high speed. As a result, it is possible to provide an image encoding method and apparatus capable of adaptively selecting encoding processing that differs for each region of an image.
The present invention is not limited to the above embodiments and various changes and modifications can be made within the spirit and scope of the present invention. Therefore, to apprise the public of the scope of the present invention, the following claims are made.
1. An image encoding apparatus for encoding image signals of a plurality of frames, comprising: input means for inputting an image signal including pixel values of a frame; transformation means for applying a discrete wavelet transform to the image signal of each frame and outputting transformed coefficients for each frame; motion detection means for detecting motion of an image based upon the image signals of plural frames; counting means for counting a number of pixels based upon information indicating motion of the image detected by said motion detection means; selection means for selecting a method of designating an area of the image based upon information indicating motion of the image detected by said motion detection means, the selection being based upon the number of pixels counted by said counting means, and for designating a region of the image of the frame based upon the information; quantization means for quantizing the transformed coefficients of each frame so as to differentiate an image quality of the image of the designated region from an image of other regions, and outputting a quantized image signal; and encoding means for encoding the quantized image signal quantized by said quantization means.
2. The apparatus according to claim 1, wherein said motion detection means detects motion of the image in accordance with a difference between pixel values of two mutually adjacent pixels vertically of the image signal.
3. The apparatus according to claim 1, wherein said motion detection means detects motion of the image in accordance with a difference between pixel values of corresponding pixels in two successive frames of the image signal.
4. The apparatus according to claim 1, wherein said motion detection means includes: block calculation means for forming the image signal into blocks and calculating motion vectors on a block-by-block basis; and detection means for detecting motion of the image based upon whether magnitude of a motion vector calculated by said block calculation means is greater than a predetermined value.
5. The apparatus according to claim 1, wherein said quantization means performs quantization upon raising quantization precision of the image region designated by said region designation means.
6. The apparatus according to claim 1, wherein said encoding means decomposes a data sequence, which is supplied from said quantization means, into bit planes, applies binary arithmetic encoding on a per-bit-plane basis and outputs code sequences giving priority to code sequences that correspond to bit planes of higher order bits.
7. An image encoding method for intra-frame encoding image signals of a plurality of frames, comprising: an input step of inputting an image signal including pixel values of a frame; a transformation step of applying a discrete wavelet transform to the image signal of each frame and outputting transformed coefficients of the each frame; a motion detection step of detecting motion of an image based upon the image signals of plural frames; a counting step of counting a number of pixels based upon information indicating motion of the image detected in said motion detection step; a selection step of selecting a method of designating an area of the image based upon the information indicating motion of the image detected in said motion detection step, the selection being based upon the number of pixels counted in said counting step, and for designating a region of the image of the frame based upon the information; a quantization step of quantizing the transformed coefficients of each frame so as to differentiate an image quality of an image of the designated region from an image of other region, and outputting a quantized image signal; and and encoding step of encoding the quantized image signal quantized in said quantization step.
8. The method according to claim 7, wherein said motion detection step detects motion of the image in accordance with a difference between pixel values of two mutually adjacent pixels vertically of the image signal.
9. The method according to claim 7, wherein said motion detection step detects motion of the image in accordance with a difference between pixel values of corresponding pixels in two successive frames of the image signal.
10. The method according to claim 7, wherein said motion detection step includes: a block calculation step of forming the image signal into blocks and calculating motion vectors on a block-by-block basis; and a detection step of detecting motion of the image based upon whether magnitude of a motion vector calculated at said block calculation step is greater than a predetermined value.
11. The method according to claim 7, wherein said quantization step performs quantization upon raising quantization precision of the image region designated at said region designation step.
12. The method according to claim 7, wherein said encoding step decomposes a data sequence, which is supplied by said quantization step, into bit planes, applies binary arithmetic encoding on a per-bit-plane basis and outputs code sequences giving priority to code sequences that correspond to bit planes of higher order bits.
13. A computer-readable storage medium storing a program for implementing an image encoding method of encoding image signals of a plurality of frames, the program comprising the steps of: inputting an image signal including pixel values of a frame; applying a discrete wavelet transform to the image signal of each frame and outputting transformed coefficients of the each frame; detecting motion of an image based upon the image signals of plural frames; counting a number of pixels based upon information indicating motion of the image detected in said detecting step; selecting a method of designating an area of the image based upon information indicating motion of the image detected in said detecting step, the selection being based upon the number of pixels counted in said counting step, and of designating a region of the image of the frame based upon the information; quantizing the transformed coefficients of each frame so as to differentiate an image quality of the image of the designated region from an image of other regions, and outputting a quantized image signal; and encoding the quantized image signal quantized in said quantizing step..
| 26,641 |
https://github.com/dram/metasfresh/blob/master/backend/de.metas.business/src/main/java/de/metas/phonecall/service/PhonecallScheduleRepository.java | Github Open Source | Open Source | RSA-MD | 2,022 | metasfresh | dram | Java | Code | 294 | 1,702 | package de.metas.phonecall.service;
import static org.adempiere.model.InterfaceWrapperHelper.load;
import static org.adempiere.model.InterfaceWrapperHelper.newInstance;
import static org.adempiere.model.InterfaceWrapperHelper.saveRecord;
import org.compiere.model.I_C_Phonecall_Schedule;
import org.compiere.util.TimeUtil;
import org.springframework.stereotype.Repository;
import com.google.common.annotations.VisibleForTesting;
import de.metas.bpartner.BPartnerLocationId;
import de.metas.organization.OrgId;
import de.metas.phonecall.PhonecallSchedule;
import de.metas.phonecall.PhonecallScheduleId;
import de.metas.phonecall.PhonecallSchemaVersionId;
import de.metas.phonecall.PhonecallSchemaVersionLineId;
import de.metas.user.UserId;
import lombok.NonNull;
/*
* #%L
* de.metas.adempiere.adempiere.base
* %%
* Copyright (C) 2019 metas GmbH
* %%
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as
* published by the Free Software Foundation, either version 2 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public
* License along with this program. If not, see
* <http://www.gnu.org/licenses/gpl-2.0.html>.
* #L%
*/
@Repository
public class PhonecallScheduleRepository
{
public void save(@NonNull final PhonecallSchedule schedule)
{
final I_C_Phonecall_Schedule scheduleRecord;
if (schedule.getId() == null)
{
scheduleRecord = newInstance(I_C_Phonecall_Schedule.class);
}
else
{
scheduleRecord = load(schedule.getId().getRepoId(), I_C_Phonecall_Schedule.class);
}
scheduleRecord.setC_BPartner_ID(schedule.getBpartnerAndLocationId().getBpartnerId().getRepoId());
scheduleRecord.setC_BPartner_Location_ID(schedule.getBpartnerAndLocationId().getRepoId());
scheduleRecord.setC_BP_Contact_ID(schedule.getContactId().getRepoId());
scheduleRecord.setC_Phonecall_Schema_ID(schedule.getPhonecallSchemaId().getRepoId());
scheduleRecord.setC_Phonecall_Schema_Version_ID(schedule.getPhonecallSchemaVersionId().getRepoId());
scheduleRecord.setC_Phonecall_Schema_Version_Line_ID(schedule.getSchemaVersionLineId().getRepoId());
scheduleRecord.setPhonecallDate(TimeUtil.asTimestamp(schedule.getDate()));
scheduleRecord.setPhonecallTimeMin(TimeUtil.asTimestamp(schedule.getStartTime()));
scheduleRecord.setPhonecallTimeMax(TimeUtil.asTimestamp(schedule.getEndTime()));
scheduleRecord.setIsCalled(schedule.isCalled());
scheduleRecord.setIsOrdered(schedule.isOrdered());
scheduleRecord.setSalesRep_ID(UserId.toRepoId(schedule.getSalesRepId()));
scheduleRecord.setDescription(schedule.getDescription());
saveRecord(scheduleRecord);
}
public PhonecallSchedule getById(@NonNull final PhonecallScheduleId scheduleId)
{
final I_C_Phonecall_Schedule scheduleRecord = load(scheduleId, I_C_Phonecall_Schedule.class);
return toPhonecallSchedule(scheduleRecord);
}
@VisibleForTesting
static PhonecallSchedule toPhonecallSchedule(final I_C_Phonecall_Schedule record)
{
final PhonecallSchemaVersionId schemaVersionId = PhonecallSchemaVersionId.ofRepoId(
record.getC_Phonecall_Schema_ID(),
record.getC_Phonecall_Schema_Version_ID());
return PhonecallSchedule.builder()
.orgId(OrgId.ofRepoId(record.getAD_Org_ID()))
.bpartnerAndLocationId(BPartnerLocationId.ofRepoId(record.getC_BPartner_ID(), record.getC_BPartner_Location_ID()))
.contactId(UserId.ofRepoId(record.getC_BP_Contact_ID()))
.date(TimeUtil.asLocalDate(record.getPhonecallDate()))
.startTime(TimeUtil.asZonedDateTime(record.getPhonecallTimeMin()))
.endTime(TimeUtil.asZonedDateTime(record.getPhonecallTimeMax()))
.id(PhonecallScheduleId.ofRepoId(record.getC_Phonecall_Schedule_ID()))
.schemaVersionLineId(PhonecallSchemaVersionLineId.ofRepoId(
schemaVersionId,
record.getC_Phonecall_Schema_Version_Line_ID()))
.isOrdered(record.isOrdered())
.isCalled(record.isCalled())
.salesRepId(UserId.ofRepoIdOrNull(record.getSalesRep_ID()))
.description(record.getDescription())
.build();
}
public void markAsOrdered(@NonNull final PhonecallSchedule schedule)
{
final I_C_Phonecall_Schedule scheduleRecord = load(schedule.getId(), I_C_Phonecall_Schedule.class);
scheduleRecord.setIsCalled(true);
scheduleRecord.setIsOrdered(true);
saveRecord(scheduleRecord);
}
public void markAsCalled(@NonNull final PhonecallSchedule schedule)
{
final I_C_Phonecall_Schedule scheduleRecord = load(schedule.getId(), I_C_Phonecall_Schedule.class);
scheduleRecord.setIsCalled(true);
saveRecord(scheduleRecord);
}
}
| 13,653 |
244778_1 | Caselaw Access Project | Open Government | Public Domain | null | None | None | Unknown | Unknown | 7 | 11 | Motion of appellee to dismiss appeal sustained..
| 22,760 |
mnmeiahellniksh02sathgoog_2 | French-PD-diverse | Open Culture | Public Domain | 1,880 | Mnēmeia hellēnikēs historias. Documents inédits relatifs à l'histoire de la Grèce au moyen âge | Sathas, Konstantinos N., 1842-1914, ed | French | Spoken | 7,396 | 16,891 | L’ empire rétabli à Constantinople, Michel VIII le Paléologue conçut le projet de séparer Tbessalonique et de former un empire (βασΛβίον αυτοχρανο pcav), capable de balancer la puissance des despotes de Γ Spire et des autres princes, indigènes ou étrangers, qui occupaient la majeure partie de la Macé doine. Constantin Porphyrc^ennéte, fils de Michel VIII, fut môme désigné comme le futur empereur de Thessalonique avec le titre de despote (2). La ja lousie qu’ Andronic nourrissait contre Constantin et surtout la mort de Mi chel VIII fit retarder pour quelque temps Γ exécution de ce projet. En effet Andronic II devenu empereur (1284) érigea Thessalonique en despotat sous le gouvernement de son propre fils, appelé aussi Constantin (3). Pendant la guerre civile qu’ alluma Γ ambition d’ Andronic le Jeune, le despote Constantin se déclara ennemi du prétendant ; arrêté par les partisans de son neveu, il fut remis entre ses mains avec la ville (1322). Thessalonique aussitôt restituée à Andronic le Vieux, celui-ci envoya son fils Démétrius avec le môme titre. Le nouveau despote persécuta avec acharnement les partisans du prétendant ; leurs biens confisqués furent distribués aux soldats fid^es à la cause impériale. Andronic le Jeune, pour attirer Thessalonique à lui, expé dia des circulaires par lesquelles il promettait exemption des impôts et d’autres cadeaux capables à caresser la vanité d’ un peuple avide de privilèges. Ces promesses et les rancunes des persécutés contre le despote Démétrius, firent nouer un complot, et la ville se livra de nouveau au prétendant (1328). Maître de Thessalonique, Andronic III, oublia vite ses promesses ; le de spotat fut supprimé ; Théodore Synadène fut nommé gouverneur militaire de la province. Mysticus Monomaque préfet de la viUe. Après la mort de cet em pereur (1341), Thessalonique se ralliant à Alexis Apocaucos déclara la guerre à Jean Cantacuzène, qui, pour la punir, poussa ses alliés les Turcs à Γ as siéger (1343). L’ invasion des barbares repoussée, ime faction mystérieuse connue sous le nom des Zélotes, s’ éleva et en tête du peuple massacra les sénateurs, pUla (1) « Rocvou χ[>υσοβοΙλλου ίπβυμοιρησακ των avexaOev ττροσαρμοσαντι^ν βισσαλονι'χιρ βθιμίΜτ· xat' Se» χαιων ntpuxTcxou xot της σφων βλιυθ<ρ^ας icapcxTtxou », Georges Acropolite, col. 1092, édition de Migne. (2) Le titre de Despote créé par les Ducas avant leur entrée à Thessalonique, équivalait au pi% (roi) des byzantins; on sait que ce dernier mot servait à désigner les rois étrangers, secon daires à Γ empereur (βασκλβυς). Le Despotat de Thessalonique avait chez les Occidentaux le même sens que le royaume, comme on le voit dans le traité entre Venise et le roi de Sicile Frédéric ( 1318) « fuerunt de regno Salonichi ac oriundi de regno predicto, quod regnum est sub dominio impera toris Constantinopolitani ». G Thomas, Dipiomatarium Veneto-^Levantinum, Venise 1880, p. 111. (3) Nicéphore Grégoras, Histoire, VI, 2. XVI PRÉFACE les maisons des riches, exila les primats dangereux, et proclama un nouveau régime sur lequel les chronographes byzantins ne veulent pas s’ expliquer clairement. Mais d’ après les descriptions de Grégoras, de Cantacuzène et de Cydonis, on comprend bien que ce gouvernement mystérieux proclamé à Thessalonique ne fut autre chose que la république elle-même (1). Le massacre exécuté par les Zélotes visait sans doute à délivrer la ville de tout partisan de Byzance. En 1345 le fils d' Âpocaucos fut aussi massacré comme tous les partisans de son ennemi Cantacuzène ; c' est pour cela que ce dernier appelle les Zélotes « ennemis non seulement de l' empereur, mais de tous les Romains » (2). La république des Zélotes a duré pendant sept ans (1343-1349) ; elle re poussa les nombreuses attaques dirigées contre la ville par les armées de Cantacuzène alliées aux bordes des Turcs asiatiques. Vers la fin de septembre 1349, cet empereur sous le prétexte de délivrer la ville des atrocités de ces /orcenés qui étaient en relations avec les Serbes, se présenta devant Thessalo nique en tête de la flotte impériale et des Turcs. La ville fut prise, et les prin cipaux Zélotes arrêtés furent conduits aux prisons de Constantinople. Pendant la troisième guerre civile que ralluma Γ ambition de Cantacu zène (1351-1355), Thessalonique se déclara son ennemie. Constantinople oc cupée par Γ usurpateur, Thessalonique servit de capitale à Γ empereur légiti me, Jean Π Paléologue ; vainqueur de Cantacuzène, Γ empereur récompensa , laidement les services que Thessalonique lui avait rendus. Elle récouvra son ancienne indépendance sous le titre de despotat. Thessalonique n'oublia pas son bienfaiteur. On sait que Jean II ayant été arrêté à Venise pour des dettes que Constantinople refusa de payer, c’ est la caisse de Thessalonique qui versa l’argent nécessaire pour rendre la liberté au malheureux prince (1370). Le despote de Thessalonique était alors Manuel, fils cadet de Jean II. Son (1) « Στάσις γαρ ex πολλου χατβΤχβν αυτήν, χαι Ζηλωτων, ουτωσι* ωνομασμκνων, άθροισμα των άλλων βπρωτιυβ * χαί {ν ιτρος ουβιμιαν των πολιτιιων την μιμτίο’κν α'ναφβρουσα * ûuTt γαρ αριστοχρατιχ*η τις ην, οτιοι'αν το7ς παλαι Λυχουργος Λαχεβαιμονι'οις α*νυκν προσιτκταχΕί, ούτε τις δημοχρατιχη, χαθαιτερ των 'Αθτιναιαν η κρο$ττ] τι χαι ην εχ τετράφυλλων ιι'ς δεχαφυ^λους επεπραχει Κλεισθένης* ουθ'ην τε Ζαλευχος το7ς Ενιζεφυρι'οις ΛοχροΤς ε'^ραβευσι χαι ‘^ν τοΤς ιν Σιχελΐ(^ Χαρωνδας ο ΚατάναΤος* ούτε τις υ'τιό δυοΤν η ηλειόνων εις εν τι χραΟεΤσα νεω'τερον είδος, (mc7ai τινις ησαν τι Κυπρίων χαί ην ιν τ^ πάλαι Ρωμιρ τον δήμον χατά των υ*πατιχων άνδρων στασιάσαντα χαταστησαοθαι λ/γιται, άλλ* οχλοκρατία ^'νη τις χαι οΓαν φε'ροι αν χαι άγοι το αυ'τοματον. βρα ορτεροι γάρ τινις, εις αυτοχειροτόνητον αυθεντι'ας άθροισμα συλλεγεντις, πάσαν ιχεΤ χατατρεχουσιν η*λιχ^αν, της τι πόλεως ΐχδημαγωγουντις τον οχλον προς το βουλόμενον χαι των πλουτου'ντων αφαιρονίμινοι τάς ουσίας, τρυ-> φωντις τι χαΓ αυτοί χαι μηδενι των εξωθεν υ'πεΤξαι χελευοντες ηγεμόνων, άλλα τουτ είναι κανόνα χαι νόμον τοΤς άλλοις 2περ αν ε'χεινοις δόξειεν ». Grégoras, XVI, 1, 2. Cf. XllI, 10, 3-4. Cantacuzène, III, 38, IV, 16. Cydonis, lettre à Phacrasis (Migne, Patrologia Graeca vol. CLIV, c. 1213). Lettre du même, mes. de la bibliothèque Nationale de Paris, N*’ 1213, f. 413. (2) Cantacuzène, hietoire^ IV, 17. PRÉFACE χνπ père, revenu à Constantinople, octroya en sa faveur une bulle d’ or qui, par venue jusqu' à nous, peut être regardée comme un document important pour fiadre connsùtre ces temps si mal connus. L’ empereur, énumérant les services que ce vaillant fils lui a rendus, cite son emprisonnement volontaire en Hon grie, ses guerres contre les Serbes, enfin son voyage à Venise pour délivrer un vieil empereur chrétien dont la pourpre déchirée était la risée de ces bons Vénitiens ; c’ est pour récompenser des services si signalés que Γ empereur distrait de sou empire la Thessalie et la Macédoine et en fait don au despote de Thessalonique (1). Mais ce nouveau royaume fut fondé seulement sur le parchemin de la bulle impériale. En 1373, Jean U, obligé de reconnmtre le sultan Murad com me suzerain, lui envoya Manuel en étage. Π est probable que dès ce moment le royaume de Thessalonique fut compris parmi les tributaires du sultan sous des conditions qui nous échappent. Manuel, revenu à Thessalonique (1374) organisa la révolte de Serès dans le but de secouer le joug musulman. Murad, pour punir son vassal, ordonna à son premier visir Ehaïreddin-Pacha, le célèbre créateur de l' institution des janissaires, de marcher sur Thessalonique et d'arrêter le rebelle. Celui-ci échappé, Eaïreddin occupa la ville et arrêta les partisans de Manuel (2). Quelles furent les nouvelles conditions de la reddition de Thessalonique ? Les chronographes ne mentionnent pas la moindre résistance de la part des habitants ; au contraire ils affirment que Manuel y était très mal vu. Un docu ment vénitien nous informe cependant que les seuls droits de la suzeraineté musulmane sur Thessalonique consistaient à un tribut annuel de dix mille aspres, l' usufruit des salines appartenant à la communauté, le droit d'avoir un juge musulman pour juger les procès de ses correligionnaires, et l'exemption de la douane de Thessalonique des marchandises des sujets du sultan (3). (1) « Ou γαρ της Ρωμαίων γης αποτιμομβνος ?σην βββουλημαι, ταυτην ηθβΧησα χτήμα τουτφ γβνβοθα(, oJe* óf χπόνησαν Ιτιροι τούτων αυτφ σννιχωρησα των χαρπων aVcXautcv, χα^τοι χαΐ τούτο τοΤς βασιλιύοςν ίν ÌOtt, S βούλονται της αυτών χωράς ο?ς βούλονται tout* a'pumîov SiSóvac* α*λλ'η*μ·Τς vuv των αυτου αονων τούτον χυριον αττοδι/κνυμιν * των γαρ βν HaxcSov^q^ χαί BtrraXiqt τιόλιων τας μιν xat πολλοΤς irpt^epov xptSvoiç αφ$· στηχυιας της Ρωμαίων ηγ(μονιας χαι μβχρι πολλου τοΤς γιιτοσι βαρβαροις $ι5ουλιυχυιας, τας ^ 8σον ουιτω ταυτον ιηισιοβαι icapd πάντων προσ^χωμβνας, τας μ«ν ουτος ιβιοις πόνοις α*πη*λλαξβ του των Χβρβων ζυγου, οίς ι$οΓ λχνον πρ^ρον, τας β* ΐρρωσ<ν η$η λ»ιπο4Λ>χουσας, ώσπερ τείχος αυταΤς ελασας ας προτερον ειλε, χαί ούτως αμ φοτεραις βεβοηΟηχε 9t αλληλων, ε'παναγαγων τρ βασιλίί^ Ρωμαίων Jv α*πεστε'ρηντο * ταΡτας τοινυν υποτεταχθαι τουτιρ 8i βίου βουλ<ΓμεΟα, aihf μίν μιχραν τκνα των πολλών πόνων παραμυθίαν, ε'χειναις Si ασψάλιιαν τούτο μηχανησαμενοι * του γαρ της SwXtiaç αυτας α'παλλαξαντος, τις αν ειη βιχαιότερος ταυτας χαρπουσθαι ; » Ms. de la Bibliothèque Nationale de Paris, N** 1213, f. 382-387. (2) Chaloondyle, Chronique^ p. 23-25, édition de Paris. (3) On sait que les Vénitiens occupèrent Thessalonique depuis 1423 jusqu' eu 1430 ( Voir les documents relatifs à cette cession dans les Monumenta Historiae Hellenicae, vol. I, p. 133-185). Le 20 avril 1416, les Vénitiens cèdent au sultan Murad 11 ses anciens droits sur Thessalonique^ per cepirebbe però il sultano delle rendite di quella terra dieci miila aspri Tanno e Tutilitàdel sale, c XVIII PRKKAClî Pendant un laps de soixante ans (1374-1434), les chroniques relatent avec quelque confusion que Thessalonique appartenait tantôt aux Byzantins, tantôt aux Turcs ; des documents authentiques nous enseignent cependant que la ville, indiSërente sur le choix de son suzerain nominal, continuait de mener une vie à part ; cette vie n’ était autre chose que la suite de celle que la ville menait sans interruption depuis les temps romains, la vie de la com munauté nationale. Nous avons vu que cette vie indépendante se transforma une fois ( 1343-1349 ) en république ; c’ est le môme régime qui surgit une autre fois avant que la dernière étincelle de ce foyer hellénique ne fut étouffé sous le souffle de la barbarie ottomane. Un acte du patriarcat de Constantinople nous informe qu’ un grave dan ger a menacé la vie intérieure de la communauté eu 1384, et que Γ arche vêque de Thessalonique, Isidore, saisi de terreur, laissa son trône ; le synode qualifiant cette fuite de vraie trahison envers le troupeau que Dieu lui a confié^ destitua le fugitif (1). L' archevêque destitué s' appellait Isidore Glavas ; il appartenait à une des plus anciennes familles de Thessalonique, les Glavas Tarchaniotes. Un nombre considérable de discours et lettres de ce savant prélat nous sont par venus. Isidore rétabli sur son trône se mêla beaucoup aux afiàires politiques de Thessalonique; deux de ses discours jettent quelque lumière sur la vie privée et nationale de cette ville qui se reconnaissait alors la sujette tantôt des Byzantins, tantôt des Turcs ; c' est à Γ aide de ces documents et d’ un plaidoyer de Nicolas Cabasilas, avocat de Thessalonique, que nous tâcherons d' exposer Γ organisation de cette communauté. Dans le cours de cette introduction on a vu que depuis les temps anciens, Thessalonique a été dotée de larges privilèges qu' elle a su constamment sau vegarder sous tous les conquérants. Elle se soumet à Γ empereur latin de Con stantinople Baudouin (1204), à Jean Batatzis (1246), aux Vénitiens (1423) (2) corne a tempi del despota ; uno turco sarebbe deputado ad aministrare la ^usticia a Turchi, ma solo in cose di danaro, potendo essi però rivolgersi anche à Rettori ; gli affari criminali spetterebbero al tribunale del Rettore; — rimarebbero aperte le porte e libero il venire e Γ andare ai mercanti e alle carovane turche » (Romanin, Storia docum. di Venezia, voi. IV, p. 99, 100). (1) Miklosich et Millier, Acta patriarchatu Constantinopolitani, 378. (2) « αυτοί Θεσσαλονίχιΐς ιατιρξαν του civat ircoroi βν τη χοκνότητι των Βενετικών, ώαηερ αυ'τους τους εν BâVâTiqe και γιννηθιντας και' τραφεντας » Ducas, ρ. 988. Selon le dernier historien de Thessalonique, Jean Anagnoste, la ville pouvait, sinon résister aux forces considérables des Turcs, du moins se préserver de la grande catastrophe, si les Vénitiens ne dispersaient pas ses habitans, et ne lais saient à ceux qui restaient la faculté d'entrer en relations immédiates avec un ennemi dont ils connaissaient bien les menées. Le régime adopté par Venise envers Thessalonique serait une exce ption incompréhensible de la sage politique du Sénat envers les autres communautés; mais ce régi me fut inventé par les Rettori qui gouvernèrent selon leur caprice un pays qui par son éloignement échappait à la surveillance du Sénat. X peine entrés à Thessalonique ces Rettori se livrèrent à des actes de vandalisme, exilantjet maltraitant des sujets qui n'avaient pas été conquis, mais qui de I PUÉFACE XIX SOUS une seule condition, à être libre de se gouverner selon ses propres lois et coutumes. Cette communauté ne comprenait seulement la ville; sa juridi ction s’ étendait sur un territoire assez vaste, de la ville de Berréc jusqu’ à la péninsule da Cassandra (1) ; la côte opposée à Cassandra, comprise entre les fleuves Axius et le Pénée, lui appartenait (2) ; ses frontières vers le fleuve de Strymon ne sont pas bien déterminées (3). Kicolas Cabasilas mentionne très souvent la loi coloniale (νομος αποικιών) qui probablement régissait les relations et les devoirs de petites communautés dépendantes de la métropole. Caméniate nous informe que’ une partie des vil lages Bulgares répandus sur les vallons des fleuves Axius et Strymon dépen daient de la ville et lui payaient de tribut. La juridiction de la communauté de Thessalonique sur les terres adja centes ne parait pas nullement modifiée jusqu’ à la chute de la ''ville aux mains des Ottomans. Au commencement du IX* siècle Théodore Studite mentionne toute là péninsule de Pallène, aujourd’ hui de Cassandra, comme dépendante de Thessalonique ; huit siècles plus tard les documents vénitiens afi^nnent que la môme chersonnèse appartenait à la ville. Nous ne possédons aucun document relatif au nombre des habitants soit de la ville, soit de la communauté ; l’ epithète Μεγαλοπολις donnée à Thessalo nique depuis le IV* jusqu’au XIV* siècle signifie que la population était assez considérable ; ce nom ne fut donné qu’ à Rome, Constantinople, Alexandrie, leur propre initiative avaient demandé le protectorat de la République soue des conditions bien déterminées (Ducas, p. 988). Ces Rettori, aussi incapables qu’avides d’argent, introduisirent le' système un peu compromettant de la fabrique des forteresses, et surtout la profusion de milliers de ducats comme pots*de-vin aux pachas (manzarie). Le fanatisme reUgieux ne fut pas étranger à cette tragédie (Anagnoste 4, 8); c’est pour cela que les moines du couvent des Blatées s’en< tendent avec les Turcs (Satbas, Bibliotheca Graeca, vol. I, p. 257; Dorothée, Chronogr aphte, Ve nise 1786, p. 497). Le Sénat informé de ces abus, envoya des inquisiteurs qui ne réussirent pas à ouvrir l’enquête, la vilie étant prise avant leur arrivée à Thessalonique. Cependant les Rettori André Donato et Paul Contarini furent jetés en prison, et l’enquête continua (Monumenta, 11, p. 383; Diarum Venetum (chez Raynaldi, anno 1431). (1) Le traité entre Venise et Murad II mentionne les villes dépendantes de Thessalonique {eue pertinenze)’, Romanin, IV, 99). Dans les Secrètes est mentionné « el districto de Balonichi » qui com prenait « la città de Salonichi e l’ ixola de Cassandria, e tutti caxali et confini » ; un autre docu ment ajoute la forteresse de Chortaïti {Monumenta, vol. I, pp. 163, 165, 166). Ville-Hardouin, en re latant la cession de Thessalonique à Boni face de Montferrat, cite diverses forteresses comme ap partenant à la ville « il venoit de chastel en chastel si li furent rendu de par Γ empereor et la sei gneurie tote; et vint à Salenique ». Ville-Hardouin, p. 178. Il est probable que la ville de Sérès dépendait aussi de Thessalonique « son chastel de la Serre ». Idem, p. 340. La péninsule de Cassaudra (l’ancienne Pallène) appartenait toujours à la communauté de Thessalonique; Théo dore Studite réfugié à Thessalonique, écrivait dans son itinéraire « ^ρμησαντις ev τφ KavaVprp iv τοΤς θίασαλονΓιτης ορι'οκς, tiutxa ttç Παλληνην . . . tira ιις το ιμβολον » . Theodori StuditaC Opera, édition Sirmonde, p. 231. (2) « Προς Πλαταμωνα . . . xat τας αλλας ιτολιχνας Ζαακ υπ’αυτφ κ'τέλουν ». Cantacuzène, III, 93. (3) « Σχλαβηνων των η υφ’ τ)μας τ£λουντων, των υττο τον στρατηγόν Στρυμόνο; » . Cameiìiate, 20. I XX PRÉFACE Antioche et Thessalonique (1). Grégoras (XIII, 15) la nomme « eoavffpoisev xai πολυανΟρωπον «ολιν » ; Ville-Hardouin « une des meillors et de plus riches de la chrestienté ». Une note, probablement de IX* siècle, nous fournit des renseignements précis sur l'étendue de la ville et de sa citadelle (2). Les ca lamités sans nombre qui éclatèrent sur Thessalonique pendant le XIV* siècle diminuèrent sans doute beaucoup le nombre de ses habitants ; un indice très sûr nous est parvenu sur les proportions énormes du décroissement de la po pulation pendant ces temps si tristes. Quant les Vénitiens devinrent maîtres de Thessalonique (1423), la ville, déjà dépeuplée par les invasions, la guerre et les épidémies, contenait encore quarante mille habitante (3) ; sept ans après (1430) ce nombre se diminua en 7,000 (4). La cité était partagée en quatre fractions, les primats (άρχοντες ou πρού χοντες), le clergé {à χλήρος), les bou^eois (βοοργέβ»« ou μέσοι), et le peuple (ot' δ^μοι). Le clergé formait une caste privilégiée. Ceux qui étaient attachés au service de saint Démétrius avaient de grades très distingués ; il est probable que ces serviteurs du saint appartenaient à des anciennes familles ayant de droits sur les bénéfices du temple. L' empereur Basile II pour honorer un chef Bulgare, Daxanos, lui donna en épouse la fille d' un dignitaire de Γ église de Saint Démétrius, (πριββτάριος) (5). Tous les prêtres et diacres partagés en or dres (τάγματα) étaient gouvervés selon des coutumes particulières; ils avaient le droit de porter un habit et chapeau, dififéreats de ceux que portait l’ autre {l) Du Cange, Glossarium GraecitatiSi au mot Ηεγαλο^ολις. (2) Voici en entier cette note importante que je tire d' un manuscrit contenant des auteurs du IX* eidcle « 2ΐ}μεΐ'ωσαι Sti η Κι^νσταντινουιτολίς βστι'ν οργ'υΐων α Ji. το αντό tort *at and Η(ου Βωμυν (ΐς Πυρουτον. Η* Θεσσαλονίκη οργ^ιων ^8* ανιυ της αχροπόΙιως, α^τη 9i μ^νη οργυιων tcrrcv 220. Η* Βιρροια οργυιων 1,900. η* *Αχρι'ς οργ*υιων at Hippat οργυιων <ÿu. η* *Αν8ρ(ονουπολις οργυκων η* Προύσα ορ γυκων ς^τξ'. τ^ Αιδυμοτεκχον οργυιων η Βηλυβριβ οργ*υιων ψ'. νιΒιζυη οργυΐων ω' μετά' χαΓ των ρ' της αχρο* ιτόλεως* η* xarei Θρή^χην Η*ραχλ»α οργ*υ(ων ^βρν. η Φιλαδι'λφεεα ρργυιων η Χριστουιτολες οργυκδν (f· *Ανα τoλcxdv I*ipdv οργυιων ψς', αφ*ων ai ρξ,* tiai της αχρσχόλιως * τδ χατβκ την δδσιν Γέρον το λεγδμενον Παλαιόν ^γυκων 900. Ει'χασθη δέ η Θεσσαλονίκη ίίχε(ν τό ε'μβαδδν ?ν ^σον ίστίν η* Άνδριανουιτολες, δυο δε' Ζσον η Βε'ρ pota » . Ms. de la bibliothèque Laurentienne de Florence, Plut. 75, codex 6, f. 262 verso. Un por tulan Grec du XV* siècle mentionne Thessalonique en ces termes : « H* Ζαλονίχη Ιναι χωρά μεγάλη xat' χρατεΤ aitò ιεανω τδ βουνδ ως κάτω εις την θάλασσα ». Πορτολα'νος, Venise 1573, cbap. 82. ' (3) « Adi 24 novembrio la cità di Salonichi essendo venuta sotto el dominio della Signoria, per chè avanti era assediata et affermata et perchè li provedadori mandati à tuorla tignuda, de quella fù scritto alla Signoria dela conditione et sito della città, laquale se disse esser et volzere miglia 6, ben situata, con torre 40 suso, ben populata, con belletissime chiexe dentro et una città delà et in quella se trovava anime 40000 ». Zorzi Dolfln Cronaca^ anno 1423 (ms. de la bibliothèque de Saint Marc de Venise, clas. ital. VII, cod. 794 ). (4) « Εις ε*πταχ(σχ(λι'ους άριθμουμενους άμα γυναιξε* χαί* παιδι'οίς » . Jean Anagnoste., ρ. 612, édi tion Migne. (5) Cédrénus, II, p. 188, édition de Migne. PRÉFACE XXI clei^é de l’empire (1) Les moines gouvernaient sans contrôle leurs nombreux et riches couvents; ils contestaient à la communauté tout droit d’intervention dans Γ administration de leurs biens. Nous ignorons si le clergé possédait des esclaves, comme dans les autres églises de l’ empire ; une expression d’ Eusta the &it supposer que l’ancienne coutume hellénique des hiérodoules persistait au XIF siècle dans le temple de saint Démétrius (2). Ces hiérodoules étaient d’origine étrangère; le saint, quoique surnommé le Libérateur (Έλεοβίριος) (3), ne pouvait fournir un refuge sûr à l’ esclave indigène qui invoquait sa prote ction; chaque citoyen pouvait arracher un esclave qui, fuyant un mauvais traitement, se réfugiait au temple (4). Le peuple partagé en corporations avait le droit de porter des armes ; la corporation des marins, la plus nombreuse et la plus audacieuse, formait une communauté à part avec des privil^es spéciaux ; toutes les autres corpora tions suivaient la bannière des marins en cas de protestation ou de révolte (5). L’ histoire byzantine mentionne d’ autres communautés jouissant le pri vi!^ de ne pas recevoir de garnison militaire, sauf à pourvoir à leur propre compte à la défense de la viUe ; telle fut par exemple Asémon, ville de Thra ce, dotée de cette faveur par l’ empereur Justin (6). Mais il n’ y eut pas une ville qui sut organiser sa propre défense aussi méthodiquement que Thessa lonique. Isidore cite comme le plus sérieux devoir des primats de Thessalo (1) Lettres de Cydonis, ms. de la Bibliothèque Nationale de Paris, N*^ 1213, f. 299 recto. (2) « E*v οΓς παΤ^ις τον Ηυροβλυτου άλλοι τι χαΐ' ιχ της των 2>ρ6ων χαθιντις αυτφ » . Dc ThcSSfflo— nica capta a Latinis^ 76. (3) « Rai χαθαιηρ οι μβτβΐ (κσμων βουλιυοντις βοη χαι' δαχρυοι τον Ε'λινβιριον tvravOa χαλονσι ». Nico las Cabasilas, ms. de Paris 1213, f. 264 recto. (4) « Άνοίμνησιν υ«οβθ(λλω χαι' των χατοί της ιχχλησιας του ^(ου Σκίνων ιγχιιρησιων. Η*μιραι τινίς aJrai όλ/γτσται, χαι τις πολίτης ιν η'ρίιν αργυραμοιβός, βραχιος λογου α^ιος, (αφίημι γαρ τά irpci χαιρου πλιι'ονος χαι' «αλαιτιρα πανβιινα), βουλαριον oi'xTpdv προσφυγήν τη χαθολιχ'ρ του μιγα*λου ^ιου (ν ημΤν ιχχληαι'φ, ιιτιβραμων ιχ«Τνος, ο(α itaci τις Λατίνος ιτολιορχηη}ς, όποιων χαι' αυτών, οΓμοι, ιτιπιιραμιθα, βξίσιτασιν txcTvo τό ιλιεινον αβρωπαίριον, ου των ίχχλησιαστιχων προαυλίων, ου των προτιμβνισματων, ου των πτιρυγιοιν τυυ ναού, α*λλ*αυτου ÌimÌvw μόσου, χαι' α’ρα'μ<νος άπόγαγιν οΓχοι, λυχος α*ρνιον . Και ουχ ινθυμηθιι'ς, ως ΐχ )ιου χιιρων αυτό ηρι, την Tt χχφαλην ιψιλωΜ τριχών, χαι' αότης υποχαταββίς γΐ'νιται της ^λης σαρχός, πληγές όλομβλβΤς ιπιτι^θησι .. Προνοηααμινος βό ουτω του παιβισχου, χαί τό ψυχάριον αυτου, ως ούτως βιπιΤν βχροφησας, χαταβαινιι πιρι του'ς πόβας. Και* ιπιμβλιΤται χαί αυτών, ως χαι' αυτου ιπιμιληθιιη τις ?τιρος, χοσμησας τφ ιχ σιβηρου * ιιτα χαί μι τιωρισας τό tlitivóv ανβρα'ποβον, οία μηβέ γην ιτατιΤν αυτό ο α*νηλιης . . Τβλος 6» αα'χχφ ιτιριστελλιι ιχι7 νβν, oJmp βυβ' αν οΓμαι ϋινιυίται, βιλλ* οί χαι' πλιιω πται'οντις όίξιοι . Καί αυτός μι'ν, ω παιβάριον οΓχτιστον, τοιαυτα ιηπλημμόληκιν βπί σοί, βιότι τιτόλμηχας βραμιΤν ιίς τον ^βόν. . .Έπταισας, ω βουλίβιον, Εη μητί? πατριχφ τοίφ9 του σου βισπότου προσίβραμες ». Bustathü Thessalonicensis oratio atino auspicando ά6ϋα^ p. 5b6, édition de Migne. (5) « ΛΓ^ως τι χαί ωπλισμίνοι παντβς, ως περ τό χρατιστον του βημου* χαί βχιβόν ιν ταΤς στασισιν αυ*τοί τόβ παντός πλήθους ιξηγοΦνται, προβυμως βιτομινου η αν αγωσιν αυτοί. Ε*'χουσι Si χαί ίβιαζουσαν α’ρχτίν αυτοί παρα' την της άλλης πόλιως ». Cantacuzène, Histoire, III, 94. Sur les artisans de Thessalonique, voir Camé niate, 9. Il parait que les cloches de Γ église donnaient le signal des révoltes. Orégoras, VIII, 6. (6) « Oi μόν ουν αστοί, τό τι πβρί την πόλιν όπλιτιχόν Γουστίνου του αυ*τοχρατορος υπιβι ίχνυον νόμον, χαρι ζομίνου τ^ πόλιι την ινοπλον ταυτην βιάβοχον πρόνοιαν ». Theoph. Simocatta, p. 274—5, édition de Bonn. XXII PRÉFACE nique Γ étude de la tactique militaire ; c’ est à cette organisation méthodique de ses armées, aux idées patriotiques qui étaient mises en cours, et à Γ esprit de discipline qui prédominait, que Thessalonique devait son salut au milieu de tant de barbares qui convoitaient sa richesse. Nous avons vu qu' un des anciens privilèges octroyés à Thessalonique consistait en Γ absence de garnison romaine. Pendant Γ invasion de Léon le Tripolite (904) la ville oi^nise sa défense avec ses propres forces ; le général Nicétas qui intervint, ne fut qu’ un lieutenant de Γ empereur Léon, envoyé pour surveiller la fortification du port ; ses proclamations ne citent que l’ ar mée de Thessalonique (ω «vÿpsç θίσσαλονιχίΐς). Cette armée composée de gens du peuple avait des généraux indigènes (» δ^μος diro στρατηγούς) (1). Camé niate, témoin oculaire, loue le courage de ces braves soldats qui, succombant sous le nombre, préféraient s’ élancer des toits des maisons ou se précipiter dans les puits plutôt, que de voir la patrie asservie (2). Dans le si^e de la ville par les Normands, l’ archevêque Eustathe, flé trissant l’ incapacité et la lâcheté des généraux byzantins qui y prirent part, rend un éclatant hommage au patriotisme et à la bravoure du peuple qui, animé d’ un courage antique, resta sur la brèche nuit et jour ; les femmes mêmes s’ y présentaient, travaillant et combattant aux côtés de leurs époux en vraies Amazones (3). Les deux auteurs précités font voir dans les soldats citoyens non seulement des archers excellents, mais aussi des artilleurs sa chant manœuvrer les grosses machines de défense, ce qui suppose que pen dant leurs loisirs ils s’ exerçaient à Γ arc et au tir des engins de guerre. Les primats, appelés άρχοντες, formaient la classe dirigeante de cette ré publique oligarchique à un si haut degré (4) ; ils étaient partagés en familles {V. Caméniate, 29. (2) Idem, 32. (3) « Καί 01 μίν στρβτβυσαμίνοί ουχ αν βχοι τις tiiteTv, ως τό αριιχόν ΕψΕυδοντο ... οί Λ' της ito λεως ιΟαγΕνεΤς το' γνήσιον τηρουντβς φιλόπατρι, οΰ ιτολλοί μΕ*ν ησαν . . Η*σαν γα'ρ α*λη^ς ^υμου του υ'ιιίρ «α τρίδος αχρατΕ?ς, ανδρΕς κατορθωμάτων, ανδρίας γίμοντις, αλχη'ν πνιοντΕς, ιιΕκλασμΕ'νοι ιτρδς ρωμαλΕοτητα, δι ψωντβς μάχην, χατοί βαρβαριχων σαρχων πεινωντΕς, φα'ναι, το ιταν άρΕίμα'νιοι* οΓ οΙΙτως ί^Ελαθοντο των άλλων, ω'ς μο'νου γΕνίσθαι του ιτολΕμΕΪν, χαί της χατ'οιχον τυρδης α'νθΕλΕοθαι τον Ε*·πί του τΕΐχους κίνδυνον. Ου τοίνυν ανδρες μονοί, άλλοι χαί γυναΤχΕς προς "Αρην ε'μαίνοντο . Καί ^σαι με'ν λίθους παρεφόρουν ταΤς τε αλλαις μηχαναΤς χαί τοΓς σφενδονώσι, χαί οσαι υ*δροφόρουν α’χμοίζουσαι τε νεανιδες . . οσαι δε' χαί πρδς οπλισμόν ε'ρρυθμιζον Ε*αυτα'ς, ρβίχη χαί ψιαθους εναπτομβναι ω'σεί χαί τινας ^ωραχας, χαί τα'ς χεφαλοίς μίτραις είς ίλιγμα διαλαμβανουσαι,ιΓ πως στρατίωται Είναι σοφίσονται, χαί λίθους ίπισαττόμεναι α'γαθου'ς ίχ χειρων α'φίΕσθαι, του τείχους ε’γίνοντο, χαί ω*ς Είχον εδαλλον τονίς ε*χθρου'ς* α'λλ*αυ'ταί τη'ν *ΑμαζόνΕΐον ιστορίαν συγκροτουσι και ου*χ α’φιασιν ε'χείνην Ε*λίγχε“ σθαι ». De Thessalonica capta, 69-70. (4) Isidore de Thessalonique, en conjurant les archontes de retirer leur démission, caractérise en ces termes cette classe dirigeante : « χαί εί τούτο ην, ουχ αν α'γοραΤος ^ίνθρωπος χαί σκηνορράφος χαί σχυ τοδεψης σου διηλλαττεν, ευγενους άλλως ευ’μοιρηχοτος παιδείας ’ καί γάρ δια' τούτο των πολλών ονίτοι χαί λέγονται χαί εισίν, οτι των χυδαίων δηλαδη' χαί μη την πρω*την τάςίν χατα' τε νουν ε'χοντων χαί διάνοιαν, συ δε' των Λί γων, οτι των τιμίων ω’σανεί χαί θαυμαστών χαί ε'χλεχτων’ ο’λίγοι γάρ οί ε'κλεχτοί, καί των λίθων οί τίμια, δια' PRÉFACE XXID militaires et civiles souvent la même famille brillait aux armées, dans les a£^res politiques et dans le sacerdoce. Un nombre inconnu de ces primate composait le Sénat ( βουλή ou σύγκλητος ). Les archevêques, pour la plupart originaires de Tbessalonique, intervenaient de droit dans les délibérations du Sénat. Parmi ces primats le peuple élisait chaque année les archontes épo nymes (άρχοντίς του κοινού), les généraux (στρατηγοο'ς τοΰ δήμου), les juges (^ικαστας), les administrateurs des hôpitaux, des établissements d' invalides ; ces derniers appelés κηδεμόνες ou φροντισταί του κοινού dirigeaient aussi la police et devenaient de droit les tuteurs des orphelins. Ces κηδεμόνες choisis pour la plupart parmi les avocats, ne furent pas toujours d’ une probité notoire. Cydonis les appelle καθαρματα, 5ήρ«ς α’γρίους; Cabasilas dit qu’ ils vendaient la justice au plus oârant, et qu' ils mangeaient la fortune qui tombait sous leur tutelle (1). H est probable que ces admini strateurs ne sont que les anciens politarques de Tbessalonique (2). Nous igno rons le détail de leurs droits comme de leurs devoirs ; les spectacles étaient sans doute placés sous leur surveillance (3). Leur immixtion dans l’ admini stration des biens des couvents ne parait pas un ancien droit ; c' était plutôt un cas exceptionnel qui obligea la république des Zélotes de demander à la caisse des couvents une subvention pour la défense de la viUe; Cabasilas qualifie de vol cet acte illégal. La communauté avait aussi le droit d’ envoyer des ambassadeurs auprès des princes étrangers pour traiter les afi^res du commerce et quelquefois des TcÛTo τίμιοι Sri mp ολίγοι ». Ms. de la Bibliothèque Nationale de Pans, 1192, f. 318. Nicolas Cabasilas, quoique maltraitant dans son plaidoyer le gouvernement des' Zélotes, dans un autre discours parle en ces termes des archontes : « ot pc v βικταττουσιν, οι Si υ^αχουουσι * xai παρα μιν των αρχομβνων τιμαΓ xac* 9 ^'poc τοΤς άρχουσιν, αρβτης αθλα ταυτα xat' της ιΐς τους ελαττους ιτρονο^ας, παροί Si των αρχο'ντων ^ιηνβ χης των ΰπο χειρα φροντΓς xat' πρόνοια συνεχής, ην τοσαυτην $ει'χνυτακ ως V Ζ γβ καλός αρχών κβι'οκς χινδυνοκς την σωτηρίαν τοΐς αλλοις πορίζει, χαι πολλοί ταΤς πατρίσιν αμ^νοντες Ιίπεσον ». Μβ. de Paris 1213, t 315. (1) « Οισ6α rdç 4οόφους, την (ίιχαιοσυ'νην, του'ς Φιχαστας χαι 9σου πώλου νται ». Cabasilas, même manu scrit, f. 299 verso. (2) Sur les anciens politarques de Tbessalonique voir Mission au mont Athos par M M. Γ abbé Duchesue et Bayet (Archives des missions scientifiques, 111^ série, tom. III, p. 304-211 (3) Tbessalonique fut la seule ville chrétienne dont Γ église protégeât le théâtre L'archevêque assistait aux (représentations des drames, et Γ artiste, si déchu dans Γ empire byzantin, prédisait quelquefois à l'archevêque les invasions des barbares et autres calamités: « συμφορών μεγάλων μηνύματα οι τραγιρδοι χαθεστηχασι « Miracles de Saint Démétrius à propos de l'invasion Avare en 584 (Migne, Pa trologie Grecque, vol. CXVI, col. 1206). Tandis que toute l'église foudroyait le théâtre, Bustathe de Tbessalonique se montre l'éloquent défenseur de la scène hellénique, en réprésentant le théâtre comme l' école de toutes les vertus. « H*v γουν ε’χ της τοιαυτης μανθανιιν τους τότε α'νΟρωπους, εστι 9ε' χαΓ τους νυν, τύχης μεταβολοίς παντοιας χαι η'Οων ποιχιλόας χαι βι'ων α'μυθητων διαφοράς ... Ο* 5η καλόν εχεΤθεν χατεβη χαι' εις τοός μετε'πειτα, ίνα μη μόνον ε'χ των ζωντων ε'ρανιζω'μεθα την του α'γαθου μαθησιν, α*λλα χαΓ νε χρόις ομίλου ντες Sì υποχρισεως ε'χεινης την χατ'α'ρετην ζωη'ν προσεπιχτωμεθα . . . ΚαΓ ην ό τότε υποκριτής αρετής απασης $ι5οίσχαλος, παρεισαγων μεν εις τό ^εατρον χαι' τυ'πους χαχιών, ουχ ώστε μην μορφωθηναι τινα προς αυ τα';, αλλ’ω*; ε’χτρεψασΟαι ». De simulatione (Migne*, Patrologie Grecque CXXXVI, col. 374, 376). XXI T PRÉFACE affaires politiques. La charge d' ambassadeur était la plus patriotique, mais en même temps la plus rude et la plus ingrate. Les frais du voyage et de la re présentation de Γ ambassade étant versés par la caisse de la communauté, le peuple ne voulait pas consentir à payer les contributions que le Sénat impo sait pour une mission aussi ruineuse qu' inutile. Vers la fin du XIV” siècle les protestations populaires efirayèrent tellement les primats que personne ne voulait plus accepter une telle charge; c'est dans cette circonstance que Γ archevêque Isidore prononça les deux discours politiques (1394) mentionnés plus haut ; Γ un s’ adresse au peuple pour lui montrer Γ injustice de ces récla mations contre une mission si patriotique (1) ; Γ autre représente aux archon tes que c' est la patrie en danger qui leur impose une telle charge (2). (1) « 'Αλλ'ίνα ταυτα αφω, noe ον ^ici* των n}v Kotvijv αναΦιχομίνων φροντίδά φι'λτρον (ΐηδπζαμιΟα; ti Sat ; ου δ«»αιοι ηαρ ημΤν τιμιρς απολαυιιν χαι' φίλτρου ; ου χαριν ΐ(δ/ναι του'τοις όφίΓλομιν των exeorrou φορτ(ων Jv ως ('δι*ωναντιηο(οΰνται; ουχ Jn^p της «όλης ifv ('χοίστης ηολλβίχις υ'φίσταντβ» της η*μιρας, τοΓς αλλοτρίΜς διαμοί χομ<νοι, ίνα τ( γ^νηται, β^πως ο* διΤνα χαι* ο* δβ?να luti ο χαθίχαστον ημών α9»λφδς οιχμ μ/νη δ(αναιιαυέμινος| γυ yaexe' η συνβυφραινομβνος luti τιχνοίς, μητ( της ι9ι^ας αφισταμ<νος {ρχασιας καί τβκς βαρβαριχας 9ca^eifuv ^βρ«ις xat' μηδ€μιας γνυ^μινος οΓηδιας, ουχ ΰηιρ τούτων αιδους ημΤν a4(oc oc των xocvûv φροντισται'; οΰ δι αυτών ηολλοΤς Ttî τιμ(ον διαοω*ζ4ται, βαρβάρου μηδβν^ς δΐ4νοχλο(Γντος ; ου’ των χαΟ* η’μας Sveoe μιχροΰ τcvoς η ου’δβνδς ot σδβίνονται ηόνουι ανηχοοι χαι* αυτών ός (tiriTv μ/νοντ(ς των βαρδάριχων sircTaYpa'TOv, Jts t^v φ<^ρτον τούτον άπαντα των φροντιστών ιπωμιζομίνων ; η ως καχως πολλαχις ηχούσαν χαι* (V αυτών υβρ^σθησαν των προσώπων βαρβα’ρους χαΓ α*λλοχότους ΰπινβγχοντις φωνοίς ; η ο^ς διαπρισβιυομχδα ^π* αλλοδαπήν π/ μποντις χαι* μαπραίν χωράν, μιτρίαν ΰφΓ στανται ^λΓψιν, χαι* ου χινδ/νοις προσπαλαιουσι μυριοις απότβ ποταμών χαι* χρημνων χα^ ορών· χαι* ληστών χαι’ τραχβ/ας άλλης οδού χαι* των νξ Γππων συμπτωμάτων χαι* διινων άλλων συναντημοίτων χαί προσώπων χαι* φωνων βαρδαριχων χαι* αηδών; ιι* δ^ χαι* tc 2 προς τροφήν αυτοΤς (’πιληψουσιν αναγκαία, yivtrat γΰΐρ ισδ’οτι χαι* τούτο, πόσος txt76tv τότ* ό πόνος, μηδινο*ς αυτοΤς παρόντος φΓλου, γνωρίμου, γνησίου, παρ ου nfv Γνδιιαν παραμυθησισδαι «χουσιν ; ιι 9i χαι* τυραννιχης ntipa6cTcv οργής ^ χαθ* η'μων χυ0η'σ»σ6αι ιμ<λλ4ν, αυτοί* δ^ό πρώτοι πιπωχότις τόν όλόβριον ιόν, ποι’αν ουχ υπ»ρ6αλλιι τούτο πιχριαν ; » Γσιδωρου β«σσαλονόχης, ομιλία δτι ι χ του μτ} ιυχαριστιΓν τφ StÇ Mai τόις των κοινών φροντκτταις, όπαγβται τα λυπηροί, ιχφωνηθιΤσα Κυριακή α των προοορτΓων του α*γίου Δημητρ^ου χατβί μήνα όχτωβριον, ινδ. β* ιτους 6902. Μβ. de Parie 1192, f. 313 recto. (2) « Kdu* σό μόν oUv μιιζόνων ό ^βός ηξιωσο χαρισμάτων δι ων τφ χοινφ τβί μιγιστα δυ’νασαι βοηβιΤν, χαι* οόον dXXo τι τι7^(ος η λιμόνα τόις βοηδβιας όπιδβομόνοις «στβίναι * ό δι πολός όΤνβρωπος σμινυην μόν ποίντως χαί διχολλαν χαι* δμνιν χαί σχιπαρνον χαί πρίονα χαί σφυράν χαί αχμονα χαί άλλο τι των τιχνιχων όργαλοίων χαλό^ οίδι μιταχβιρί^ιιν, πολιτείαν Si δπως χρη* διοιχβΤσθαι χαί την ευνομίαν διατηρεΤσδαι χαί αρχόντων ^ιραπευειν όρμοίς χαί προς ε’πιταγματα διοιχεΤσδαι νυν μίν εΤχιιν, νυν δε* άλλως οίχονομεΤν, χαί τούτων άπειλοίς η'μερουν χαί δωρεοίς νουνεχως επιδεχεσθαι, χαί τό χρηματίζεσθαι χαιρου χαύίουντος οίχινδυνως ε^ευρίσχειν, χαί τβίς επιούσας ανάγκας υγιως διαλυειν, χαί δη'μου διορθουν α’ταξίαν χαί πολλαχόθεν τφ χοινν ττ}ν α'σφαλειαν πραγματευεσβαι, ταυτα δι{ ταυτα ουτ* ε’σχεψατό ποτέ, ουτ* ασφαλώς οίδεν ίΟυνειν. Ο'σπερ ο7ν άναχόλουΟον οίλλα^μενόν σε την ιδίαν τοίξιν, άνελε'σδαι τβί των βάναυσων, οότως επισφαλε*ς γεωργφ χαί σχαπανεΓ χαί χειρωνάχτ^ πολιτείοις ερχει-' ρίζειν διοίχησιν χαί πράγματα νου χαί πείρας άλλης δεόμενα. Διά ταυτα σί με*ν άσειστον ανάγκη μενειν την ίδίαν τηρουντα τάξιν, τόν δό πολυ*ν ε*άν άνθρωπον κυβερνάν τά ε'αυτου * χαί μη μου λίγε, ουχ ε’γιό τούτον η εχεΤνον καταναγκάζω των πολίτικων προεστάναι πραγμάτων, α*λλά φυγεΪν μόνον βούλομαι την τοιαυτην διακονίαν, τά δό πράγμοηα άγε'σθωσαν ως άν όπωστοιουν τυχοι * ουχ ίσην άσφαλι^ς ό λόγος οότος ' ουχ εστι φιλουντος ομοφύλους, μάλλον δί γνησίους χαί Γδια τίχνα χαί ίαυτόν ... Ο^ρα τοίνυν μτ) πραγμάτων φευγων προστασίαν, άθλιωτατον όλεθρον σαυτφ προξενησιιο. σου μίν γάρ των πραγμάτων προϊστάμενου του χαί προς κίνδυνους άπομάχισδαι ε'πισταμίνου, αμφίβολος ως λίγεις ό κίνδυνος * του δε* tv)V επιστήμην ταυτην είδότος παυσαμενου, αναμφίβολος η χατοντροφη* ποΓον ουν ε*λίσθαι χρτ}, τόν αναμφίβολον κίνδυνον η τόν αμφίβολον;. ’Αλλά γογγυζουσι, φησίν, ό πολός άνθρωπος χαί διοκτυ^υσιν ημάς ους ευ’εργετας ε'χρην χαί οίς είδε ναι χάριν όφείλουσι * χαί τί τούτο προς σε ; εχείνοίς μεν αληθώς τούτο ζημία, σοί δε* στε'φανος χαί ταμιευόμινον κέρδος. 'Αλλως τε ου’δίν καινόν ο πολύς PRÉFACE χχτ Entre les primats et le peuple se trouvaient les moyens [oi μέσοι) ; c' est probablement la même caste que mentionne Eustatbe sous le nom néolatin βουργβσιοι (les bourgeois) (1). Les documents ne s' expliquent pas clairement sur le rôle que ces moyens jouèrent dans les destinées de la communauté. Ce pendant il est probable que cette classe se composait des hommes du peuple enrichis. Les Zélotes ne furent pas une caste à part ; ce furent les chefs du parti populaire qui, s’ élevant contre l’ oligarchie prédominante, massacra les séna teurs, coniisqua les biens des riches et exila les partisans de toute fraction byzantine. Selon Cantacuzène et Grégoras, les Zélotes ne furent que les Gm munards de nos jours ; le plaidoyer de Cabasüas représente cependant leur république sous des couleurs moins sombres. L' archevêque de Thessalonique, un patriote inconnu, fut le président de cette république. Ni les riches ne furent dévalisés, ni Injustice étoufifée ; au con traire la loi fut très puissante et la liberté de la parole respectée ; des particu liers eurent le droit de citer devant les tribunaux le gouvernement lui-même, contre lequel les avocats lancent les epithétes les plus mordantes et les plus injurieuses. Un grand document contemporain et d' origine locale démontre clairement que ces vrais Zélotes, ou Patriotes, si décriés par leurs ennemis, ne furent pas une bande de va-nu-pieds, ni une horde d' assassins. Assi^s par Cantacuzène et les Turcs, les Zélotes, pour subvenirà la paie des soldats, furent obligés de demander im supplément d'aigent à la caisse des nombreux et riches couvents que possédait la ville. Les moines pro test^ent contre une telle ingérence dans leurs affiûres, en qualifiant la pré tention des Zélotes comme une violation de la dernière volonté des testa άνθρωπος tocouta ποιων* oJtoi γοίρ κι σι των μη βαθίων την γνωσιν, αλλ*απαγ*ων χαι* σταθηρ^ς κρημων ZtanolaÇf παρ ών ουχ ινι θιον σωζισθαι, χαβαπερ οΰθε' εν τοΤς απαλοΤς την ηλιχιαν τά των γερόντων ενεστιν ευρεΤν * trd παρ αύτων τα των νουνεχών ζητείς χαι' τελείων χαι* μεστών τβίς φρινας; . . . Και συ Si αυτός θεΤ^ν προς τον δήμον το? των πατεριΜ, χαι' Ιως αν την του βραχέος α'φα^ρεσιν αργυρίου συμφέρον η*γη, βο^ν ία τον αγοραΤον, μηδέ προς την βοήν επιστρεφομενος .... 'Αδελφοί', 2σοι των τής πολιτείοις προίστασθε πραγμοίτων, δέος ^παν της ψυχής εχδαλοντες χαι* οτι ώλλο των αηδών, προθυ'μως α'ντε'χεσθε των χοινών, α'χιβδηλον ποιου'μενοι την της φρον τε'δος διαχονιαν, ώς του !^εοΰ πάντων προ οφθαλμών χειμενειν, χαΓ τας α’μοι6ο?ς ιχεΤθεν α'ξίως α’ντιδεχομενων, ο* δε' ταυ )εου λαδς ούτος τδν υ'μετερον υπε'ρ αυτου αισθόμενοι πονον, αισθησονται γα'ρ, υμΤν τε χα'ριν εΓσονται χαι' του ^εου δεήσβνται τα' βελτιω χαταπεμφθηναι ». Ο'μιλια βτι φερειν χρη τους τών χοινών προϊσταμένους χαι' προύχοντας εν πολιτει<φ τιώς τών πολλών χαι' ευ'τελων α'νθρώπων γογγυσμοι?ς, εχφωνηθεΤσα Κυριαχή β' τών προερτίων του α'γιου Δημητρέου οχτωβρίου ιβ', ι νδ. θ', έτους 6902 (DaoB 1β même IDailllSCrit f. 318-315). (1) De Thessalonica capta a Latinis, (2) « Και του'ς με'σους μεττ(εσαν τών πολιτών, ή συνασχημονεΪν α'ναγχοιζοντες αυτοΓς, ή τη'ν σωφροσύνην χαι' την ε'πιείχειαν ώς Κανταχουζηνισμο'ν ε'πιχαλοϋντες ». CaDtacuzène, Histoire^ III, 38. d XXVI PRÉF.vr.K teurs qui avaient léj^é leurs richesses pour la religion et non pour la patrie. Un savant primat qui ne voyait pas d’ un œil sympathique le gouvernement des Zélotes se présenta comme le défenseur des moines. Le procès fut porté devant les tribunaux. Le plaidoyer de Cabasilas est très important, mais trop long pour être analysé en son entier ; il cite un h un tous les arguments de la défense pour les réfuter. Le principal allument de la défense des Zélotes est que, s' il était vrai que ni la loi locale, ni la loi romaine ne donnaient le droit de violer la dernière volonté des testateurs, cependant Γ abus que les moines faisaient de tant de richesses, et surtout le danger de voir une ville chrétienne tomber dans les mains des Turcs, permettait de prendre une partie de cet argent, ga spillé par des êtres si inutiles, pour indemniser les défenseurs de la patrie (1). (1) Voici le texte de la défense des Zélotes: « Ti 6 »vgv tt των αναχϋμινων τοΓς φροντιστηριοις, πολλών οντων, λαβοντΕς ινια πίνητας μΕ'ν ^ρβ'ψομκν, («ρΒυσι δι* χοριιγησομΕν, νιως $ι χοσμησομιν ; ταυτα Bi ουτΕ βλαβος ΕΧΕ(νοΐ( οΓσΕ(, των απολΕίφΟΕντων αρχουντων rÇ Tip αναθΕμενων ιξ αρΧ*^^ ουδίν απςίδον* Ετχόπουν δε ουδε'νϊτιρον η βεον *:3ΐραπευσαι χακ πινητας ^ριψακ' τούτο χαι ημΤν το Γργον. Et Si xai' στρατιωτας απο' τούτων οπλιοτομ«ν υπε'ρ των ιερών τούτων χαι των νομών χαι των τειχών αποΟανουμενους, πως ου βε*λτιον *3 παρα μονάχων ταυτα χαι ιερεων α'ναλουσθαι ματην, οις μιχρα μεν προς την τραπιζαν α'ρχεΤ, μιχροι Si προς την άλλην του βι'ου παρασκευήν, οΤχοι χαθημε'νοις χαι υπό στέγην ζωσι χαι προς ου'δινα παραταττομε'νοις κίνδυνον ; xacTot χαί τουτ αυ*το7ς ε*ν χαιρφ μάλλον η τροπον έτερον δαπαν^ίν* το γαρ εστα^αι τείχη χαί νόμους είναι μηδέν αναγχαιότατον αυ*τοΤς, εργον Si στρατιωτών εΓ τις εν α'νθρωποις σχοποΤ. Τί ουν α'διχουμεν, ει* χαδβί περ στέγην ία'σασβαι χαί οίχίαν πίπτουσαν α’νορθωσαι, χαι α*γρων καί χωρων ε'πιμεληθηναι, τόν ίσον τρόπον χαί τους ιΙπόρ της ε*λευθερίας α*γωνιζομενους τρεφειν τε χελευομεν ; η ουδέ οίχετην ε'ξεσται παρα" των ιερών τούτων τρα^ηναι, χαί γεωργόν, χαί αρτοποιόν χαί οόχοδόμον ; 6» δε τούτους, τι* μάλλον ε*χεί νους ; » Λόγος περί των παρανόμως τοΤς α χο··σιν ε'πί τοΤς ιεροΤς τολμωμενων . Μβ. de la Bibliothèque Nationale de Paris 1218. f. 246 verso. Voici quelques fragments de la longue réfutation de Cabasilas: « A* γα"ρ τη'ν πο*λιν α'νεστησας αναλωσας, ταΰτ ε'χτησω νόμους ηδιχηχω'ς α'μφοτερους, τόν τε περί των ιερών κείμενον χαί τόν ιδιωτικόν ». ί. 252 recto. « τό μεν χρηματίζεσθαι διχαι'ως, η τουναντίον, υμε'τερον, τό δ* εις το ζητουμενον τέλος τελευτησαι την πραγμα τείαν, η βλαψαι, της ^ειας αν εΓη χειρός ». idem. « Ou*Si τόν αρχοντα χρινουμεν από των νηων χαί των ναυτών ω*ς εΓη χαλώς χαί δεόντως βεβουλημενος * α*λλ* ει μίν σωζων ε*αυτφ την των αρχομενων εύνοιαν χαί τη πόλει τιην ευ’νομίαν χαί τοις νόμοις την αίδω.. φρόνιμος αν είη χαί ευβουλος χαί τά πολίτικα" τεχνίτης* ει δ*υπερ6α"ς τους νόμους χαί την ταηιν ατιμασας χαί τη"ν ε'λευθερίαν προδεδωχιός ών η'γειται χαί ε'αυτόν χαταισχυνας χαί μισηθείς ύφ ών εδει φιλεΤσΟαι, ναυς εχτησατο χαί 8πλα χαί στρατιωτας χαί υ'πίρ ιόν Ιίδει ναυραχεΤν χαί πε· ζομαχειν χαί ταλλα πονειν, ε*χεινα προεμενος χαί διαφθειρας, ταυτ εχει χαί τό συνάλλαγμα τούτο χε'ρδος η*γε^* ται, πώς ου παραπαίει χαί δηλός ε'στι μη ότι των χοινη δεόντων ουδεν ειδώς, α*λλ*ου’δ* εαυτόν χαί ό,τι' ποτέ ε'στιν αυτφ τό της αρχής σχήμα ; ου* γα"ρ δη ταυτα νομιστε'ον αρχόντων εργον, υπέρ ών δεΤ χαί των άλλον αυτο7ς με'λειν α'πάντων, χρη'ματα χαί τριηρεις χαί στρατόπεδα ' ε'πεί τι' διοίσουσι των τυρα'ννων, οίς ου*δε"ν προ των όπλων, οι χαί νόμους χαί δίκαια χαί ίερα" πάντα δαπανωσιν ιν'άπο" των όπλων ίσχυσωσιν; α*λλ*οί χρηστοί των αρχόντων χαί τουνομα μη ψ^οδόμενοι τούτο, του’ναντίον, Γνα φυλά^ωσι νόμους χαί τη"ν άνω πρεπουσαν τοις άρχομενοις ε'λευθερίαν, την δυναμιν ε'χείνην ζητούσε * χαί τουτφ χείρων της άρίστης πολιτείας η τυραννις ' οί μόν γαρ υπέρ του μη λυθηναι τους νόμους χαί rrìv ε'λευθερίαν χαΟυβρισθηναι, τά όπλα τιμωσιν, οί δ* α*πό του παρανομεΤν χαί δουλοΰσθαι τους άρχομε'νους οπλίζονται' τοΓς μίν γάρ των υπηκόων 0πως ευ πράττοιεν ου'δείς λόγος, άλλ'ε'ν ταες περί αυτών φρονπ'σι τά εαυτών πράττουσι, χαί προς την σφετε'ραν ασφάλειαν χαί τάς η'δονάς αυ'τοις τε χαί τόΤς αυτών άπασι χρώνται ' οΓ δ* όπως ευ ποιη'σαιεν ών άρχουσιν, ε'αυτου"ς χατατείνουσι χαί ταλαιπωρούνται χαί πο νουσιν άφ* ών άφελεΤν δυνη'σονται, πάντα τολμώντες . . . Ε*πειτα πώς χαί συσταίη πολιτεία την αρχήν, χαθ'ην ου μετ' ε'λευθερίας ε'ςεσται ζην, η; ουδεν άν'ίρώτοις ίτον ου'ό’ όμότιμον, χάν χρυσο'ν είπη;, χάν πλε'θρα γης, χάν τάς ε'σχάτας τιμάς ; *> f. 253. PRÉFACE XXVII Dans ce document sont très souvent citées deux lois particulières de Thessalonique : 1" la loi locale de Thessalonique, appelée Loi des Fondateurs (νόμος o.’xt7T Ôv) ; 2“ la Loi Coloniale (νίμος αποικιών) qui probablement régissait les devoirs et les droits de petites communantés ( α’ποιχίαι ) réconnaissant Thessalonique comme leur métrople. Ces deux lois n’ ont aucun rapport avec la loi Romaine qui est souvent citée sous les noms de 0 ' πολιτικός, ό ίΛωτικός νόμος. Les Novelles des empereur n’ étaient pas prises en considération par les tribunaux de Thessalonique; la défense des 2^1otes les invoqua, mais Cabasi las réfute une telle invocation en termes très violents (1). Nous ignorons Γ organisation de la république ,des Zélotes ; nous possé dons cependant à cet égard une donnée fugitive d’ une grande importance, et qui provient même d’ une plume ennemie. Cabasilas, déjà mentionné, ap partenant à une des plus nobles familles de Thessalonique (2), ne pouvait reconnaître un régime qui visait à Γ abolition des privilèges de sa caste. | 4,467 |
https://persist.lu/ark:70795/r4805h_1 | BNL Newspapers (1841-1879) | Open Culture | Public Domain | 1,862 | Luxemburger Wort no. 181 18.11.1862 | None | German | Spoken | 76 | 162 | 13* Jahrgang. Dinstag, den 18, November 1862. N°lBl* Luxemburger Wort. für Wahrheit und Recht. Snfcrti^ii^cl;äl;vcit 20 Centimes per Zeile. '\u25a0r' „ für die Abonnenten. Bestellungen u. Briefe werden franco erdete:. Preis per Nummer: 25 Centimes. Erscheint wöchentlich viermal: Dienstag, Donnerstag, Freitag und Sonntag. %koan cmc at b s Prc i»> pro 2uartal^ St. 3 00 für Luxemburg. „ 4 00 im Großherzogthum Luxemburg„ 5 00 für Belgien und Holland. „ ? 00 für Frankreich und Deutschland. | 35,640 |
https://uk.wikipedia.org/wiki/%D0%A1%D0%BA%D0%B8%D1%80%D0%B4%D0%B0 | Wikipedia | Open Web | CC-By-SA | 2,023 | Скирда | https://uk.wikipedia.org/w/index.php?title=Скирда&action=history | Ukrainian | Spoken | 77 | 312 | Скирта — щільно складена маса сіна, соломи або снопів, довгастої форми, призначена для зберігання просто неба.
Скирда — українське прізвище.
Людмила Скирда — українська поетеса, перекладач, літературознавець. Дочка Тамари Скирди.
Михайло Скирда — генерал-майор МВС СРСР.
Тамара Скирда — український науковець, педагог. Мати Людмили Скирди.
Юрій Скирда — український художник, режисер-мультиплікатор.
Скирта Андрій Вікторович (1992—2015) — старший солдат Збройних сил України, учасник російсько-української війни.
Інше:
Скирда (гора) — гора в Криму.
Див. також
Скирта (прізвище)
Українські прізвища | 10,456 |
https://github.com/Softchallenge2012/PostgreSQL-LRU/blob/master/src/bin/psql/po/pt_BR.po | Github Open Source | Open Source | PostgreSQL | 2,017 | PostgreSQL-LRU | Softchallenge2012 | Gettext Catalog | Code | 17,125 | 42,389 | # "psql" translation to Brazilian Portuguese Language.
# Euler Taveira de Oliveira <[email protected]>, 2003-2010.
#
msgid ""
msgstr ""
"Project-Id-Version: PostgreSQL 8.2\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-06-18 17:12-0300\n"
"PO-Revision-Date: 2005-11-02 10:30-0300\n"
"Last-Translator: Euler Taveira de Oliveira <[email protected]>\n"
"Language-Team: Brazilian Portuguese <[email protected]>\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=ISO-8859-1\n"
"Content-Transfer-Encoding: 8bit\n"
#: command.c:121
#, c-format
msgid "Invalid command \\%s. Try \\? for help.\n"
msgstr "Comando inválido \\%s. Tente \\? para ajuda.\n"
#: command.c:123
#, c-format
msgid "invalid command \\%s\n"
msgstr "comando inválido \\%s\n"
#: command.c:134
#, c-format
msgid "\\%s: extra argument \"%s\" ignored\n"
msgstr "\\%s: argumento extra \"%s\" ignorado\n"
#: command.c:273
#, c-format
msgid "could not get home directory: %s\n"
msgstr "não pôde alternar para diretório base do usuário: %s\n"
#: command.c:289
#, c-format
msgid "\\%s: could not change directory to \"%s\": %s\n"
msgstr "\\%s: não pôde mudar diretório para \"%s\": %s\n"
#: command.c:409 command.c:850
msgid "no query buffer\n"
msgstr "nenhum buffer de consulta\n"
#: command.c:472
#, c-format
msgid "%s: invalid encoding name or conversion procedure not found\n"
msgstr ""
"%s: nome da codificação é inválido ou procedimento de conversão não foi "
"encontrado\n"
#: command.c:540 command.c:574 command.c:588 command.c:605 command.c:706
#: command.c:830 command.c:861
#, c-format
msgid "\\%s: missing required argument\n"
msgstr "\\%s: faltando argumento requerido\n"
#: command.c:637
msgid "Query buffer is empty."
msgstr "Buffer de consulta está vazio."
#: command.c:647
msgid "Enter new password: "
msgstr "Digite nova senha: "
#: command.c:648
msgid "Enter it again: "
msgstr "Digite-a novamente: "
#: command.c:652
#, c-format
msgid "Passwords didn't match.\n"
msgstr "Senhas não correspondem.\n"
#: command.c:670
#, c-format
msgid "Password encryption failed.\n"
msgstr "Criptografia de senha falhou.\n"
#: command.c:726
msgid "Query buffer reset (cleared)."
msgstr "Buffer de consulta reiniciado (limpo)."
#: command.c:739
#, c-format
msgid "Wrote history to file \"%s/%s\".\n"
msgstr "Histórico escrito para arquivo \"%s/%s\".\n"
#: command.c:777 common.c:75 common.c:89 mainloop.c:67 print.c:56 print.c:70
#: print.c:835
#, c-format
msgid "out of memory\n"
msgstr "sem memória\n"
#: command.c:786 command.c:835
#, c-format
msgid "\\%s: error\n"
msgstr "\\%s: erro\n"
#: command.c:816
msgid "Timing is on."
msgstr "Tempo de execução está habilitado."
#: command.c:818
msgid "Timing is off."
msgstr "Tempo de execução está desabilitado."
#: command.c:878 command.c:898 command.c:1289 command.c:1296 command.c:1305
#: command.c:1315 command.c:1324 command.c:1338 command.c:1352 command.c:1385
#: common.c:160 copy.c:549 copy.c:616
#, c-format
msgid "%s: %s\n"
msgstr "%s: %s\n"
#: command.c:974 startup.c:193
msgid "Password: "
msgstr "Senha: "
#: command.c:1076 common.c:206 common.c:483 common.c:548 common.c:834
#: common.c:859 common.c:932 copy.c:687 copy.c:732 copy.c:861
#, c-format
msgid "%s"
msgstr "%s"
#: command.c:1080
msgid "Previous connection kept\n"
msgstr "Conexão anterior mantida\n"
#: command.c:1084
#, c-format
msgid "\\connect: %s"
msgstr "\\connect: %s"
#: command.c:1107
#, c-format
msgid "You are now connected to database \"%s\""
msgstr "Você está conectado ao banco de dados \"%s\" agora"
#: command.c:1110
#, c-format
msgid " on host \"%s\""
msgstr " na máquina \"%s\""
#: command.c:1113
#, c-format
msgid " at port \"%s\""
msgstr " na porta \"%s\""
#: command.c:1116
#, c-format
msgid " as user \"%s\""
msgstr " como usuário \"%s\""
#: command.c:1208
#, c-format
msgid "could not start editor \"%s\"\n"
msgstr "não pôde iniciar o editor \"%s\"\n"
#: command.c:1210
msgid "could not start /bin/sh\n"
msgstr "não pôde iniciar /bin/sh\n"
#: command.c:1247
#, c-format
msgid "cannot locate temporary directory: %s"
msgstr "não pôde localizar diretório temporário: %s"
#: command.c:1274
#, c-format
msgid "could not open temporary file \"%s\": %s\n"
msgstr "não pôde abrir arquivo temporário \"%s\": %s\n"
#: command.c:1482
msgid "\\pset: allowed formats are unaligned, aligned, html, latex, troff-ms\n"
msgstr ""
"\\pset: formatos permitidos são unaligned, aligned, html, latex, troff-ms\n"
#: command.c:1487
#, c-format
msgid "Output format is %s.\n"
msgstr "Formato de saída é %s.\n"
#: command.c:1497
#, c-format
msgid "Border style is %d.\n"
msgstr "Estilo de borda é %d.\n"
#: command.c:1506
#, c-format
msgid "Expanded display is on.\n"
msgstr "Exibição expandida está habilitada.\n"
#: command.c:1507
#, c-format
msgid "Expanded display is off.\n"
msgstr "Exibição expandida está desabilitada.\n"
#: command.c:1517
msgid "Showing locale-adjusted numeric output."
msgstr "Exibindo formato numérico baseado no idioma."
#: command.c:1519
msgid "Locale-adjusted numeric output is off."
msgstr "Formato numérico baseado no idioma está desabilitado."
#: command.c:1532
#, c-format
msgid "Null display is \"%s\".\n"
msgstr "Exibição nula é \"%s\".\n"
#: command.c:1544
#, c-format
msgid "Field separator is \"%s\".\n"
msgstr "Separador de campos é \"%s\".\n"
#: command.c:1558
#, c-format
msgid "Record separator is <newline>."
msgstr "Separador de registros é <novalinha>."
#: command.c:1560
#, c-format
msgid "Record separator is \"%s\".\n"
msgstr "Separador de registros é \"%s\".\n"
#: command.c:1571
msgid "Showing only tuples."
msgstr "Mostrando apenas tuplas."
#: command.c:1573
msgid "Tuples only is off."
msgstr "Somente tuplas está desabilitado."
#: command.c:1589
#, c-format
msgid "Title is \"%s\".\n"
msgstr "Título é \"%s\".\n"
#: command.c:1591
#, c-format
msgid "Title is unset.\n"
msgstr "Título não está definido.\n"
#: command.c:1607
#, c-format
msgid "Table attribute is \"%s\".\n"
msgstr "Atributo de tabela é \"%s\".\n"
#: command.c:1609
#, c-format
msgid "Table attributes unset.\n"
msgstr "Atributos de tabela não estão definidos.\n"
#: command.c:1625
msgid "Pager is used for long output."
msgstr "Paginação é usada para saída longa."
#: command.c:1627
msgid "Pager is always used."
msgstr "Paginação é sempre utilizada."
#: command.c:1629
msgid "Pager usage is off."
msgstr "Uso de paginação está desabilitado."
#: command.c:1640
msgid "Default footer is on."
msgstr "Rodapé padrão está habilitado."
#: command.c:1642
msgid "Default footer is off."
msgstr "Rodapé padrão está desabilitado."
#: command.c:1648
#, c-format
msgid "\\pset: unknown option: %s\n"
msgstr "\\pset: opção desconhecida: %s\n"
#: command.c:1703
msgid "\\!: failed\n"
msgstr "\\!: falhou\n"
#: common.c:68
#, c-format
msgid "%s: pg_strdup: cannot duplicate null pointer (internal error)\n"
msgstr "%s: pg_strdup: não pode duplicar ponteiro nulo (erro interno)\n"
#: common.c:113
msgid "out of memory"
msgstr "sem memória"
#: common.c:366
msgid "connection to server was lost\n"
msgstr "conexão com servidor foi perdida\n"
#: common.c:370
msgid "The connection to the server was lost. Attempting reset: "
msgstr "A conexão com servidor foi perdida. Tentando reiniciar: "
#: common.c:375
msgid "Failed.\n"
msgstr "Falhou.\n"
#: common.c:382
msgid "Succeeded.\n"
msgstr "Sucedido.\n"
#: common.c:516 common.c:791
msgid "You are currently not connected to a database.\n"
msgstr "Você não está conectado ao banco de dados.\n"
#: common.c:522 common.c:529 common.c:817
#, c-format
msgid ""
"********* QUERY **********\n"
"%s\n"
"**************************\n"
"\n"
msgstr ""
"******** CONSULTA ********\n"
"%s\n"
"**************************\n"
"\n"
#: common.c:581
#, c-format
msgid ""
"Asynchronous notification \"%s\" received from server process with PID %d.\n"
msgstr ""
"Notificação assíncrona \"%s\" recebida do processo do servidor com PID %d.\n"
#: common.c:799
#, c-format
msgid ""
"***(Single step mode: verify command)"
"*******************************************\n"
"%s\n"
"***(press return to proceed or enter x and return to cancel)"
"********************\n"
msgstr ""
"***(Modo passo-a-passo: verifique o comando)"
"*******************************************\n"
"%s\n"
"***(pressione Enter para prosseguir ou digite x e Enter para cancelar)"
"********************\n"
#: common.c:850
#, c-format
msgid ""
"The server version (%d) does not support savepoints for ON_ERROR_ROLLBACK.\n"
msgstr ""
"A versão do servidor (%d) não suporta pontos de salvamento para "
"ON_ERROR_ROLLBACK.\n"
#: common.c:946
#, c-format
msgid "Time: %.3f ms\n"
msgstr "Tempo: %.3f ms\n"
#: copy.c:126
msgid "\\copy: arguments required\n"
msgstr "\\copy: argumentos são requeridos\n"
#: copy.c:431
#, c-format
msgid "\\copy: parse error at \"%s\"\n"
msgstr "\\copy: erro de análise em \"%s\"\n"
#: copy.c:433
msgid "\\copy: parse error at end of line\n"
msgstr "\\copy: erro de análise no fim da linha\n"
#: copy.c:560
#, c-format
msgid "%s: cannot copy from/to a directory\n"
msgstr "%s: não pode copiar de/para o diretório\n"
#: copy.c:586
#, c-format
msgid "\\copy: %s"
msgstr "\\copy: %s"
#: copy.c:590 copy.c:604
#, c-format
msgid "\\copy: unexpected response (%d)\n"
msgstr "\\copy: resposta inesperada (%d)\n"
#: copy.c:608
msgid "trying to exit copy mode"
msgstr "tentando sair do modo copy"
#: copy.c:662 copy.c:672
#, c-format
msgid "could not write COPY data: %s\n"
msgstr "não pôde escrever dados utilizando COPY: %s\n"
#: copy.c:679
#, c-format
msgid "COPY data transfer failed: %s"
msgstr "transferência de dados utilizando COPY falhou: %s"
#: copy.c:727
msgid "canceled by user"
msgstr "cancelado pelo usuário"
#: copy.c:742
msgid ""
"Enter data to be copied followed by a newline.\n"
"End with a backslash and a period on a line by itself."
msgstr ""
"Informe os dados a serem copiados seguido pelo caracter de nova linha.\n"
"Finalize com uma barra invertida e um ponto na linha."
#: copy.c:854
msgid "aborted because of read failure"
msgstr "interrompido devido a falha de leitura"
#: help.c:44
msgid "on"
msgstr "habilitado"
#: help.c:44
msgid "off"
msgstr "desabilitado"
#: help.c:66
#, c-format
msgid "could not get current user name: %s\n"
msgstr "não pôde obter nome de usuário atual: %s\n"
#: help.c:79
#, c-format
msgid ""
"This is psql %s, the PostgreSQL interactive terminal.\n"
"\n"
msgstr ""
"Este é o psql %s, o terminal iterativo do PostgreSQL.\n"
"\n"
#: help.c:81
msgid "Usage:"
msgstr "Uso:"
#: help.c:82
msgid " psql [OPTIONS]... [DBNAME [USERNAME]]\n"
msgstr " psql [OPÇÕES]... [NOMEBD [USUÁRIO]]\n"
#: help.c:84
msgid "General options:"
msgstr "Opções gerais:"
#: help.c:89
#, c-format
msgid ""
" -d DBNAME specify database name to connect to (default: \"%s\")\n"
msgstr ""
" -d NOMEBD especifica o nome do banco de dados ao qual quer se "
"conectar (padrão: \"%s\")\n"
#: help.c:90
msgid " -c COMMAND run only single command (SQL or internal) and exit"
msgstr ""
" -c COMANDO executa somente um comando (SQL ou interno) e termina"
#: help.c:91
msgid " -f FILENAME execute commands from file, then exit"
msgstr " -f ARQUIVO executa comandos de um arquivo e termina"
#: help.c:92
msgid " -1 (\"one\") execute command file as a single transaction"
msgstr ""
" -1 (\"um\") executa o arquivo com comandos em uma transação única"
#: help.c:93
msgid " -l list available databases, then exit"
msgstr " -l lista os bancos de dados disponíveis e termina"
#: help.c:94
msgid " -v NAME=VALUE set psql variable NAME to VALUE"
msgstr " -v NOME=VALOR define variável NOME para VALOR no psql"
#: help.c:95
msgid " -X do not read startup file (~/.psqlrc)"
msgstr " -X não lê o arquivo de inicialização (~/.psqlrc)"
#: help.c:96
msgid " --help show this help, then exit"
msgstr " --help mostra esta ajuda e termina"
#: help.c:97
msgid " --version output version information, then exit"
msgstr " --version mostra informação sobre a versão e termina"
#: help.c:99
msgid ""
"\n"
"Input and output options:"
msgstr ""
"\n"
"Opções de entrada e saída:"
#: help.c:100
msgid " -a echo all input from script"
msgstr " -a mostra toda entrada do script"
#: help.c:101
msgid " -e echo commands sent to server"
msgstr " -e mostra comandos enviados ao servidor"
#: help.c:102
msgid " -E display queries that internal commands generate"
msgstr " -E mostra consultas que os comandos internos geram"
#: help.c:103
msgid " -q run quietly (no messages, only query output)"
msgstr ""
" -q executa silenciosamente (sem mensagens, somente saída da "
"consulta)"
#: help.c:104
msgid " -o FILENAME send query results to file (or |pipe)"
msgstr ""
" -o ARQUIVO envia resultados da consulta para um arquivo (ou |pipe)"
#: help.c:105
msgid " -n disable enhanced command line editing (readline)"
msgstr ""
" -n desabilita edição de linha de comando melhorada (readline)"
#: help.c:106
msgid " -s single-step mode (confirm each query)"
msgstr " -s modo passo-a-passo (confirma cada consulta)"
#: help.c:107
msgid " -S single-line mode (end of line terminates SQL command)"
msgstr ""
" -S modo linha única (fim da linha termina o comando SQL)"
#: help.c:108
msgid " -L FILENAME send session log to file"
msgstr " -L ARQUIVO envia log da sessão para arquivo"
#: help.c:110
msgid ""
"\n"
"Output format options:"
msgstr ""
"\n"
"Opções para formato de saída:"
#: help.c:111
msgid " -A unaligned table output mode (-P format=unaligned)"
msgstr ""
" -A modo de saída em tabela desalinhada (-P format=unaligned)"
#: help.c:112
msgid " -H HTML table output mode (-P format=html)"
msgstr " -H modo de saída em tabela HTML (-P format=html)"
#: help.c:113
msgid " -t print rows only (-P tuples_only)"
msgstr " -t exibe somente os registros (-P tuples_only)"
#: help.c:114
msgid ""
" -T TEXT set HTML table tag attributes (width, border) (-P "
"tableattr=)"
msgstr ""
" -T TEXTO define atributos do marcador table do HTML (width, border) "
"(-P tableattr=)"
#: help.c:115
msgid " -x turn on expanded table output (-P expanded)"
msgstr " -x habilita saída em tabela expandida (-P expanded)"
#: help.c:116
msgid " -P VAR[=ARG] set printing option VAR to ARG (see \\pset command)"
msgstr ""
" -P VAR[=ARG] define opção de exibição VAR para ARG (veja comando \\pset)"
#: help.c:117
#, c-format
msgid ""
" -F STRING set field separator (default: \"%s\") (-P fieldsep=)\n"
msgstr ""
" -F SEPARADOR define separador de campos (padrão: \"%s\") (-P "
"fieldsep=)\n"
#: help.c:119
msgid ""
" -R STRING set record separator (default: newline) (-P recordsep=)"
msgstr ""
" -R SEPARADOR define separador de registros (padrão: novalinha) (-P "
"recordsep=)"
#: help.c:121
msgid ""
"\n"
"Connection options:"
msgstr ""
"\n"
"Opções de conexão:"
#: help.c:124
#, c-format
msgid ""
" -h HOSTNAME database server host or socket directory (default: \"%s"
"\")\n"
msgstr ""
" -h MÁQUINA máquina do servidor de banco de dados ou diretório do "
"soquete (padrão: \"%s\")\n"
#: help.c:125
msgid "local socket"
msgstr "soquete local"
#: help.c:128
#, c-format
msgid " -p PORT database server port (default: \"%s\")\n"
msgstr ""
" -P PORTA porta do servidor de banco de dados (padrão: \"%s\")\n"
#: help.c:134
#, c-format
msgid " -U NAME database user name (default: \"%s\")\n"
msgstr " -U USUÁRIO nome de usuário do banco de dados (padrão: \"%s\")\n"
#: help.c:135
msgid " -W prompt for password (should happen automatically)"
msgstr " -W pergunta senha (pode ocorrer automaticamente)"
#: help.c:138
msgid ""
"\n"
"For more information, type \"\\?\" (for internal commands) or \"\\help\"\n"
"(for SQL commands) from within psql, or consult the psql section in\n"
"the PostgreSQL documentation.\n"
"\n"
"Report bugs to <[email protected]>."
msgstr ""
"\n"
"Para obter informações adicionais, digite \"\\?\" (para comandos internos) "
"ou \"\\help\"\n"
"(para comandos SQL) no psql, ou consulte a seção do psql na\n"
"documentação do PostgreSQL.\n"
"\n"
"Relate erros a <[email protected]>."
#: help.c:172
#, c-format
msgid "General\n"
msgstr "Geral\n"
#: help.c:173
#, c-format
msgid ""
" \\c[onnect] [DBNAME|- USER|- HOST|- PORT|-]\n"
" connect to new database (currently \"%s\")\n"
msgstr ""
" \\c[onnect] [NOMEBD|- USUÁRIO|- MÁQUINA|- PORTA|-]\n"
" conecta a um outro banco de dados (atual \"%s\")\n"
#: help.c:176
#, c-format
msgid " \\cd [DIR] change the current working directory\n"
msgstr " \\cd [DIRETÓRIO] muda o diretório de trabalho atual\n"
#: help.c:177
#, c-format
msgid " \\copyright show PostgreSQL usage and distribution terms\n"
msgstr " \\copyright mostra termos de uso e distribuição do PostgreSQL\n"
#: help.c:178
#, c-format
msgid ""
" \\encoding [ENCODING]\n"
" show or set client encoding\n"
msgstr ""
" \\encoding [CODIFICAÇÃO]\n"
" mostra ou define codificação do cliente\n"
#: help.c:180
#, c-format
msgid " \\h [NAME] help on syntax of SQL commands, * for all commands\n"
msgstr ""
" \\h [NOME] mostra sintaxe dos comandos SQL, * para todos os comandos\n"
#: help.c:181
#, c-format
msgid " \\q quit psql\n"
msgstr " \\q sair do psql\n"
#: help.c:182
#, c-format
msgid ""
" \\set [NAME [VALUE]]\n"
" set internal variable, or list all if no parameters\n"
msgstr ""
" \\set [NOME [VALOR]]\n"
" define variável interna ou lista todos caso não tenha "
"parâmetros\n"
#: help.c:184
#, c-format
msgid " \\timing toggle timing of commands (currently %s)\n"
msgstr ""
" \\timing alterna para duração da execução de comandos (atualmente %"
"s)\n"
#: help.c:186
#, c-format
msgid " \\unset NAME unset (delete) internal variable\n"
msgstr " \\unset NOME apaga (exclui) variável interna\n"
#: help.c:187
#, c-format
msgid " \\! [COMMAND] execute command in shell or start interactive shell\n"
msgstr " \\! [COMANDO] executa comando na shell ou inicia shell iterativa\n"
#: help.c:190
#, c-format
msgid "Query Buffer\n"
msgstr "Buffer de consulta\n"
#: help.c:191
#, c-format
msgid ""
" \\e [FILE] edit the query buffer (or file) with external editor\n"
msgstr ""
" \\e [ARQUIVO] edita o buffer de consulta (ou arquivo) com um editor "
"externo\n"
#: help.c:192
#, c-format
msgid ""
" \\g [FILE] send query buffer to server (and results to file or |"
"pipe)\n"
msgstr ""
" \\g [ARQUIVO] envia o buffer de consulta para o servidor (e os "
"resultados para arquivo ou |pipe)\n"
#: help.c:193
#, c-format
msgid " \\p show the contents of the query buffer\n"
msgstr " \\p mostra o conteúdo do buffer de consulta\n"
#: help.c:194
#, c-format
msgid " \\r reset (clear) the query buffer\n"
msgstr " \\r reinicia (apaga) o buffer de consulta\n"
#: help.c:196
#, c-format
msgid " \\s [FILE] display history or save it to file\n"
msgstr " \\s [ARQUIVO] mostra histórico ou grava-o em um arquivo\n"
#: help.c:198
#, c-format
msgid " \\w FILE write query buffer to file\n"
msgstr " \\w [ARQUIVO] escreve o buffer de consulta para arquivo\n"
#: help.c:201
#, c-format
msgid "Input/Output\n"
msgstr "Entrada/Saída\n"
#: help.c:202
#, c-format
msgid " \\echo [STRING] write string to standard output\n"
msgstr " \\echo [STRING] escreve cadeia de caracteres na saída padrão\n"
#: help.c:203
#, c-format
msgid " \\i FILE execute commands from file\n"
msgstr " \\i ARQUIVO executa comandos de um arquivo\n"
#: help.c:204
#, c-format
msgid " \\o [FILE] send all query results to file or |pipe\n"
msgstr ""
" \\o [ARQUIVO] envia todos os resultados da consulta para arquivo ou |"
"pipe\n"
#: help.c:205
#, c-format
msgid ""
" \\qecho [STRING]\n"
" write string to query output stream (see \\o)\n"
msgstr ""
" \\qecho [STRING]\n"
" escreve cadeia de caracteres para saída da consulta (veja "
"\\o)\n"
#: help.c:209
#, c-format
msgid "Informational\n"
msgstr "Informativo\n"
#: help.c:210
#, c-format
msgid " \\d [NAME] describe table, index, sequence, or view\n"
msgstr " \\d [NOME] descreve tabela, índice, sequência ou visão\n"
#: help.c:211
#, c-format
msgid ""
" \\d{t|i|s|v|S} [PATTERN] (add \"+\" for more detail)\n"
" list tables/indexes/sequences/views/system tables\n"
msgstr ""
" \\d{t|i|s|v|S} [MODELO] (adicione \"+\" para obter mais detalhe)\n"
" lista tabelas/índices/sequências/visões/tabelas do sistema\n"
#: help.c:213
#, c-format
msgid " \\da [PATTERN] list aggregate functions\n"
msgstr " \\da [MODELO] lista funções de agregação\n"
#: help.c:214
#, c-format
msgid " \\db [PATTERN] list tablespaces (add \"+\" for more detail)\n"
msgstr ""
" \\db [MODELO] lista espaços de tabelas (adicione \"+\" para obter mais "
"detalhe)\n"
#: help.c:215
#, c-format
msgid " \\dc [PATTERN] list conversions\n"
msgstr " \\dc [MODELO] lista conversões\n"
#: help.c:216
#, c-format
msgid " \\dC list casts\n"
msgstr " \\dC lista conversões de tipos\n"
#: help.c:217
#, c-format
msgid " \\dd [PATTERN] show comment for object\n"
msgstr " \\dd [MODELO] mostra comentário do objeto\n"
#: help.c:218
#, c-format
msgid " \\dD [PATTERN] list domains\n"
msgstr " \\dD [MODELO] lista domínios\n"
#: help.c:219
#, c-format
msgid " \\df [PATTERN] list functions (add \"+\" for more detail)\n"
msgstr ""
" \\df [MODELO] lista funções (adicione \"+\" para obter mais detalhe)\n"
#: help.c:220
#, c-format
msgid " \\dg [PATTERN] list groups\n"
msgstr " \\dg [MODELO] lista grupos\n"
#: help.c:221
#, c-format
msgid " \\dn [PATTERN] list schemas (add \"+\" for more detail)\n"
msgstr ""
" \\dn [MODELO] lista esquemas (adicione \"+\" para obter mais detalhe)\n"
#: help.c:222
#, c-format
msgid " \\do [NAME] list operators\n"
msgstr " \\do [NOME] lista operadores\n"
#: help.c:223
#, c-format
msgid " \\dl list large objects, same as \\lo_list\n"
msgstr " \\dl lista objetos grandes, mesmo que \\lo_list\n"
#: help.c:224
#, c-format
msgid " \\dp [PATTERN] list table, view, and sequence access privileges\n"
msgstr ""
" \\dp [MODELO] lista privilégios de acesso de tabelas, visões e "
"sequências\n"
#: help.c:225
#, c-format
msgid " \\dT [PATTERN] list data types (add \"+\" for more detail)\n"
msgstr ""
" \\dT [MODELO] lista tipos de dado (adicione \"+\" para obter mais "
"detalhe)\n"
#: help.c:226
#, c-format
msgid " \\du [PATTERN] list users\n"
msgstr " \\du [MODELO] lista usuários\n"
#: help.c:227
#, c-format
msgid " \\l list all databases (add \"+\" for more detail)\n"
msgstr ""
" \\l lista todos os bancos de dados (adicione \"+\" para obter "
"mais detalhe)\n"
#: help.c:228
#, c-format
msgid ""
" \\z [PATTERN] list table, view, and sequence access privileges (same as "
"\\dp)\n"
msgstr ""
" \\z [MODELO] lista privilégios de acesso de tabelas, visões e "
"sequências (mesmo que \\dp)\n"
#: help.c:231
#, c-format
msgid "Formatting\n"
msgstr "Formatação\n"
#: help.c:232
#, c-format
msgid " \\a toggle between unaligned and aligned output mode\n"
msgstr " \\a alterna entre modo de saída desalinhado e alinhado\n"
#: help.c:233
#, c-format
msgid " \\C [STRING] set table title, or unset if none\n"
msgstr ""
" \\C [STRING] define o título da tabela, ou apaga caso nada seja "
"especificado\n"
#: help.c:234
#, c-format
msgid ""
" \\f [STRING] show or set field separator for unaligned query output\n"
msgstr ""
" \\f [STRING] mostra ou define separador de campos para saída de "
"consulta desalinhada\n"
#: help.c:235
#, c-format
msgid " \\H toggle HTML output mode (currently %s)\n"
msgstr " \\H alterna para modo de saída em HTML (atual %s)\n"
#: help.c:237
#, c-format
msgid ""
" \\pset NAME [VALUE]\n"
" set table output option\n"
" (NAME := {format|border|expanded|fieldsep|footer|null|\n"
" numericlocale|recordsep|tuples_only|title|tableattr|"
"pager})\n"
msgstr ""
" \\pset NOME [VALOR]\n"
" define opção de saída da tabela\n"
" (NOME := {format|border|expanded|fieldsep|footer|null|\n"
" numericlocale|recordsep|tuples_only|title|tableattr|"
"pager})\n"
#: help.c:241
#, c-format
msgid " \\t show only rows (currently %s)\n"
msgstr " \\t mostra somente registros (atual %s)\n"
#: help.c:243
#, c-format
msgid " \\T [STRING] set HTML <table> tag attributes, or unset if none\n"
msgstr ""
" \\T [STRING] define atributos do marcador HTML <table> ou apaga caso "
"nada seja especificado\n"
#: help.c:244
#, c-format
msgid " \\x toggle expanded output (currently %s)\n"
msgstr " \\x alterna para saída expandida (atual %s)\n"
#: help.c:248
#, c-format
msgid "Copy, Large Object\n"
msgstr "Cópia, Objetos Grandes\n"
#: help.c:249
#, c-format
msgid ""
" \\copy ... perform SQL COPY with data stream to the client host\n"
msgstr ""
" \\copy ... realiza comando SQL COPY dos dados para máquina cliente\n"
#: help.c:250
#, c-format
msgid ""
" \\lo_export LOBOID FILE\n"
" \\lo_import FILE [COMMENT]\n"
" \\lo_list\n"
" \\lo_unlink LOBOID large object operations\n"
msgstr ""
" \\lo_export OIDLOB ARQUIVO\n"
" \\lo_import ARQUIVO [COMENTÁRIO]\n"
" \\lo_list\n"
" \\lo_unlink OIDLOB operações com objetos grandes\n"
#: help.c:283
msgid "Available help:\n"
msgstr "Ajuda disponível:\n"
#: help.c:369
#, c-format
msgid ""
"Command: %s\n"
"Description: %s\n"
"Syntax:\n"
"%s\n"
"\n"
msgstr ""
"Comando: %s\n"
"Descrição: %s\n"
"Sintaxe:\n"
"%s\n"
"\n"
#: help.c:385
#, c-format
msgid ""
"No help available for \"%-.*s\".\n"
"Try \\h with no arguments to see available help.\n"
msgstr ""
"Nenhuma ajuda disponível para \"%-.*s\".\n"
"Tente \\h sem argumentos para ver a ajuda disponível.\n"
#: input.c:333
#, c-format
msgid "could not save history to file \"%s\": %s\n"
msgstr "não pôde gravar histórico no arquivo \"%s\": %s\n"
#: input.c:338
msgid "history is not supported by this installation\n"
msgstr "histórico não é suportado por esta instalação\n"
#: large_obj.c:33
#, c-format
msgid "%s: not connected to a database\n"
msgstr "%s: não está conectado ao banco de dados\n"
#: large_obj.c:52
#, c-format
msgid "%s: current transaction is aborted\n"
msgstr "%s: transação atual foi interrompida\n"
#: large_obj.c:55
#, c-format
msgid "%s: unknown transaction status\n"
msgstr "%s: status da transação é desconhecido\n"
#: large_obj.c:252 describe.c:80 describe.c:131 describe.c:212 describe.c:285
#: describe.c:346 describe.c:397 describe.c:499 describe.c:798 describe.c:1466
#: describe.c:1542 describe.c:1785
msgid "Description"
msgstr "Descrição"
#: large_obj.c:260
msgid "Large objects"
msgstr "Objetos grandes"
#: mainloop.c:150
#, c-format
msgid "Use \"\\q\" to leave %s.\n"
msgstr "Use \"\\q\" para sair do %s.\n"
#: print.c:730
#, c-format
msgid "(No rows)\n"
msgstr "(Nenhum registro)\n"
#: print.c:1692
#, c-format
msgid "Interrupted\n"
msgstr "Interrompido\n"
#: print.c:1800
#, c-format
msgid "invalid output format (internal error): %d"
msgstr "formato de saída inválido (erro interno): %d"
#: print.c:1903
#, c-format
msgid "(1 row)"
msgstr "(1 registro)"
#: print.c:1905
#, c-format
msgid "(%lu rows)"
msgstr "(%lu registros)"
#: startup.c:187
msgid "User name: "
msgstr "Nome do usuário: "
#: startup.c:196 startup.c:198
#, c-format
msgid "Password for user %s: "
msgstr "Senha para usuário %s: "
#: startup.c:252
#, c-format
msgid "%s: could not open log file \"%s\": %s\n"
msgstr "%s: não pôde abrir arquivo de log \"%s\": %s\n"
#: startup.c:333
#, c-format
msgid ""
"Welcome to %s %s (server %s), the PostgreSQL interactive terminal.\n"
"\n"
msgstr ""
"Bem vindo ao %s %s (servidor %s), o terminal iterativo do PostgreSQL.\n"
"\n"
#: startup.c:337
#, c-format
msgid ""
"Welcome to %s %s, the PostgreSQL interactive terminal.\n"
"\n"
msgstr ""
"Bem vindo ao %s %s, o terminal iterativo do PostgreSQL.\n"
"\n"
#: startup.c:340
#, c-format
msgid ""
"Type: \\copyright for distribution terms\n"
" \\h for help with SQL commands\n"
" \\? for help with psql commands\n"
" \\g or terminate with semicolon to execute query\n"
" \\q to quit\n"
"\n"
msgstr ""
"Digite: \\copyright para mostrar termos de distribuição\n"
" \\h para ajuda com comandos SQL\n"
" \\? para ajuda com comandos do psql\n"
" \\g ou terminar com ponto-e-vírgula para executar a consulta\n"
" \\q para sair\n"
"\n"
#: startup.c:347
#, c-format
msgid ""
"WARNING: You are connected to a server with major version %d.%d,\n"
"but your %s client is major version %d.%d. Some backslash commands,\n"
"such as \\d, might not work properly.\n"
"\n"
msgstr ""
"AVISO: Você está conectado ao servidor cuja versão é %d.%d,\n"
"mas seu cliente %s possui a versão %d.%d. Alguns comandos com barra "
"invertida,\n"
"tais como \\d, podem não funcionar corretamente.\n"
#: startup.c:530
#, c-format
msgid "%s: could not set printing parameter \"%s\"\n"
msgstr "%s: não pôde definir parâmetro de exibição \"%s\"\n"
#: startup.c:576
#, c-format
msgid "%s: could not delete variable \"%s\"\n"
msgstr "%s: não pôde apagar variável \"%s\"\n"
#: startup.c:586
#, c-format
msgid "%s: could not set variable \"%s\"\n"
msgstr "%s: não pôde definir variável \"%s\"\n"
#: startup.c:620 startup.c:626
#, c-format
msgid "Try \"%s --help\" for more information.\n"
msgstr "Tente \"%s --help\" para obter informações adicionais.\n"
#: startup.c:643
#, c-format
msgid "%s: warning: extra command-line argument \"%s\" ignored\n"
msgstr "%s: aviso: argumento extra de linha de comando \"%s\" ignorado\n"
#: startup.c:650
#, c-format
msgid "%s: Warning: The -u option is deprecated. Use -U.\n"
msgstr "%s: Aviso: A opção -u está obsoleta. Use -U.\n"
#: startup.c:712
msgid "contains support for command-line editing"
msgstr "contém suporte a edição em linha de comando"
#: startup.c:735
#, c-format
msgid ""
"SSL connection (cipher: %s, bits: %i)\n"
"\n"
msgstr ""
"conexão SSL (cifra: %s, bits: %i)\n"
"\n"
#: startup.c:757
#, c-format
msgid ""
"Warning: Console code page (%u) differs from Windows code page (%u)\n"
" 8-bit characters may not work correctly. See psql reference\n"
" page \"Notes for Windows users\" for details.\n"
"\n"
msgstr ""
"Aviso: Página de código do Console (%u) difere da Página de Código do "
"Windows (%u)\n"
" caracteres de 8 bits podem não funcionar corretamente. Veja página "
"de\n"
" referência do psql \"Notes for Windows users\" para obter mais "
"detalhes.\n"
#: describe.c:79 describe.c:202 describe.c:272 describe.c:344 describe.c:445
#: describe.c:499 describe.c:1530 describe.c:1636 describe.c:1685
msgid "Schema"
msgstr "Esquema"
#: describe.c:79 describe.c:125 describe.c:202 describe.c:272 describe.c:344
#: describe.c:386 describe.c:445 describe.c:499 describe.c:1530
#: describe.c:1637 describe.c:1686 describe.c:1779
msgid "Name"
msgstr "Nome"
#: describe.c:80 describe.c:203
msgid "Argument data types"
msgstr "Tipos de dado do argumento"
#: describe.c:94
msgid "List of aggregate functions"
msgstr "Lista das funções de agregação"
#: describe.c:114
#, c-format
msgid "The server version (%d) does not support tablespaces.\n"
msgstr "A versão do servidor (%d) não suporta espaços de tabelas.\n"
#: describe.c:125 describe.c:211 describe.c:386 describe.c:1532
#: describe.c:1779
msgid "Owner"
msgstr "Dono"
#: describe.c:125
msgid "Location"
msgstr "Local"
#: describe.c:131 describe.c:445 describe.c:1785
msgid "Access privileges"
msgstr "Privilégios de acesso"
#: describe.c:148
msgid "List of tablespaces"
msgstr "Lista dos espaços de tabelas"
#: describe.c:202
msgid "Result data type"
msgstr "Tipo de dado do resultado"
#: describe.c:211
msgid "Language"
msgstr "Linguagem"
#: describe.c:212
msgid "Source code"
msgstr "Código fonte"
#: describe.c:246
msgid "List of functions"
msgstr "Lista de funções"
#: describe.c:282
msgid "Internal name"
msgstr "Nome interno"
#: describe.c:282
msgid "Size"
msgstr "Tamanho"
#: describe.c:313
msgid "List of data types"
msgstr "Lista de tipos de dado"
#: describe.c:345
msgid "Left arg type"
msgstr "Tipo de argumento à esquerda"
#: describe.c:345
msgid "Right arg type"
msgstr "Tipo de argumento à direita"
#: describe.c:346
msgid "Result type"
msgstr "Tipo resultante"
#: describe.c:360
msgid "List of operators"
msgstr "Lista de operadores"
#: describe.c:389
msgid "Encoding"
msgstr "Codificação"
#: describe.c:394
msgid "Tablespace"
msgstr "Espaço de Tabelas"
#: describe.c:412
msgid "List of databases"
msgstr "Lista dos bancos de dados"
#: describe.c:445 describe.c:575 describe.c:1531
msgid "table"
msgstr "tabela"
#: describe.c:445 describe.c:575 describe.c:1531
msgid "view"
msgstr "visão"
#: describe.c:445 describe.c:575 describe.c:1531
msgid "sequence"
msgstr "sequência"
#: describe.c:445 describe.c:785 describe.c:1532 describe.c:1638
msgid "Type"
msgstr "Tipo"
#: describe.c:467
#, c-format
msgid "Access privileges for database \"%s\""
msgstr "Privilégios de acesso ao banco dados \"%s\""
#: describe.c:499
msgid "Object"
msgstr "Objeto"
#: describe.c:510
msgid "aggregate"
msgstr "agregação"
#: describe.c:529
msgid "function"
msgstr "função"
#: describe.c:543
msgid "operator"
msgstr "operador"
#: describe.c:557
msgid "data type"
msgstr "tipo de dado"
#: describe.c:575 describe.c:1531
msgid "index"
msgstr "índice"
#: describe.c:591
msgid "rule"
msgstr "regra"
#: describe.c:607
msgid "trigger"
msgstr "gatilho"
#: describe.c:625
msgid "Object descriptions"
msgstr "Descrições dos Objetos"
#: describe.c:673
#, c-format
msgid "Did not find any relation named \"%s\".\n"
msgstr "Não encontrou nenhuma relação chamada \"%s\".\n"
#: describe.c:768
#, c-format
msgid "Did not find any relation with OID %s.\n"
msgstr "Não encontrou nenhuma relação com OID %s.\n"
#: describe.c:784
msgid "Column"
msgstr "Coluna"
#: describe.c:792
msgid "Modifiers"
msgstr "Modificadores"
#: describe.c:900
#, c-format
msgid "Table \"%s.%s\""
msgstr "Tabela \"%s.%s\""
#: describe.c:904
#, c-format
msgid "View \"%s.%s\""
msgstr "Visão \"%s.%s\""
#: describe.c:908
#, c-format
msgid "Sequence \"%s.%s\""
msgstr "Sequência \"%s.%s\""
#: describe.c:912
#, c-format
msgid "Index \"%s.%s\""
msgstr "Índice \"%s.%s\""
#: describe.c:917
#, c-format
msgid "Special relation \"%s.%s\""
msgstr "Relação especial \"%s.%s\""
#: describe.c:921
#, c-format
msgid "TOAST table \"%s.%s\""
msgstr "tabela TOAST \"%s.%s\""
#: describe.c:925
#, c-format
msgid "Composite type \"%s.%s\""
msgstr "Tipo composto \"%s.%s\""
#: describe.c:929
#, c-format
msgid "?%c? \"%s.%s\""
msgstr "?%c? \"%s.%s\""
#: describe.c:968
msgid "primary key, "
msgstr "chave primária, "
#: describe.c:970
msgid "unique, "
msgstr "unicidade, "
#: describe.c:976
#, c-format
msgid "for table \"%s.%s\""
msgstr "para tabela \"%s.%s\""
#: describe.c:980
#, c-format
msgid ", predicate (%s)"
msgstr ", predicado (%s)"
#: describe.c:983
msgid ", clustered"
msgstr ", agrupada"
#: describe.c:986
msgid ", invalid"
msgstr ", inválido"
#: describe.c:1023
#, c-format
msgid ""
"View definition:\n"
"%s"
msgstr ""
"Definição da visão:\n"
"%s"
#: describe.c:1029 describe.c:1277
msgid "Rules:"
msgstr "Regras:"
#: describe.c:1191
msgid "Indexes:"
msgstr "Índices:"
#: describe.c:1200
#, c-format
msgid " \"%s\""
msgstr " \"%s\""
#: describe.c:1247
msgid "Check constraints:"
msgstr "Restrições de verificação:"
#: describe.c:1251 describe.c:1266
#, c-format
msgid " \"%s\" %s"
msgstr " \"%s\" %s"
#: describe.c:1262
msgid "Foreign-key constraints:"
msgstr "Restrições de chave estrangeira:"
#: describe.c:1296
msgid "Triggers:"
msgstr "Gatilhos:"
#: describe.c:1318
msgid "Inherits"
msgstr "Heranças"
#: describe.c:1332
msgid "Has OIDs"
msgstr "Têm OIDs"
#: describe.c:1335 describe.c:1458 describe.c:1459 describe.c:1460
#: describe.c:1689 describe.c:1746
msgid "yes"
msgstr "sim"
#: describe.c:1335 describe.c:1458 describe.c:1459 describe.c:1460
#: describe.c:1690 describe.c:1744
msgid "no"
msgstr "não"
#: describe.c:1420
#, c-format
msgid "Tablespace: \"%s\""
msgstr "Espaço de tabelas: \"%s\""
#: describe.c:1420
#, c-format
msgid "tablespace \"%s\""
msgstr "espaço de tabelas: \"%s\""
#: describe.c:1457
msgid "Role name"
msgstr "Nome da role"
#: describe.c:1458
msgid "Superuser"
msgstr "Super-usuário"
#: describe.c:1459
msgid "Create role"
msgstr "Cria role"
#: describe.c:1460
msgid "Create DB"
msgstr "Cria BD"
#: describe.c:1461
msgid "no limit"
msgstr "ilimitado"
#: describe.c:1461
msgid "Connections"
msgstr "Conexões"
#: describe.c:1462
msgid "Member of"
msgstr "Membro de"
#: describe.c:1481
msgid "List of roles"
msgstr "Lista de roles"
#: describe.c:1532
msgid "special"
msgstr "especial"
#: describe.c:1537
msgid "Table"
msgstr "Tabela"
#: describe.c:1591
#, c-format
msgid "No matching relations found.\n"
msgstr "Nenhuma relação correspondente foi encontrada.\n"
#: describe.c:1593
#, c-format
msgid "No relations found.\n"
msgstr "Nenhuma relação foi encontrada.\n"
#: describe.c:1598
msgid "List of relations"
msgstr "Lista de relações"
#: describe.c:1639
msgid "Modifier"
msgstr "Modificador"
#: describe.c:1640
msgid "Check"
msgstr "Verificação"
#: describe.c:1654
msgid "List of domains"
msgstr "Lista de domínios"
#: describe.c:1687
msgid "Source"
msgstr "Fonte"
#: describe.c:1688
msgid "Destination"
msgstr "Destino"
#: describe.c:1691
msgid "Default?"
msgstr "Padrão?"
#: describe.c:1705
msgid "List of conversions"
msgstr "Lista de conversões"
#: describe.c:1740
msgid "Source type"
msgstr "Tipo fonte"
#: describe.c:1741
msgid "Target type"
msgstr "Tipo alvo"
#: describe.c:1742
msgid "(binary compatible)"
msgstr "(binariamente compatíveis)"
#: describe.c:1743
msgid "Function"
msgstr "Função"
#: describe.c:1745
msgid "in assignment"
msgstr "em atribuição"
#: describe.c:1747
msgid "Implicit?"
msgstr "Implícito?"
#: describe.c:1755
msgid "List of casts"
msgstr "Lista de conversões de tipos"
#: describe.c:1805
msgid "List of schemas"
msgstr "Lista de esquemas"
#: sql_help.h:25 sql_help.h:401
msgid "abort the current transaction"
msgstr "transação atual foi interrompida"
#: sql_help.h:26
msgid "ABORT [ WORK | TRANSACTION ]"
msgstr "ABORT [ WORK | TRANSACTION ]"
#: sql_help.h:29
msgid "change the definition of an aggregate function"
msgstr "muda a definição de uma função de agregação"
#: sql_help.h:30
msgid ""
"ALTER AGGREGATE name ( type [ , ... ] ) RENAME TO new_name\n"
"ALTER AGGREGATE name ( type [ , ... ] ) OWNER TO new_owner\n"
"ALTER AGGREGATE name ( type [ , ... ] ) SET SCHEMA new_schema"
msgstr ""
"ALTER AGGREGATE nome ( tipo [ , ... ] ) RENAME TO novo_nome\n"
"ALTER AGGREGATE nome ( tipo [ , ... ] ) OWNER TO novo_dono\n"
"ALTER AGGREGATE nome ( tipo [ , ... ] ) SET SCHEMA novo_esquema"
#: sql_help.h:33
msgid "change the definition of a conversion"
msgstr "muda a definição de uma conversão"
#: sql_help.h:34
msgid ""
"ALTER CONVERSION name RENAME TO newname\n"
"ALTER CONVERSION name OWNER TO newowner"
msgstr ""
"ALTER CONVERSION nome RENAME TO novo_nome\n"
"ALTER CONVERSION nome OWNER TO novo_dono"
#: sql_help.h:37
msgid "change a database"
msgstr "muda o banco de dados"
#: sql_help.h:38
msgid ""
"ALTER DATABASE name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
"\n"
" CONNECTION LIMIT connlimit\n"
"\n"
"ALTER DATABASE name SET parameter { TO | = } { value | DEFAULT }\n"
"ALTER DATABASE name RESET parameter\n"
"\n"
"ALTER DATABASE name RENAME TO newname\n"
"\n"
"ALTER DATABASE name OWNER TO new_owner"
msgstr ""
"ALTER DATABASE nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
"\n"
" CONNECTION LIMIT limit_con\n"
"\n"
"ALTER DATABASE nome SET parâmetro { TO | = } { valor | DEFAULT }\n"
"ALTER DATABASE nome RESET parâmetro\n"
"\n"
"ALTER DATABASE nome RENAME TO novo_nome\n"
"\n"
"ALTER DATABASE nome OWNER TO novo_dono"
#: sql_help.h:41
msgid "change the definition of a domain"
msgstr "muda a definição de um domínio"
#: sql_help.h:42
msgid ""
"ALTER DOMAIN name\n"
" { SET DEFAULT expression | DROP DEFAULT }\n"
"ALTER DOMAIN name\n"
" { SET | DROP } NOT NULL\n"
"ALTER DOMAIN name\n"
" ADD domain_constraint\n"
"ALTER DOMAIN name\n"
" DROP CONSTRAINT constraint_name [ RESTRICT | CASCADE ]\n"
"ALTER DOMAIN name\n"
" OWNER TO new_owner \n"
"ALTER DOMAIN name\n"
" SET SCHEMA new_schema"
msgstr ""
"ALTER DOMAIN nome\n"
" { SET DEFAULT expressão | DROP DEFAULT }\n"
"ALTER DOMAIN nome\n"
" { SET | DROP } NOT NULL\n"
"ALTER DOMAIN nome\n"
" ADD restrição_domínio\n"
"ALTER DOMAIN nome\n"
" DROP CONSTRAINT nome_restrição [ RESTRICT | CASCADE ]\n"
"ALTER DOMAIN nome\n"
" OWNER TO novo_dono\n"
"ALTER DOMAIN nome\n"
" SET SCHEMA novo_esquema"
#: sql_help.h:45
msgid "change the definition of a function"
msgstr "muda a definição de uma função"
#: sql_help.h:46
msgid ""
"ALTER FUNCTION name ( [ [ argmode ] [ argname ] argtype [, ...] ] )\n"
" action [, ... ] [ RESTRICT ]\n"
"ALTER FUNCTION name ( [ [ argmode ] [ argname ] argtype [, ...] ] )\n"
" RENAME TO new_name\n"
"ALTER FUNCTION name ( [ [ argmode ] [ argname ] argtype [, ...] ] )\n"
" OWNER TO new_owner\n"
"ALTER FUNCTION name ( [ [ argmode ] [ argname ] argtype [, ...] ] )\n"
" SET SCHEMA new_schema\n"
"\n"
"where action is one of:\n"
"\n"
" CALLED ON NULL INPUT | RETURNS NULL ON NULL INPUT | STRICT\n"
" IMMUTABLE | STABLE | VOLATILE\n"
" [ EXTERNAL ] SECURITY INVOKER | [ EXTERNAL ] SECURITY DEFINER"
msgstr ""
"ALTER FUNCTION nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" ação [, ... ] [ RESTRICT ]\n"
"ALTER FUNCTION nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" RENAME TO novo_nome\n"
"ALTER FUNCTION nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" OWNER TO novo_dono\n"
"ALTER FUNCTION nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" SET SCHEMA novo_esquema\n"
"\n"
"onde ação é uma das:\n"
"\n"
" CALLED ON NULL INPUT | RETURNS NULL ON NULL INPUT | STRICT\n"
" IMMUTABLE | STABLE | VOLATILE\n"
" [ EXTERNAL ] SECURITY INVOKER | [ EXTERNAL ] SECURITY DEFINER"
#: sql_help.h:49
msgid "change role name or membership"
msgstr "muda nome da role ou membro"
#: sql_help.h:50
msgid ""
"ALTER GROUP groupname ADD USER username [, ... ]\n"
"ALTER GROUP groupname DROP USER username [, ... ]\n"
"\n"
"ALTER GROUP groupname RENAME TO newname"
msgstr ""
"ALTER GROUP nome_grupo ADD USER usuário [, ... ]\n"
"ALTER GROUP nome_grupo DROP USER usuário [, ... ]\n"
"\n"
"ALTER GROUP nome_grupo RENAME TO novo_nome"
#: sql_help.h:53
msgid "change the definition of an index"
msgstr "muda a definição de um índice"
#: sql_help.h:54
msgid ""
"ALTER INDEX name RENAME TO new_name\n"
"ALTER INDEX name SET TABLESPACE tablespace_name\n"
"ALTER INDEX name SET ( storage_parameter = value [, ... ] )\n"
"ALTER INDEX name RESET ( storage_parameter [, ... ] )"
msgstr ""
"ALTER INDEX nome RENAME TO novo_nome\n"
"ALTER INDEX nome SET TABLESPACE nome_espaço_de_tabelas\n"
"ALTER INDEX nome SET ( parâmetro = valor [, ... ] )\n"
"ALTER INDEX nome RESET ( parâmetro [, ... ] )"
#: sql_help.h:57
msgid "change the definition of a procedural language"
msgstr "muda a definição de uma linguagem procedural"
#: sql_help.h:58
msgid "ALTER LANGUAGE name RENAME TO newname"
msgstr "ALTER LANGUAGE nome RENAME TO novo_nome"
#: sql_help.h:61
msgid "change the definition of an operator class"
msgstr "muda a definição de uma classe de operadores"
#: sql_help.h:62
msgid ""
"ALTER OPERATOR CLASS name USING index_method RENAME TO newname\n"
"ALTER OPERATOR CLASS name USING index_method OWNER TO newowner"
msgstr ""
"ALTER OPERATOR CLASS nome USING método_indexação RENAME TO novo_nome\n"
"ALTER OPERATOR CLASS nome USING método_indexação OWNER TO novo_dono"
#: sql_help.h:65
msgid "change the definition of an operator"
msgstr "muda a definição de um operador"
#: sql_help.h:66
msgid ""
"ALTER OPERATOR name ( { lefttype | NONE } , { righttype | NONE } ) OWNER TO "
"newowner"
msgstr ""
"ALTER OPERATOR nome ( { tipo_esquerda | NONE } , { tipo_direita | NONE } ) "
"OWNER TO novo_dono"
#: sql_help.h:69 sql_help.h:97
msgid "change a database role"
msgstr "muda uma role do banco de dados"
#: sql_help.h:70
msgid ""
"ALTER ROLE name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT connlimit\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'password'\n"
" | VALID UNTIL 'timestamp' \n"
"\n"
"ALTER ROLE name RENAME TO newname\n"
"\n"
"ALTER ROLE name SET configuration_parameter { TO | = } { value | DEFAULT }\n"
"ALTER ROLE name RESET configuration_parameter"
msgstr ""
"ALTER ROLE nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT limite_con\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'senha'\n"
" | VALID UNTIL 'tempo_absoluto' \n"
"\n"
"ALTER ROLE nome RENAME TO novo_nome\n"
"\n"
"ALTER ROLE nome SET parâmetro { TO | = } { valor | DEFAULT }\n"
"ALTER ROLE nome RESET parâmetro"
#: sql_help.h:73
msgid "change the definition of a schema"
msgstr "muda a definição de um esquema"
#: sql_help.h:74
msgid ""
"ALTER SCHEMA name RENAME TO newname\n"
"ALTER SCHEMA name OWNER TO newowner"
msgstr ""
"ALTER SCHEMA nome RENAME TO novo_nome\n"
"ALTER SCHEMA nome OWNER TO novo_dono"
#: sql_help.h:77
msgid "change the definition of a sequence generator"
msgstr "muda a definição de um gerador de sequência"
#: sql_help.h:78
msgid ""
"ALTER SEQUENCE name [ INCREMENT [ BY ] increment ]\n"
" [ MINVALUE minvalue | NO MINVALUE ] [ MAXVALUE maxvalue | NO MAXVALUE ]\n"
" [ RESTART [ WITH ] start ] [ CACHE cache ] [ [ NO ] CYCLE ]\n"
" [ OWNED BY { table.column | NONE } ]\n"
"ALTER SEQUENCE name SET SCHEMA new_schema"
msgstr ""
"ALTER SEQUENCE nome [ INCREMENT [ BY ] incremento ]\n"
" [ MINVALUE valor_mínimo | NO MINVALUE ] [ MAXVALUE valor_máximo | NO "
"MAXVALUE ]\n"
" [ RESTART [ WITH ] início ] [ CACHE cache ] [ [ NO ] CYCLE ]\n"
" [ OWNED BY { tabela.coluna | NONE } ]\n"
"ALTER SEQUENCE nome SET SCHEMA novo_esquema"
#: sql_help.h:81
msgid "change the definition of a table"
msgstr "muda a definição de uma tabela"
#: sql_help.h:82
msgid ""
"ALTER TABLE [ ONLY ] name [ * ]\n"
" action [, ... ]\n"
"ALTER TABLE [ ONLY ] name [ * ]\n"
" RENAME [ COLUMN ] column TO new_column\n"
"ALTER TABLE name\n"
" RENAME TO new_name\n"
"ALTER TABLE name\n"
" SET SCHEMA new_schema\n"
"\n"
"where action is one of:\n"
"\n"
" ADD [ COLUMN ] column type [ column_constraint [ ... ] ]\n"
" DROP [ COLUMN ] column [ RESTRICT | CASCADE ]\n"
" ALTER [ COLUMN ] column TYPE type [ USING expression ]\n"
" ALTER [ COLUMN ] column SET DEFAULT expression\n"
" ALTER [ COLUMN ] column DROP DEFAULT\n"
" ALTER [ COLUMN ] column { SET | DROP } NOT NULL\n"
" ALTER [ COLUMN ] column SET STATISTICS integer\n"
" ALTER [ COLUMN ] column SET STORAGE { PLAIN | EXTERNAL | EXTENDED | "
"MAIN }\n"
" ADD table_constraint\n"
" DROP CONSTRAINT constraint_name [ RESTRICT | CASCADE ]\n"
" DISABLE TRIGGER [ trigger_name | ALL | USER ]\n"
" ENABLE TRIGGER [ trigger_name | ALL | USER ]\n"
" CLUSTER ON index_name\n"
" SET WITHOUT CLUSTER\n"
" SET WITHOUT OIDS\n"
" SET ( storage_parameter = value [, ... ] )\n"
" RESET ( storage_parameter [, ... ] )\n"
" INHERIT parent_table\n"
" NO INHERIT parent_table\n"
" OWNER TO new_owner\n"
" SET TABLESPACE new_tablespace"
msgstr ""
"ALTER TABLE [ ONLY ] nome [ * ]\n"
" ação [, ... ]\n"
"ALTER TABLE [ ONLY ] nome [ * ]\n"
" RENAME [ COLUMN ] coluna TO nova_coluna\n"
"ALTER TABLE nome\n"
" RENAME TO novo_nome\n"
"ALTER TABLE nome\n"
" SET SCHEMA novo_esquema\n"
"\n"
"onde ação é uma das:\n"
"\n"
" ADD [ COLUMN ] coluna tipo [ restrição_coluna [ ... ] ]\n"
" DROP [ COLUMN ] coluna [ RESTRICT | CASCADE ]\n"
" ALTER [ COLUMN ] coluna TYPE tipo [ USING expressão ]\n"
" ALTER [ COLUMN ] coluna SET DEFAULT expressão\n"
" ALTER [ COLUMN ] coluna DROP DEFAULT\n"
" ALTER [ COLUMN ] coluna { SET | DROP } NOT NULL\n"
" ALTER [ COLUMN ] coluna SET STATISTICS inteiro\n"
" ALTER [ COLUMN ] coluna SET STORAGE { PLAIN | EXTERNAL | EXTENDED | "
"MAIN }\n"
" ADD restrição_tabela\n"
" DROP CONSTRAINT nome_restrição [ RESTRICT | CASCADE ]\n"
" DISABLE TRIGGER [ nome_gatilho | ALL | USER ]\n"
" ENABLE TRIGGER [ nome_gatilho | ALL | USER ]\n"
" CLUSTER ON nome_índice\n"
" SET WITHOUT CLUSTER\n"
" SET WITHOUT OIDS\n"
" SET ( parâmetro_armazenamento = valor [, ... ] )\n"
" RESET ( parâmetro_armazenamento [, ... ] )\n"
" INHERIT tabela_ancestral\n"
" NO INHERIT tabela_ancestral\n"
" OWNER TO novo_dono\n"
" SET TABLESPACE nome_tablespace"
#: sql_help.h:85
msgid "change the definition of a tablespace"
msgstr "muda a definição de um espaço de tabelas"
#: sql_help.h:86
msgid ""
"ALTER TABLESPACE name RENAME TO newname\n"
"ALTER TABLESPACE name OWNER TO newowner"
msgstr ""
"ALTER TABLESPACE nome RENAME TO novo_nome\n"
"ALTER TABLESPACE nome OWNER TO novo_dono"
#: sql_help.h:89
msgid "change the definition of a trigger"
msgstr "muda a definição de um gatilho"
#: sql_help.h:90
msgid "ALTER TRIGGER name ON table RENAME TO newname"
msgstr "ALTER TRIGGER nome ON tabela RENAME TO novo_nome"
#: sql_help.h:93
msgid "change the definition of a type"
msgstr "muda a definição de um tipo"
#: sql_help.h:94
msgid ""
"ALTER TYPE name OWNER TO new_owner \n"
"ALTER TYPE name SET SCHEMA new_schema"
msgstr ""
"ALTER TYPE nome OWNER TO novo_nome\n"
"ALTER TYPE nome SET SCHEMA novo_esquema"
#: sql_help.h:98
msgid ""
"ALTER USER name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT connlimit\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'password'\n"
" | VALID UNTIL 'timestamp' \n"
"\n"
"ALTER USER name RENAME TO newname\n"
"\n"
"ALTER USER name SET configuration_parameter { TO | = } { value | DEFAULT }\n"
"ALTER USER name RESET configuration_parameter"
msgstr ""
"ALTER USER nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
"\n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER \n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT limite_con\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'senha'\n"
" | VALID UNTIL 'tempo_absoluto' \n"
"\n"
"ALTER USER nome RENAME TO novo_nome\n"
"\n"
"ALTER USER nome SET parâmetro { TO | = } { valor | DEFAULT }\n"
"ALTER USER nome RESET parâmetro"
#: sql_help.h:101
msgid "collect statistics about a database"
msgstr "coleta estatísticas sobre o banco de dados"
#: sql_help.h:102
msgid "ANALYZE [ VERBOSE ] [ table [ (column [, ...] ) ] ]"
msgstr "ANALYZE [ VERBOSE ] [ tabela [ (coluna [, ...] ) ] ]"
#: sql_help.h:105 sql_help.h:449
msgid "start a transaction block"
msgstr "inicia um bloco de transação"
#: sql_help.h:106
msgid ""
"BEGIN [ WORK | TRANSACTION ] [ transaction_mode [, ...] ]\n"
"\n"
"where transaction_mode is one of:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
msgstr ""
"BEGIN [ WORK | TRANSACTION ] [ modo_transação [, ...] ]\n"
"\n"
"onde modo_transação é um dos:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
#: sql_help.h:109
msgid "force a transaction log checkpoint"
msgstr "força ponto de controle no log de transação"
#: sql_help.h:110
msgid "CHECKPOINT"
msgstr "CHECKPOINT"
#: sql_help.h:113
msgid "close a cursor"
msgstr "fecha um cursor"
#: sql_help.h:114
msgid "CLOSE name"
msgstr "CLOSE nome"
#: sql_help.h:117
msgid "cluster a table according to an index"
msgstr "agrupa uma tabela de acordo com um índice"
#: sql_help.h:118
msgid ""
"CLUSTER indexname ON tablename\n"
"CLUSTER tablename\n"
"CLUSTER"
msgstr ""
"CLUSTER nome_índice ON nome_tabela\n"
"CLUSTER nome_tabela\n"
"CLUSTER"
#: sql_help.h:121
msgid "define or change the comment of an object"
msgstr "define ou muda um comentário de um objeto"
#: sql_help.h:122
msgid ""
"COMMENT ON\n"
"{\n"
" TABLE object_name |\n"
" COLUMN table_name.column_name |\n"
" AGGREGATE agg_name (agg_type [, ...] ) |\n"
" CAST (sourcetype AS targettype) |\n"
" CONSTRAINT constraint_name ON table_name |\n"
" CONVERSION object_name |\n"
" DATABASE object_name |\n"
" DOMAIN object_name |\n"
" FUNCTION func_name ( [ [ argmode ] [ argname ] argtype [, ...] ] ) |\n"
" INDEX object_name |\n"
" LARGE OBJECT large_object_oid |\n"
" OPERATOR op (leftoperand_type, rightoperand_type) |\n"
" OPERATOR CLASS object_name USING index_method |\n"
" [ PROCEDURAL ] LANGUAGE object_name |\n"
" ROLE object_name |\n"
" RULE rule_name ON table_name |\n"
" SCHEMA object_name |\n"
" SEQUENCE object_name |\n"
" TABLESPACE object_name |\n"
" TRIGGER trigger_name ON table_name |\n"
" TYPE object_name |\n"
" VIEW object_name\n"
"} IS 'text'"
msgstr ""
"COMMENT ON\n"
"{\n"
" TABLE nome_objeto |\n"
" COLUMN nome_tabela.nome_coluna |\n"
" AGGREGATE nome_agregação (tipo_agregação [, ...] ) |\n"
" CAST (tipo_origem AS tipo_destino) |\n"
" CONSTRAINT nome_restrição ON nome_tabela |\n"
" CONVERSION nome_objeto |\n"
" DATABASE nome_objeto |\n"
" DOMAIN nome_objeto |\n"
" FUNCTION nome_função ( [ [ modo ] [ nome ] tipo [, ...] ) |\n"
" INDEX nome_objeto |\n"
" LARGE OBJECT oid_objeto_grande |\n"
" OPERATOR operador (tipo_operando_esq, tipo_operando_dir) |\n"
" OPERATOR CLASS nome_objeto USING método_índice |\n"
" [ PROCEDURAL ] LANGUAGE nome_objeto |\n"
" ROLE nome_objeto |\n"
" RULE nome_regra ON nome_tabela |\n"
" SCHEMA nome_objeto |\n"
" SEQUENCE nome_objeto |\n"
" TABLESPACE nome_objeto |\n"
" TRIGGER nome_gatilho ON nome_tabela |\n"
" TYPE nome_objeto |\n"
" VIEW nome_objeto\n"
"} IS 'texto'"
#: sql_help.h:125 sql_help.h:329
msgid "commit the current transaction"
msgstr "efetiva a transação atual"
#: sql_help.h:126
msgid "COMMIT [ WORK | TRANSACTION ]"
msgstr "COMMIT [ WORK | TRANSACTION ]"
#: sql_help.h:129
msgid "commit a transaction that was earlier prepared for two-phase commit"
msgstr ""
"efetiva uma transação que foi anteriormente preparada para efetivação em "
"duas fases"
#: sql_help.h:130
msgid "COMMIT PREPARED transaction_id"
msgstr "COMMIT PREPARED id_transação"
#: sql_help.h:133
msgid "copy data between a file and a table"
msgstr "copia dados de um arquivo para uma tabela"
#: sql_help.h:134
msgid ""
"COPY tablename [ ( column [, ...] ) ]\n"
" FROM { 'filename' | STDIN }\n"
" [ [ WITH ] \n"
" [ BINARY ]\n"
" [ OIDS ]\n"
" [ DELIMITER [ AS ] 'delimiter' ]\n"
" [ NULL [ AS ] 'null string' ]\n"
" [ CSV [ HEADER ]\n"
" [ QUOTE [ AS ] 'quote' ] \n"
" [ ESCAPE [ AS ] 'escape' ]\n"
" [ FORCE NOT NULL column [, ...] ]\n"
"\n"
"COPY { tablename [ ( column [, ...] ) ] | ( query ) }\n"
" TO { 'filename' | STDOUT }\n"
" [ [ WITH ] \n"
" [ BINARY ]\n"
" [ OIDS ]\n"
" [ DELIMITER [ AS ] 'delimiter' ]\n"
" [ NULL [ AS ] 'null string' ]\n"
" [ CSV [ HEADER ]\n"
" [ QUOTE [ AS ] 'quote' ] \n"
" [ ESCAPE [ AS ] 'escape' ]\n"
" [ FORCE QUOTE column [, ...] ]"
msgstr ""
"COPY nome_tabela [ ( coluna [, ...] ) ]\n"
" FROM { 'arquivo' | STDIN }\n"
" [ [ WITH ] \n"
" [ BINARY ] \n"
" [ OIDS ]\n"
" [ DELIMITER [ AS ] 'delimitador' ]\n"
" [ NULL [ AS ] 'cadeia nula' ] ]\n"
" [ CSV [ HEADER ]\n"
" [ QUOTE [ AS ] 'separador' ] \n"
" [ ESCAPE [ AS ] 'escape' ]\n"
" [ FORCE NOT NULL coluna [, ...] ]\n"
"\n"
"COPY { nome_tabela [ ( coluna [, ...] ) ] | ( consulta ) }\n"
" TO { 'arquivo' | STDOUT }\n"
" [ [ WITH ] \n"
" [ BINARY ]\n"
" [ OIDS ]\n"
" [ DELIMITER [ AS ] 'delimitador' ]\n"
" [ NULL [ AS ] 'cadeia nula' ] ]\n"
" [ CSV [ HEADER ]\n"
" [ QUOTE [ AS ] 'separador' ] \n"
" [ ESCAPE [ AS ] 'escape' ]\n"
" [ FORCE QUOTE coluna [, ...] ]"
#: sql_help.h:137
msgid "define a new aggregate function"
msgstr "define um nova função de agregação"
#: sql_help.h:138
msgid ""
"CREATE AGGREGATE name ( input_data_type [ , ... ] ) (\n"
" SFUNC = sfunc,\n"
" STYPE = state_data_type\n"
" [ , FINALFUNC = ffunc ]\n"
" [ , INITCOND = initial_condition ]\n"
" [ , SORTOP = sort_operator ]\n"
")\n"
"\n"
"or the old syntax\n"
"\n"
"CREATE AGGREGATE name (\n"
" BASETYPE = base_type,\n"
" SFUNC = sfunc,\n"
" STYPE = state_data_type\n"
" [ , FINALFUNC = ffunc ]\n"
" [ , INITCOND = initial_condition ]\n"
" [ , SORTOP = sort_operator ]\n"
")"
msgstr ""
"CREATE AGGREGATE nome ( tipo_dado_entrada [ , ... ] ) (\n"
" SFUNC = função_trans_estado,\n"
" STYPE = tipo_dado_estado\n"
" [ , FINALFUNC = função_final ]\n"
" [ , INITCOND = condição_inicial ]\n"
" [ , SORTOP = operador_ordenação ]\n"
")\n"
"\n"
"ou a sintaxe antiga\n"
"\n"
"CREATE AGGREGATE nome (\n"
" BASETYPE = tipo_dado_entrada,\n"
" SFUNC = função_trans_estado,\n"
" STYPE = tipo_dado_estado\n"
" [ , FINALFUNC = função_final ]\n"
" [ , INITCOND = condição_inicial ]\n"
" [ , SORTOP = operador_ordenação ]\n"
")"
#: sql_help.h:141
msgid "define a new cast"
msgstr "define uma nova conversão de tipo"
#: sql_help.h:142
msgid ""
"CREATE CAST (sourcetype AS targettype)\n"
" WITH FUNCTION funcname (argtypes)\n"
" [ AS ASSIGNMENT | AS IMPLICIT ]\n"
"\n"
"CREATE CAST (sourcetype AS targettype)\n"
" WITHOUT FUNCTION\n"
" [ AS ASSIGNMENT | AS IMPLICIT ]"
msgstr ""
"CREATE CAST (tipo_origem AS tipo_destino)\n"
" WITH FUNCTION nome_função (tipo_argumento)\n"
" [ AS ASSIGNMENT | AS IMPLICIT ]\n"
"\n"
"CREATE CAST (tipo_origem AS tipo_destino)\n"
" WITHOUT FUNCTION\n"
" [ AS ASSIGNMENT | AS IMPLICIT ]"
#: sql_help.h:145
msgid "define a new constraint trigger"
msgstr "define um novo gatilho de restrição"
#: sql_help.h:146
msgid ""
"CREATE CONSTRAINT TRIGGER name\n"
" AFTER event [ OR ... ]\n"
" ON table_name\n"
" [ FROM referenced_table_name ]\n"
" { NOT DEFERRABLE | [ DEFERRABLE ] { INITIALLY IMMEDIATE | INITIALLY "
"DEFERRED } }\n"
" FOR EACH ROW\n"
" EXECUTE PROCEDURE funcname ( arguments )"
msgstr ""
"CREATE CONSTRAINT TRIGGER nome\n"
" AFTER evento [ OR ... ]\n"
" ON nome_tabela\n"
" [ FROM nome_tabela_referenciada ]\n"
" { NOT DEFERRABLE | [ DEFERRABLE ] { INITIALLY IMMEDIATE | INITIALLY "
"DEFERRED } }\n"
" FOR EACH ROW\n"
" EXECUTE PROCEDURE nome_função ( argumentos )"
#: sql_help.h:149
msgid "define a new encoding conversion"
msgstr "define uma nova conversão de codificação"
#: sql_help.h:150
msgid ""
"CREATE [ DEFAULT ] CONVERSION name\n"
" FOR source_encoding TO dest_encoding FROM funcname"
msgstr ""
"CREATE [ DEFAULT ] CONVERSION nome\n"
" FOR codificação_origem TO codificação_destino FROM nome_função"
#: sql_help.h:153
msgid "create a new database"
msgstr "cria um novo banco de dados"
#: sql_help.h:154
msgid ""
"CREATE DATABASE name\n"
" [ [ WITH ] [ OWNER [=] dbowner ]\n"
" [ TEMPLATE [=] template ]\n"
" [ ENCODING [=] encoding ]\n"
" [ TABLESPACE [=] tablespace ]\n"
" [ CONNECTION LIMIT [=] connlimit ] ]"
msgstr ""
"CREATE DATABASE nome\n"
" [ [ WITH ] [ OWNER [=] dono_bd ]\n"
" [ TEMPLATE [=] modelo ]\n"
" [ ENCODING [=] codificação ]\n"
" [ TABLESPACE [=] tablespace ] ]\n"
" [ CONNECTION LIMIT [=] limite_con ] ]"
#: sql_help.h:157
msgid "define a new domain"
msgstr "define um novo domínio"
#: sql_help.h:158
msgid ""
"CREATE DOMAIN name [ AS ] data_type\n"
" [ DEFAULT expression ]\n"
" [ constraint [ ... ] ]\n"
"\n"
"where constraint is:\n"
"\n"
"[ CONSTRAINT constraint_name ]\n"
"{ NOT NULL | NULL | CHECK (expression) }"
msgstr ""
"CREATE DOMAIN nome [ AS ] tipo_dado\n"
" [ DEFAULT expressão ]\n"
" [ restrição [ ... ] ]\n"
"\n"
"onde restrição é:\n"
"\n"
"[ CONSTRAINT nome_restrição ]\n"
"{ NOT NULL | NULL | CHECK (expressão) }"
#: sql_help.h:161
msgid "define a new function"
msgstr "define uma nova função"
#: sql_help.h:162
msgid ""
"CREATE [ OR REPLACE ] FUNCTION\n"
" name ( [ [ argmode ] [ argname ] argtype [, ...] ] )\n"
" [ RETURNS rettype ]\n"
" { LANGUAGE langname\n"
" | IMMUTABLE | STABLE | VOLATILE\n"
" | CALLED ON NULL INPUT | RETURNS NULL ON NULL INPUT | STRICT\n"
" | [ EXTERNAL ] SECURITY INVOKER | [ EXTERNAL ] SECURITY DEFINER\n"
" | AS 'definition'\n"
" | AS 'obj_file', 'link_symbol'\n"
" } ...\n"
" [ WITH ( attribute [, ...] ) ]"
msgstr ""
"CREATE [ OR REPLACE ] FUNCTION\n"
" nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" [ RETURNS tipo_retorno ]\n"
" { LANGUAGE nome_linguagem\n"
" | IMMUTABLE | STABLE | VOLATILE\n"
" | CALLED ON NULL INPUT | RETURNS NULL ON NULL INPUT | STRICT\n"
" | [ EXTERNAL ] SECURITY INVOKER | [ EXTERNAL ] SECURITY DEFINER\n"
" | AS 'definição'\n"
" | AS 'arquivo_objeto', 'link_simbólico'\n"
" } ...\n"
" [ WITH ( atributo [, ...] ) ]"
#: sql_help.h:165 sql_help.h:185 sql_help.h:221
msgid "define a new database role"
msgstr "define uma nova role do banco de dados"
#: sql_help.h:166
msgid ""
"CREATE GROUP name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'password'\n"
" | VALID UNTIL 'timestamp' \n"
" | IN ROLE rolename [, ...]\n"
" | IN GROUP rolename [, ...]\n"
" | ROLE rolename [, ...]\n"
" | ADMIN rolename [, ...]\n"
" | USER rolename [, ...]\n"
" | SYSID uid"
msgstr ""
"CREATE GROUP nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'senha'\n"
" | VALID UNTIL 'tempo_absoluto'\n"
" | IN ROLE nome_role [, ...]\n"
" | IN GROUP nome_grupo [, ...]\n"
" | ROLE nome_role [, ...]\n"
" | ADMIN nome_role [, ...]\n"
" | USER nome_role [, ...]\n"
" | SYSID uid"
#: sql_help.h:169
msgid "define a new index"
msgstr "define um novo índice"
#: sql_help.h:170
msgid ""
"CREATE [ UNIQUE ] INDEX [ CONCURRENTLY ] name ON table [ USING method ]\n"
" ( { column | ( expression ) } [ opclass ] [, ...] )\n"
" [ WITH ( storage_parameter = value [, ... ] ) ]\n"
" [ TABLESPACE tablespace ]\n"
" [ WHERE predicate ]"
msgstr ""
"CREATE [ UNIQUE ] INDEX [ CONCURRENTLY ] nome ON tabela [ USING método ]\n"
" ( { coluna | ( expressão ) } [ classe_operadores ] [, ...] )\n"
" [ TABLESPACE espaço_de_tabelas ]\n"
" [ WHERE predicado ]"
#: sql_help.h:173
msgid "define a new procedural language"
msgstr "define uma nova linguagem procedural"
#: sql_help.h:174
msgid ""
"CREATE [ PROCEDURAL ] LANGUAGE name\n"
"CREATE [ TRUSTED ] [ PROCEDURAL ] LANGUAGE name\n"
" HANDLER call_handler [ VALIDATOR valfunction ]"
msgstr ""
"CREATE [ PROCEDURAL ] LANGUAGE nome\n"
"CREATE [ TRUSTED ] [ PROCEDURAL ] LANGUAGE nome\n"
" HANDLER alimentador_chamada [ VALIDATOR função_validação ]"
#: sql_help.h:177
msgid "define a new operator class"
msgstr "define uma nova classe de operadores"
#: sql_help.h:178
msgid ""
"CREATE OPERATOR CLASS name [ DEFAULT ] FOR TYPE data_type USING index_method "
"AS\n"
" { OPERATOR strategy_number operator_name [ ( op_type, op_type ) ] "
"[ RECHECK ]\n"
" | FUNCTION support_number funcname ( argument_type [, ...] )\n"
" | STORAGE storage_type\n"
" } [, ... ]"
msgstr ""
"CREATE OPERATOR CLASS nome [ DEFAULT ] FOR TYPE tipo_dado USING "
"método_índice AS\n"
" { OPERATOR número_estratégia nome_operador [ ( tipo_operador, "
"tipo_operador ) ] [ RECHECK ]\n"
" | FUNCTION número_suporte nome_função ( tipo_argumento [, ...] )\n"
" | STORAGE tipo_armazenado\n"
" } [, ... ]"
#: sql_help.h:181
msgid "define a new operator"
msgstr "define um novo operador"
#: sql_help.h:182
msgid ""
"CREATE OPERATOR name (\n"
" PROCEDURE = funcname\n"
" [, LEFTARG = lefttype ] [, RIGHTARG = righttype ]\n"
" [, COMMUTATOR = com_op ] [, NEGATOR = neg_op ]\n"
" [, RESTRICT = res_proc ] [, JOIN = join_proc ]\n"
" [, HASHES ] [, MERGES ]\n"
" [, SORT1 = left_sort_op ] [, SORT2 = right_sort_op ]\n"
" [, LTCMP = less_than_op ] [, GTCMP = greater_than_op ]\n"
")"
msgstr ""
"CREATE OPERATOR nome (\n"
" PROCEDURE = nome_função\n"
" [, LEFTARG = tipo_esquerda ] [, RIGHTARG = tipo_direita ]\n"
" [, COMMUTATOR = operador_comutação ] [, NEGATOR = operador_negação ]\n"
" [, RESTRICT = proc_restrição ] [, JOIN = proc_junção ]\n"
" [, HASHES ] [, MERGES ]\n"
" [, SORT1 = operador_ord_esquerda ] [, SORT2 = operador_ord_direita ]\n"
" [, LTCMP = operador_menor_que ] [, GTCMP = operador_maior_que ]\n"
")"
#: sql_help.h:186
msgid ""
"CREATE ROLE name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT connlimit\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'password'\n"
" | VALID UNTIL 'timestamp' \n"
" | IN ROLE rolename [, ...]\n"
" | IN GROUP rolename [, ...]\n"
" | ROLE rolename [, ...]\n"
" | ADMIN rolename [, ...]\n"
" | USER rolename [, ...]\n"
" | SYSID uid"
msgstr ""
"CREATE ROLE nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT limite_con\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'senha'\n"
" | VALID UNTIL 'tempo_absoluto' \n"
" | IN ROLE nome_role [, ...]\n"
" | IN GROUP nome_role [, ...]\n"
" | ROLE nome_role [, ...]\n"
" | ADMIN nome_role [, ...]\n"
" | USER nome_role [, ...]\n"
" | SYSID uid"
#: sql_help.h:189
msgid "define a new rewrite rule"
msgstr "define uma nova regra de reescrita"
#: sql_help.h:190
msgid ""
"CREATE [ OR REPLACE ] RULE name AS ON event\n"
" TO table [ WHERE condition ]\n"
" DO [ ALSO | INSTEAD ] { NOTHING | command | ( command ; command ... ) }"
msgstr ""
"CREATE [ OR REPLACE ] RULE nome AS ON evento\n"
" TO tabela [ WHERE condição ]\n"
" DO [ ALSO | INSTEAD ] { NOTHING | comando | ( comando ; comando ... ) }"
#: sql_help.h:193
msgid "define a new schema"
msgstr "define um novo esquema"
#: sql_help.h:194
msgid ""
"CREATE SCHEMA schemaname [ AUTHORIZATION username ] [ schema_element "
"[ ... ] ]\n"
"CREATE SCHEMA AUTHORIZATION username [ schema_element [ ... ] ]"
msgstr ""
"CREATE SCHEMA nome_esquema [ AUTHORIZATION usuário ] [ elemento_esquema "
"[ ... ] ]\n"
"CREATE SCHEMA AUTHORIZATION usuário [ elemento_esquema [ ... ] ]"
#: sql_help.h:197
msgid "define a new sequence generator"
msgstr "define um novo gerador de sequência"
#: sql_help.h:198
msgid ""
"CREATE [ TEMPORARY | TEMP ] SEQUENCE name [ INCREMENT [ BY ] increment ]\n"
" [ MINVALUE minvalue | NO MINVALUE ] [ MAXVALUE maxvalue | NO MAXVALUE ]\n"
" [ START [ WITH ] start ] [ CACHE cache ] [ [ NO ] CYCLE ]\n"
" [ OWNED BY { table.column | NONE } ]"
msgstr ""
"CREATE [ TEMPORARY | TEMP ] SEQUENCE nome [ INCREMENT [ BY ] incremento ]\n"
" [ MINVALUE valor_mínimo | NO MINVALUE ] [ MAXVALUE valor_máximo | NO "
"MAXVALUE ]\n"
" [ START [ WITH ] início ] [ CACHE cache ] [ [ NO ] CYCLE ] [ OWNED BY "
"{ tabela.coluna | NONE } ]"
#: sql_help.h:201
msgid "define a new table"
msgstr "define uma nova tabela"
#: sql_help.h:202
msgid ""
"CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } ] TABLE table_name ( [\n"
" { column_name data_type [ DEFAULT default_expr ] [ column_constraint "
"[ ... ] ]\n"
" | table_constraint\n"
" | LIKE parent_table [ { INCLUDING | EXCLUDING } { DEFAULTS | "
"CONSTRAINTS } ] ... }\n"
" [, ... ]\n"
"] )\n"
"[ INHERITS ( parent_table [, ... ] ) ]\n"
"[ WITH ( storage_parameter [= value] [, ... ] ) | WITH OIDS | WITHOUT "
"OIDS ]\n"
"[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]\n"
"[ TABLESPACE tablespace ]\n"
"\n"
"where column_constraint is:\n"
"\n"
"[ CONSTRAINT constraint_name ]\n"
"{ NOT NULL | \n"
" NULL | \n"
" UNIQUE index_parameters |\n"
" PRIMARY KEY index_parameters |\n"
" CHECK ( expression ) |\n"
" REFERENCES reftable [ ( refcolumn ) ] [ MATCH FULL | MATCH PARTIAL | MATCH "
"SIMPLE ]\n"
" [ ON DELETE action ] [ ON UPDATE action ] }\n"
"[ DEFERRABLE | NOT DEFERRABLE ] [ INITIALLY DEFERRED | INITIALLY "
"IMMEDIATE ]\n"
"\n"
"and table_constraint is:\n"
"\n"
"[ CONSTRAINT constraint_name ]\n"
"{ UNIQUE ( column_name [, ... ] ) index_parameters |\n"
" PRIMARY KEY ( column_name [, ... ] ) index_parameters |\n"
" CHECK ( expression ) |\n"
" FOREIGN KEY ( column_name [, ... ] ) REFERENCES reftable [ ( refcolumn "
"[, ... ] ) ]\n"
" [ MATCH FULL | MATCH PARTIAL | MATCH SIMPLE ] [ ON DELETE action ] [ ON "
"UPDATE action ] }\n"
"[ DEFERRABLE | NOT DEFERRABLE ] [ INITIALLY DEFERRED | INITIALLY "
"IMMEDIATE ]\n"
"\n"
"index_parameters in UNIQUE and PRIMARY KEY constraints are:\n"
"\n"
"[ WITH ( storage_parameter [= value] [, ... ] ) ]\n"
"[ USING INDEX TABLESPACE tablespace ]"
msgstr ""
"CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } ] TABLE nome_tabela ( [\n"
" { nome_coluna tipo_dado [ DEFAULT expressão_padrão ] [ restrição_coluna "
"[ ... ] ]\n"
" | restrição_tabela\n"
" | LIKE tabela_pai [ { INCLUDING | EXCLUDING } { DEFAULTS | "
"CONSTRAINTS } ] ... }\n"
" [, ... ]\n"
"] )\n"
"[ INHERITS ( tabela_pai [, ... ] ) ]\n"
"[ WITH ( parâmetro_armazenamento [= valor] [, ... ] ) | WITH OIDS | WITHOUT "
"OIDS ]\n"
"[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]\n"
"[ TABLESPACE espaço_de_tabelas ]\n"
"\n"
"onde restrição_coluna é:\n"
"\n"
"[ CONSTRAINT nome_restrição ]\n"
"{ NOT NULL | \n"
" NULL | \n"
" UNIQUE parâmetros_índice |\n"
" PRIMARY KEY parâmetros_índice |\n"
" CHECK ( expressão ) |\n"
" REFERENCES tabela_ref [ ( coluna_ref ) ] [ MATCH FULL | MATCH PARTIAL | "
"MATCH SIMPLE ]\n"
" [ ON DELETE ação ] [ ON UPDATE ação ] }\n"
"[ DEFERRABLE | NOT DEFERRABLE ] [ INITIALLY DEFERRED | INITIALLY "
"IMMEDIATE ]\n"
"\n"
"e restrição_tabela é:\n"
"\n"
"[ CONSTRAINT nome_restrição ]\n"
"{ UNIQUE ( nome_coluna [, ... ] ) parâmetros_índice |\n"
" PRIMARY KEY ( nome_coluna [, ... ] ) parâmetros_índice |\n"
" CHECK ( expressão ) |\n"
" FOREIGN KEY ( nome_coluna [, ... ] ) REFERENCES tabela_ref [ ( coluna_ref "
"[, ... ] ) ]\n"
" [ MATCH FULL | MATCH PARTIAL | MATCH SIMPLE ] [ ON DELETE ação ] [ ON "
"UPDATE ação ] }\n"
"[ DEFERRABLE | NOT DEFERRABLE ] [ INITIALLY DEFERRED | INITIALLY "
"IMMEDIATE ]\n"
"\n"
"parâmetros_índice em restrições UNIQUE e PRIMARY KEY são:\n"
"\n"
"[ WITH ( parâmetro_armazenamento [= valor] [, ... ] ) ]\n"
"[ USING INDEX TABLESPACE espaço_de_tabelas ]"
#: sql_help.h:205 sql_help.h:421
msgid "define a new table from the results of a query"
msgstr "cria uma nova tabela a partir dos resultados de uma consulta"
#: sql_help.h:206
msgid ""
"CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } ] TABLE table_name\n"
" [ (column_name [, ...] ) ]\n"
" [ WITH ( storage_parameter [= value] [, ... ] ) | WITH OIDS | WITHOUT "
"OIDS ]\n"
" [ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]\n"
" [ TABLESPACE tablespace ]\n"
" AS query"
msgstr ""
"CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } ] TABLE nome_tabela\n"
" [ (nome_coluna [, ...] ) ]\n"
" [ WITH (parâmetro [= valor] [, ... ] ) | WITH OIDS | WITHOUT OIDS ]\n"
" [ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]\n"
" [ TABLESPACE espaço_de_tabelas ]\n"
" AS consulta"
#: sql_help.h:209
msgid "define a new tablespace"
msgstr "define um novo espaço de tabelas"
#: sql_help.h:210
msgid ""
"CREATE TABLESPACE tablespacename [ OWNER username ] LOCATION 'directory'"
msgstr ""
"CREATE TABLESPACE nome_espaço_de_tabelas [ OWNER usuário ] LOCATION "
"'diretório'"
#: sql_help.h:213
msgid "define a new trigger"
msgstr "define um novo gatilho"
#: sql_help.h:214
msgid ""
"CREATE TRIGGER name { BEFORE | AFTER } { event [ OR ... ] }\n"
" ON table [ FOR [ EACH ] { ROW | STATEMENT } ]\n"
" EXECUTE PROCEDURE funcname ( arguments )"
msgstr ""
"CREATE TRIGGER nome { BEFORE | AFTER } { evento [ OR ... ] }\n"
" ON tabela [ FOR [ EACH ] { ROW | STATEMENT } ]\n"
" EXECUTE PROCEDURE nome_função ( argumentos )"
#: sql_help.h:217
msgid "define a new data type"
msgstr "define um novo tipo de dado"
#: sql_help.h:218
msgid ""
"CREATE TYPE name AS\n"
" ( attribute_name data_type [, ... ] )\n"
"\n"
"CREATE TYPE name (\n"
" INPUT = input_function,\n"
" OUTPUT = output_function\n"
" [ , RECEIVE = receive_function ]\n"
" [ , SEND = send_function ]\n"
" [ , ANALYZE = analyze_function ]\n"
" [ , INTERNALLENGTH = { internallength | VARIABLE } ]\n"
" [ , PASSEDBYVALUE ]\n"
" [ , ALIGNMENT = alignment ]\n"
" [ , STORAGE = storage ]\n"
" [ , DEFAULT = default ]\n"
" [ , ELEMENT = element ]\n"
" [ , DELIMITER = delimiter ]\n"
")\n"
"\n"
"CREATE TYPE name"
msgstr ""
"CREATE TYPE nome AS\n"
" ( nome_atributo tipo_dado [, ... ] )\n"
"\n"
"CREATE TYPE nome (\n"
" INPUT = função_entrada,\n"
" OUTPUT = função_saída\n"
" [ , RECEIVE = função_recepção ]\n"
" [ , SEND = função_envio ]\n"
" [ , ANALYZE = função_análise ]\n"
" [ , INTERNALLENGTH = { tamanho_interno | VARIABLE } ]\n"
" [ , PASSEDBYVALUE ]\n"
" [ , ALIGNMENT = alinhamento ]\n"
" [ , STORAGE = armazenamento ]\n"
" [ , DEFAULT = padrão ]\n"
" [ , ELEMENT = elemento ]\n"
" [ , DELIMITER = delimitador ]\n"
")\n"
"\n"
"CREATE TYPE nome"
#: sql_help.h:222
msgid ""
"CREATE USER name [ [ WITH ] option [ ... ] ]\n"
"\n"
"where option can be:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT connlimit\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'password'\n"
" | VALID UNTIL 'timestamp' \n"
" | IN ROLE rolename [, ...]\n"
" | IN GROUP rolename [, ...]\n"
" | ROLE rolename [, ...]\n"
" | ADMIN rolename [, ...]\n"
" | USER rolename [, ...]\n"
" | SYSID uid"
msgstr ""
"CREATE USER nome [ [ WITH ] opção [ ... ] ]\n"
"\n"
"onde opção pode ser:\n"
" \n"
" SUPERUSER | NOSUPERUSER\n"
" | CREATEDB | NOCREATEDB\n"
" | CREATEROLE | NOCREATEROLE\n"
" | CREATEUSER | NOCREATEUSER\n"
" | INHERIT | NOINHERIT\n"
" | LOGIN | NOLOGIN\n"
" | CONNECTION LIMIT limite_con\n"
" | [ ENCRYPTED | UNENCRYPTED ] PASSWORD 'senha'\n"
" | VALID UNTIL 'tempo_absoluto'\n"
" | IN ROLE nome_role [, ...]\n"
" | IN GROUP nome_role [, ...]\n"
" | ROLE nome_role [, ...]\n"
" | ADMIN nome_role [, ...]\n"
" | USER nome_role [, ...]\n"
" | SYSID uid"
#: sql_help.h:225
msgid "define a new view"
msgstr "define uma nova visão"
#: sql_help.h:226
msgid ""
"CREATE [ OR REPLACE ] [ TEMP | TEMPORARY ] VIEW name [ ( column_name "
"[, ...] ) ]\n"
" AS query"
msgstr ""
"CREATE [ OR REPLACE ] [ TEMP | TEMPORARY ] VIEW nome [ ( nome_coluna "
"[, ...] ) ]\n"
" AS consulta"
#: sql_help.h:229
msgid "deallocate a prepared statement"
msgstr "remove um comando preparado"
#: sql_help.h:230
msgid "DEALLOCATE [ PREPARE ] name"
msgstr "DEALLOCATE [ PREPARE ] nome"
#: sql_help.h:233
msgid "define a cursor"
msgstr "define um cursor"
#: sql_help.h:234
msgid ""
"DECLARE name [ BINARY ] [ INSENSITIVE ] [ [ NO ] SCROLL ]\n"
" CURSOR [ { WITH | WITHOUT } HOLD ] FOR query\n"
" [ FOR { READ ONLY | UPDATE [ OF column [, ...] ] } ]"
msgstr ""
"DECLARE nome [ BINARY ] [ INSENSITIVE ] [ [ NO ] SCROLL ]\n"
" CURSOR [ { WITH | WITHOUT } HOLD ] FOR consulta\n"
" [ FOR { READ ONLY | UPDATE [ OF coluna [, ...] ] } ]"
#: sql_help.h:237
msgid "delete rows of a table"
msgstr "apaga registros de uma tabela"
#: sql_help.h:238
msgid ""
"DELETE FROM [ ONLY ] table [ [ AS ] alias ]\n"
" [ USING usinglist ]\n"
" [ WHERE condition ]\n"
" [ RETURNING * | output_expression [ AS output_name ] [, ...] ]"
msgstr ""
"DELETE FROM [ ONLY ] tabela [ [ AS ] aliás ]\n"
" [ USING lista_util ]\n"
" [ WHERE condição ]\n"
" [ RETURNING * | expressão_saída [ AS nome_saída ] [, ...] ]"
#: sql_help.h:241
msgid "remove an aggregate function"
msgstr "remove uma função de agregação"
#: sql_help.h:242
msgid ""
"DROP AGGREGATE [ IF EXISTS ] name ( type [ , ... ] ) [ CASCADE | RESTRICT ]"
msgstr ""
"DROP AGGREGATE [ IF EXISTS ] nome ( tipo [ , ... ] ) [ CASCADE | RESTRICT ]"
#: sql_help.h:245
msgid "remove a cast"
msgstr "remove uma conversão de tipo"
#: sql_help.h:246
msgid ""
"DROP CAST [ IF EXISTS ] (sourcetype AS targettype) [ CASCADE | RESTRICT ]"
msgstr ""
"DROP [ IF EXISTS ] CAST (tipo_origem AS tipo_destino) [ CASCADE | RESTRICT ]"
#: sql_help.h:249
msgid "remove a conversion"
msgstr "remove uma conversão"
#: sql_help.h:250
msgid "DROP CONVERSION [ IF EXISTS ] name [ CASCADE | RESTRICT ]"
msgstr "DROP CONVERSION [ IF EXISTS ] nome [ CASCADE | RESTRICT ]"
#: sql_help.h:253
msgid "remove a database"
msgstr "remove um banco de dados"
#: sql_help.h:254
msgid "DROP DATABASE [ IF EXISTS ] name"
msgstr "DROP DATABASE [ IF EXISTS ] nome"
#: sql_help.h:257
msgid "remove a domain"
msgstr "remove um domínio"
#: sql_help.h:258
msgid "DROP DOMAIN [IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP DOMAIN [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:261
msgid "remove a function"
msgstr "remove uma função"
#: sql_help.h:262
msgid ""
"DROP FUNCTION [ IF EXISTS ] name ( [ [ argmode ] [ argname ] argtype "
"[, ...] ] )\n"
" [ CASCADE | RESTRICT ]"
msgstr ""
"DROP FUNCTION [ IF EXISTS ] nome ( [ [ modo ] [ nome ] tipo [, ...] ] )\n"
" [ CASCADE | RESTRICT ]"
#: sql_help.h:265 sql_help.h:289 sql_help.h:321
msgid "remove a database role"
msgstr "remove uma role do banco de dados"
#: sql_help.h:266
msgid "DROP GROUP [ IF EXISTS ] name [, ...]"
msgstr "DROP GROUP [ IF EXISTS ] nome [, ...]"
#: sql_help.h:269
msgid "remove an index"
msgstr "remove um índice"
#: sql_help.h:270
msgid "DROP INDEX [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP INDEX [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:273
msgid "remove a procedural language"
msgstr "remove uma linguagem procedural"
#: sql_help.h:274
msgid "DROP [ PROCEDURAL ] LANGUAGE [ IF EXISTS ] name [ CASCADE | RESTRICT ]"
msgstr "DROP [ PROCEDURAL ] LANGUAGE [ IF EXISTS ] nome [ CASCADE | RESTRICT ]"
#: sql_help.h:277
msgid "remove an operator class"
msgstr "remove uma classe de operadores"
#: sql_help.h:278
msgid ""
"DROP OPERATOR CLASS [ IF EXISTS ] name USING index_method [ CASCADE | "
"RESTRICT ]"
msgstr ""
"DROP OPERATOR CLASS [ IF EXISTS ] nome USING método_índice [ CASCADE | "
"RESTRICT ]"
#: sql_help.h:281
msgid "remove an operator"
msgstr "remove um operador"
#: sql_help.h:282
msgid ""
"DROP OPERATOR [ IF EXISTS ] name ( { lefttype | NONE } , { righttype | "
"NONE } ) [ CASCADE | RESTRICT ]"
msgstr ""
"DROP OPERATOR [ IF EXISTS ] nome ( { tipo_esquerda | NONE } , { tipo_direita "
"| NONE } ) [ CASCADE | RESTRICT ]"
#: sql_help.h:285
msgid "remove database objects owned by a database role"
msgstr ""
"remove objetos do banco de dados cujo dono é uma role do banco de dados"
#: sql_help.h:286
msgid "DROP OWNED BY name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP OWNED BY nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:290
msgid "DROP ROLE [ IF EXISTS ] name [, ...]"
msgstr "DROP ROLE [ IF EXISTS ] nome [, ...]"
#: sql_help.h:293
msgid "remove a rewrite rule"
msgstr "remove uma regra de reescrita"
#: sql_help.h:294
msgid "DROP RULE [ IF EXISTS ] name ON relation [ CASCADE | RESTRICT ]"
msgstr "DROP RULE [ IF EXISTS ] nome ON relação [ CASCADE | RESTRICT ]"
#: sql_help.h:297
msgid "remove a schema"
msgstr "remove um esquema"
#: sql_help.h:298
msgid "DROP SCHEMA [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP SCHEMA [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:301
msgid "remove a sequence"
msgstr "remove uma sequência"
#: sql_help.h:302
msgid "DROP SEQUENCE [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP SEQUENCE [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:305
msgid "remove a table"
msgstr "remove uma tabela"
#: sql_help.h:306
msgid "DROP TABLE [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP TABLE [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:309
msgid "remove a tablespace"
msgstr "remove um espaço de tabelas"
#: sql_help.h:310
msgid "DROP TABLESPACE [ IF EXISTS ] tablespacename"
msgstr "DROP TABLESPACE [ IF EXISTS ] nome_espaço_de_tabelas"
#: sql_help.h:313
msgid "remove a trigger"
msgstr "remove um gatilho"
#: sql_help.h:314
msgid "DROP TRIGGER [ IF EXISTS ] name ON table [ CASCADE | RESTRICT ]"
msgstr "DROP TRIGGER [ IF EXISTS ] nome ON tabela [ CASCADE | RESTRICT ]"
#: sql_help.h:317
msgid "remove a data type"
msgstr "remove um tipo de dado"
#: sql_help.h:318
msgid "DROP TYPE [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP TYPE [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:322
msgid "DROP USER [ IF EXISTS ] name [, ...]"
msgstr "DROP USER [ IF EXISTS ] nome [, ...]"
#: sql_help.h:325
msgid "remove a view"
msgstr "remove uma visão"
#: sql_help.h:326
msgid "DROP VIEW [ IF EXISTS ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "DROP VIEW [ IF EXISTS ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:330
msgid "END [ WORK | TRANSACTION ]"
msgstr "END [ WORK | TRANSACTION ]"
#: sql_help.h:333
msgid "execute a prepared statement"
msgstr "executa um comando preparado"
#: sql_help.h:334
msgid "EXECUTE name [ (parameter [, ...] ) ]"
msgstr "EXECUTE nome [ (parâmetro [, ...] ) ]"
#: sql_help.h:337
msgid "show the execution plan of a statement"
msgstr "mostra o plano de execução de um comando"
#: sql_help.h:338
msgid "EXPLAIN [ ANALYZE ] [ VERBOSE ] statement"
msgstr "EXPLAIN [ ANALYZE ] [ VERBOSE ] comando"
#: sql_help.h:341
msgid "retrieve rows from a query using a cursor"
msgstr "recupera registros de uma consulta utilizando um cursor"
#: sql_help.h:342
msgid ""
"FETCH [ direction { FROM | IN } ] cursorname\n"
"\n"
"where direction can be empty or one of:\n"
"\n"
" NEXT\n"
" PRIOR\n"
" FIRST\n"
" LAST\n"
" ABSOLUTE count\n"
" RELATIVE count\n"
" count\n"
" ALL\n"
" FORWARD\n"
" FORWARD count\n"
" FORWARD ALL\n"
" BACKWARD\n"
" BACKWARD count\n"
" BACKWARD ALL"
msgstr ""
"FETCH [ direção { FROM | IN } ] nome_cursor\n"
"\n"
"onde direção pode ser vazio ou um dos:\n"
"\n"
" NEXT\n"
" PRIOR\n"
" FIRST\n"
" LAST\n"
" ABSOLUTE contador\n"
" RELATIVE contador\n"
" contador\n"
" ALL\n"
" FORWARD\n"
" FORWARD contador\n"
" FORWARD ALL\n"
" BACKWARD\n"
" BACKWARD contador\n"
" BACKWARD ALL"
#: sql_help.h:345
msgid "define access privileges"
msgstr "define privilégios de acesso"
#: sql_help.h:346
msgid ""
"GRANT { { SELECT | INSERT | UPDATE | DELETE | REFERENCES | TRIGGER }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON [ TABLE ] tablename [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { USAGE | SELECT | UPDATE }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON SEQUENCE sequencename [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { CREATE | CONNECT | TEMPORARY | TEMP } [,...] | ALL "
"[ PRIVILEGES ] }\n"
" ON DATABASE dbname [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { EXECUTE | ALL [ PRIVILEGES ] }\n"
" ON FUNCTION funcname ( [ [ argmode ] [ argname ] argtype [, ...] ] ) "
"[, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { USAGE | ALL [ PRIVILEGES ] }\n"
" ON LANGUAGE langname [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { CREATE | USAGE } [,...] | ALL [ PRIVILEGES ] }\n"
" ON SCHEMA schemaname [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { CREATE | ALL [ PRIVILEGES ] }\n"
" ON TABLESPACE tablespacename [, ...]\n"
" TO { username | GROUP groupname | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT role [, ...] TO username [, ...] [ WITH ADMIN OPTION ]"
msgstr ""
"GRANT { { SELECT | INSERT | UPDATE | DELETE | RULE | REFERENCES | TRIGGER }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON [ TABLE ] nome_tabela [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { USAGE | SELECT | UPDATE }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON SEQUENCE nome_sequência [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { CREATE | CONNECT | TEMPORARY | TEMP } [,...] | ALL "
"[ PRIVILEGES ] }\n"
" ON DATABASE nome_banco_dados [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { EXECUTE | ALL [ PRIVILEGES ] }\n"
" ON FUNCTION nome_função ( [ [ modo ] [ nome ] tipo [, ...] ] ) [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { USAGE | ALL [ PRIVILEGES ] }\n"
" ON LANGUAGE nome_linguagem [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { { CREATE | USAGE } [,...] | ALL [ PRIVILEGES ] }\n"
" ON SCHEMA nome_esquema [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT { CREATE | ALL [ PRIVILEGES ] }\n"
" ON TABLESPACE nome_espaço_de_tabelas [, ...]\n"
" TO { usuário | GROUP nome_grupo | PUBLIC } [, ...] [ WITH GRANT "
"OPTION ]\n"
"\n"
"GRANT role [, ...] TO usuário [, ...] [ WITH ADMIN OPTION ]"
#: sql_help.h:349
msgid "create new rows in a table"
msgstr "cria novos registros em uma tabela"
#: sql_help.h:350
msgid ""
"INSERT INTO table [ ( column [, ...] ) ]\n"
" { DEFAULT VALUES | VALUES ( { expression | DEFAULT } [, ...] ) [, ...] | "
"query }\n"
" [ RETURNING * | output_expression [ AS output_name ] [, ...] ]"
msgstr ""
"INSERT INTO tabela [ ( coluna [, ...] ) ]\n"
" { DEFAULT VALUES | VALUES ( { expressão | DEFAULT } [, ...] ) [, ...] | "
"consulta }\n"
" [ RETURNING * | expressão_saída [ AS nome_saída ] [, ...] ]"
#: sql_help.h:353
msgid "listen for a notification"
msgstr "espera por uma notificação"
#: sql_help.h:354
msgid "LISTEN name"
msgstr "LISTEN nome"
#: sql_help.h:357
msgid "load a shared library file"
msgstr "carrega um arquivo de biblioteca compartilhada"
#: sql_help.h:358
msgid "LOAD 'filename'"
msgstr "LOAD 'arquivo'"
#: sql_help.h:361
msgid "lock a table"
msgstr "bloqueia uma tabela"
#: sql_help.h:362
msgid ""
"LOCK [ TABLE ] name [, ...] [ IN lockmode MODE ] [ NOWAIT ]\n"
"\n"
"where lockmode is one of:\n"
"\n"
" ACCESS SHARE | ROW SHARE | ROW EXCLUSIVE | SHARE UPDATE EXCLUSIVE\n"
" | SHARE | SHARE ROW EXCLUSIVE | EXCLUSIVE | ACCESS EXCLUSIVE"
msgstr ""
"LOCK [ TABLE ] nome [, ...] [ IN modo_bloqueio MODE ] [ NOWAIT ]\n"
"\n"
"onde modo_bloqueio é um dos:\n"
"\n"
" ACCESS SHARE | ROW SHARE | ROW EXCLUSIVE | SHARE UPDATE EXCLUSIVE\n"
" | SHARE | SHARE ROW EXCLUSIVE | EXCLUSIVE | ACCESS EXCLUSIVE"
#: sql_help.h:365
msgid "position a cursor"
msgstr "posiciona um cursor"
#: sql_help.h:366
msgid "MOVE [ direction { FROM | IN } ] cursorname"
msgstr "MOVE [ direção { FROM | IN } ] nome_cursor"
#: sql_help.h:369
msgid "generate a notification"
msgstr "gera uma notificação"
#: sql_help.h:370
msgid "NOTIFY name"
msgstr "NOTIFY nome"
#: sql_help.h:373
msgid "prepare a statement for execution"
msgstr "prepara um comando para execução"
#: sql_help.h:374
msgid "PREPARE name [ (datatype [, ...] ) ] AS statement"
msgstr "PREPARE nome [ (tipo_dado [, ...] ) ] AS comando"
#: sql_help.h:377
msgid "prepare the current transaction for two-phase commit"
msgstr "prepara a transação atual para efetivação em duas fases"
#: sql_help.h:378
msgid "PREPARE TRANSACTION transaction_id"
msgstr "PREPARE TRANSACTION id_transação"
#: sql_help.h:381
msgid "change the ownership of database objects owned by a database role"
msgstr ""
"muda o dono dos objetos do banco de dados cujo dono é uma role do banco de "
"dados"
#: sql_help.h:382
msgid "REASSIGN OWNED BY old_role [, ...] TO new_role"
msgstr "REASSIGN OWNED BY role_antiga [, ...] TO nova_role"
#: sql_help.h:385
msgid "rebuild indexes"
msgstr "reconstrói índices"
#: sql_help.h:386
msgid "REINDEX { INDEX | TABLE | DATABASE | SYSTEM } name [ FORCE ]"
msgstr "REINDEX { INDEX | TABLE | DATABASE | SYSTEM } nome [ FORCE ]"
#: sql_help.h:389
msgid "destroy a previously defined savepoint"
msgstr "destrói um ponto de salvamento definido anteriormente"
#: sql_help.h:390
msgid "RELEASE [ SAVEPOINT ] savepoint_name"
msgstr "RELEASE [ SAVEPOINT ] nome_savepoint"
#: sql_help.h:393
msgid "restore the value of a run-time parameter to the default value"
msgstr "restaura o valor do parâmetro em tempo de execução para o valor padrão"
#: sql_help.h:394
msgid ""
"RESET configuration_parameter\n"
"RESET ALL"
msgstr ""
"RESET parâmetro\n"
"RESET ALL"
#: sql_help.h:397
msgid "remove access privileges"
msgstr "remove privilégios de acesso"
#: sql_help.h:398
msgid ""
"REVOKE [ GRANT OPTION FOR ]\n"
" { { SELECT | INSERT | UPDATE | DELETE | REFERENCES | TRIGGER }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON [ TABLE ] tablename [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { USAGE | SELECT | UPDATE }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON SEQUENCE sequencename [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { CREATE | CONNECT | TEMPORARY | TEMP } [,...] | ALL [ PRIVILEGES ] }\n"
" ON DATABASE dbname [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { EXECUTE | ALL [ PRIVILEGES ] }\n"
" ON FUNCTION funcname ( [ [ argmode ] [ argname ] argtype [, ...] ] ) "
"[, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { USAGE | ALL [ PRIVILEGES ] }\n"
" ON LANGUAGE langname [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { CREATE | USAGE } [,...] | ALL [ PRIVILEGES ] }\n"
" ON SCHEMA schemaname [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { CREATE | ALL [ PRIVILEGES ] }\n"
" ON TABLESPACE tablespacename [, ...]\n"
" FROM { username | GROUP groupname | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ ADMIN OPTION FOR ]\n"
" role [, ...] FROM username [, ...]\n"
" [ CASCADE | RESTRICT ]"
msgstr ""
"REVOKE [ GRANT OPTION FOR ]\n"
" { { SELECT | INSERT | UPDATE | DELETE | RULE | REFERENCES | TRIGGER }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON [ TABLE ] nome_tabela [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { USAGE | SELECT | UPDATE }\n"
" [,...] | ALL [ PRIVILEGES ] }\n"
" ON SEQUENCE nome_sequência [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { CREATE | CONNECT | TEMPORARY | TEMP } [,...] | ALL [ PRIVILEGES ] }\n"
" ON DATABASE nome_banco_dados [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { EXECUTE | ALL [ PRIVILEGES ] }\n"
" ON FUNCTION nome_função ( [ [ modo ] [ nome ] tipo [, ...] ] ) [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { USAGE | ALL [ PRIVILEGES ] }\n"
" ON LANGUAGE nome_linguagem [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { { CREATE | USAGE } [,...] | ALL [ PRIVILEGES ] }\n"
" ON SCHEMA nome_esquema [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ GRANT OPTION FOR ]\n"
" { CREATE | ALL [ PRIVILEGES ] }\n"
" ON TABLESPACE nome_espaço_de_tabelas [, ...]\n"
" FROM { usuário | GROUP nome_grupo | PUBLIC } [, ...]\n"
" [ CASCADE | RESTRICT ]\n"
"\n"
"REVOKE [ ADMIN OPTION FOR ]\n"
" role [, ...] FROM usuário [, ...]\n"
" [ CASCADE | RESTRICT ]"
#: sql_help.h:402
msgid "ROLLBACK [ WORK | TRANSACTION ]"
msgstr "ROLLBACK [ WORK | TRANSACTION ]"
#: sql_help.h:405
msgid "cancel a transaction that was earlier prepared for two-phase commit"
msgstr ""
"cancela uma transação que foi anteriormente preparada para efetivação em "
"duas fases"
#: sql_help.h:406
msgid "ROLLBACK PREPARED transaction_id"
msgstr "ROLLBACK PREPARED id_transação"
#: sql_help.h:409
msgid "roll back to a savepoint"
msgstr "desfaz modificações de um ponto de salvamento"
#: sql_help.h:410
msgid "ROLLBACK [ WORK | TRANSACTION ] TO [ SAVEPOINT ] savepoint_name"
msgstr "ROLLBACK [ WORK | TRANSACTION ] TO [ SAVEPOINT ] nome_savepoint"
#: sql_help.h:413
msgid "define a new savepoint within the current transaction"
msgstr "define um novo ponto de salvamento na transação atual"
#: sql_help.h:414
msgid "SAVEPOINT savepoint_name"
msgstr "SAVEPOINT nome_savepoint"
#: sql_help.h:417
msgid "retrieve rows from a table or view"
msgstr "recupera registros de uma tabela ou visão"
#: sql_help.h:418
msgid ""
"SELECT [ ALL | DISTINCT [ ON ( expression [, ...] ) ] ]\n"
" * | expression [ AS output_name ] [, ...]\n"
" [ FROM from_item [, ...] ]\n"
" [ WHERE condition ]\n"
" [ GROUP BY expression [, ...] ]\n"
" [ HAVING condition [, ...] ]\n"
" [ { UNION | INTERSECT | EXCEPT } [ ALL ] select ]\n"
" [ ORDER BY expression [ ASC | DESC | USING operator ] [, ...] ]\n"
" [ LIMIT { count | ALL } ]\n"
" [ OFFSET start ]\n"
" [ FOR { UPDATE | SHARE } [ OF table_name [, ...] ] [ NOWAIT ] [...] ]\n"
"\n"
"where from_item can be one of:\n"
"\n"
" [ ONLY ] table_name [ * ] [ [ AS ] alias [ ( column_alias [, ...] ) ] ]\n"
" ( select ) [ AS ] alias [ ( column_alias [, ...] ) ]\n"
" function_name ( [ argument [, ...] ] ) [ AS ] alias [ ( column_alias "
"[, ...] | column_definition [, ...] ) ]\n"
" function_name ( [ argument [, ...] ] ) AS ( column_definition [, ...] )\n"
" from_item [ NATURAL ] join_type from_item [ ON join_condition | USING "
"( join_column [, ...] ) ]"
msgstr ""
"SELECT [ ALL | DISTINCT [ ON ( expressão [, ...] ) ] ]\n"
" * | expressão [ AS nome_saída ] [, ...]\n"
" [ FROM item_de [, ...] ]\n"
" [ WHERE condição ]\n"
" [ GROUP BY expressão [, ...] ]\n"
" [ HAVING condição [, ...] ]\n"
" [ { UNION | INTERSECT | EXCEPT } [ ALL ] select ]\n"
" [ ORDER BY expressão [ ASC | DESC | USING operador ] [, ...] ]\n"
" [ LIMIT { contador | ALL } ]\n"
" [ OFFSET início ]\n"
" [ FOR { UPDATE | SHARE } [ OF nome_tabela [, ...] ] [ NOWAIT ] [...] ]\n"
"\n"
"onde item_de pode ser um dos:\n"
"\n"
" [ ONLY ] nome_tabela [ * ] [ [ AS ] alias [ ( alias_coluna "
"[, ...] ) ] ]\n"
" ( select ) [ AS ] alias [ ( alias_coluna [, ...] ) ]\n"
" nome_função ( [ argumento [, ...] ] ) [ AS ] alias [ ( alias_coluna "
"[, ...] | definição_coluna [, ...] ) ]\n"
" nome_função ( [ argumento [, ...] ] ) AS ( definição_coluna [, ...] )\n"
" item_de [ NATURAL ] tipo_junção item_de [ ON condição_junção | USING "
"( coluna_junção [, ...] ) ]"
#: sql_help.h:422
msgid ""
"SELECT [ ALL | DISTINCT [ ON ( expression [, ...] ) ] ]\n"
" * | expression [ AS output_name ] [, ...]\n"
" INTO [ TEMPORARY | TEMP ] [ TABLE ] new_table\n"
" [ FROM from_item [, ...] ]\n"
" [ WHERE condition ]\n"
" [ GROUP BY expression [, ...] ]\n"
" [ HAVING condition [, ...] ]\n"
" [ { UNION | INTERSECT | EXCEPT } [ ALL ] select ]\n"
" [ ORDER BY expression [ ASC | DESC | USING operator ] [, ...] ]\n"
" [ LIMIT { count | ALL } ]\n"
" [ OFFSET start ]\n"
" [ FOR { UPDATE | SHARE } [ OF table_name [, ...] ] [ NOWAIT ] [...] ]"
msgstr ""
"SELECT [ ALL | DISTINCT [ ON ( expressão [, ...] ) ] ]\n"
" * | expressão [ AS nome_saída ] [, ...]\n"
" INTO [ TEMPORARY | TEMP ] [ TABLE ] nova_tabela\n"
" [ FROM item_de [, ...] ]\n"
" [ WHERE condição ]\n"
" [ GROUP BY expressão [, ...] ]\n"
" [ HAVING condição [, ...] ]\n"
" [ { UNION | INTERSECT | EXCEPT } [ ALL ] select ]\n"
" [ ORDER BY expressão [ ASC | DESC | USING operador ] [, ...] ]\n"
" [ LIMIT { contador | ALL } ]\n"
" [ OFFSET início ]\n"
" [ FOR { UPDATE | SHARE } [ OF nome_tabela [, ...] ] [ NOWAIT ] [...] ]"
#: sql_help.h:425
msgid "change a run-time parameter"
msgstr "muda um parâmetro em tempo de execução"
#: sql_help.h:426
msgid ""
"SET [ SESSION | LOCAL ] configuration_parameter { TO | = } { value | 'value' "
"| DEFAULT }\n"
"SET [ SESSION | LOCAL ] TIME ZONE { timezone | LOCAL | DEFAULT }"
msgstr ""
"SET [ SESSION | LOCAL ] parâmetro { TO | = } { valor | 'valor' | DEFAULT }\n"
"SET [ SESSION | LOCAL ] TIME ZONE { zona_horária | LOCAL | DEFAULT }"
#: sql_help.h:429
msgid "set constraint checking modes for the current transaction"
msgstr "define os modos de verificação das restrições na transação atual"
#: sql_help.h:430
msgid "SET CONSTRAINTS { ALL | name [, ...] } { DEFERRED | IMMEDIATE }"
msgstr "SET CONSTRAINTS { ALL | nome [, ...] } { DEFERRED | IMMEDIATE }"
#: sql_help.h:433
msgid "set the current user identifier of the current session"
msgstr "define o identificador do usuário atual nesta sessão"
#: sql_help.h:434
msgid ""
"SET [ SESSION | LOCAL ] ROLE rolename\n"
"SET [ SESSION | LOCAL ] ROLE NONE\n"
"RESET ROLE"
msgstr ""
"SET [ SESSION | LOCAL ] ROLE nome_role\n"
"SET [ SESSION | LOCAL ] ROLE NONE\n"
"RESET ROLE"
#: sql_help.h:437
msgid ""
"set the session user identifier and the current user identifier of the "
"current session"
msgstr ""
"define o identificador da sessão do usuário e o identificador do usuário na "
"sessão atual"
#: sql_help.h:438
msgid ""
"SET [ SESSION | LOCAL ] SESSION AUTHORIZATION username\n"
"SET [ SESSION | LOCAL ] SESSION AUTHORIZATION DEFAULT\n"
"RESET SESSION AUTHORIZATION"
msgstr ""
"SET [ SESSION | LOCAL ] SESSION AUTHORIZATION usuário\n"
"SET [ SESSION | LOCAL ] SESSION AUTHORIZATION DEFAULT\n"
"RESET SESSION AUTHORIZATION"
#: sql_help.h:441
msgid "set the characteristics of the current transaction"
msgstr "define as características da transação atual"
#: sql_help.h:442
msgid ""
"SET TRANSACTION transaction_mode [, ...]\n"
"SET SESSION CHARACTERISTICS AS TRANSACTION transaction_mode [, ...]\n"
"\n"
"where transaction_mode is one of:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
msgstr ""
"SET TRANSACTION modo_transação [, ...]\n"
"SET SESSION CHARACTERISTICS AS TRANSACTION modo_transação [, ...]\n"
"\n"
"onde modo_transação é um dos:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
#: sql_help.h:445
msgid "show the value of a run-time parameter"
msgstr "mostra o valor de um parâmetro em tempo de execução"
#: sql_help.h:446
msgid ""
"SHOW name\n"
"SHOW ALL"
msgstr ""
"SHOW nome\n"
"SHOW ALL"
#: sql_help.h:450
msgid ""
"START TRANSACTION [ transaction_mode [, ...] ]\n"
"\n"
"where transaction_mode is one of:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
msgstr ""
"START TRANSACTION [ modo_transação [, ...] ]\n"
"\n"
"onde modo_transação é um dos:\n"
"\n"
" ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ "
"UNCOMMITTED }\n"
" READ WRITE | READ ONLY"
#: sql_help.h:453
msgid "empty a table or set of tables"
msgstr "esvazia uma tabela ou um conjunto de tabelas"
#: sql_help.h:454
msgid "TRUNCATE [ TABLE ] name [, ...] [ CASCADE | RESTRICT ]"
msgstr "TRUNCATE [ TABLE ] nome [, ...] [ CASCADE | RESTRICT ]"
#: sql_help.h:457
msgid "stop listening for a notification"
msgstr "para de esperar por notificação"
#: sql_help.h:458
msgid "UNLISTEN { name | * }"
msgstr "UNLISTEN { nome | * }"
#: sql_help.h:461
msgid "update rows of a table"
msgstr "atualiza registros de uma tabela"
#: sql_help.h:462
msgid ""
"UPDATE [ ONLY ] table [ [ AS ] alias ]\n"
" SET { column = { expression | DEFAULT } |\n"
" ( column [, ...] ) = ( { expression | DEFAULT } [, ...] ) } "
"[, ...]\n"
" [ FROM fromlist ]\n"
" [ WHERE condition ]\n"
" [ RETURNING * | output_expression [ AS output_name ] [, ...] ]"
msgstr ""
"UPDATE [ ONLY ] tabela [ [ AS ] aliás ]\n"
" SET { coluna = { expressão | DEFAULT } |\n"
" ( coluna [, ...] ) = ( { expressão | DEFAULT } [, ...] ) } "
"[, ...]\n"
" [ FROM lista_de ]\n"
" [ WHERE condição ]\n"
" [ RETURNING * | expressão_saída [ AS nome_saída ] [, ...] ]"
#: sql_help.h:465
msgid "garbage-collect and optionally analyze a database"
msgstr "coleta lixo e opcionalmente analisa um banco de dados"
#: sql_help.h:466
msgid ""
"VACUUM [ FULL ] [ FREEZE ] [ VERBOSE ] [ table ]\n"
"VACUUM [ FULL ] [ FREEZE ] [ VERBOSE ] ANALYZE [ table [ (column "
"[, ...] ) ] ]"
msgstr ""
"VACUUM [ FULL ] [ FREEZE ] [ VERBOSE ] [ tabela ]\n"
"VACUUM [ FULL ] [ FREEZE ] [ VERBOSE ] ANALYZE [ tabela [ (coluna "
"[, ...] ) ] ]"
#: sql_help.h:469
msgid "compute a set of rows"
msgstr "computa um conjunto de registros"
#: sql_help.h:470
msgid ""
"VALUES ( expression [, ...] ) [, ...]\n"
" [ ORDER BY sort_expression [ ASC | DESC | USING operator ] [, ...] ]\n"
" [ LIMIT { count | ALL } ]\n"
" [ OFFSET start ]"
msgstr ""
"VALUES ( expressão [, ...] ) [, ...]\n"
" [ ORDER BY expressão_de_ordenação [ ASC | DESC | USING operador ] "
"[, ...] ]\n"
" [ LIMIT { contador | ALL } ]\n"
" [ OFFSET início ]"
#: ../../port/exec.c:194 ../../port/exec.c:308 ../../port/exec.c:351
#, c-format
msgid "could not identify current directory: %s"
msgstr "não pôde identificar diretório atual: %s"
#: ../../port/exec.c:213
#, c-format
msgid "invalid binary \"%s\""
msgstr "binário \"%s\" é inválido"
#: ../../port/exec.c:262
#, c-format
msgid "could not read binary \"%s\""
msgstr "não pôde ler o binário \"%s\""
#: ../../port/exec.c:269
#, c-format
msgid "could not find a \"%s\" to execute"
msgstr "não pôde encontrar o \"%s\" para executá-lo"
#: ../../port/exec.c:324 ../../port/exec.c:360
#, c-format
msgid "could not change directory to \"%s\""
msgstr "não pôde mudar diretório para \"%s\""
#: ../../port/exec.c:339
#, c-format
msgid "could not read symbolic link \"%s\""
msgstr "não pôde ler link simbólico \"%s\""
#: ../../port/exec.c:585
#, c-format
msgid "child process exited with exit code %d"
msgstr "processo filho terminou com código de saída %d"
#: ../../port/exec.c:588
#, c-format
msgid "child process was terminated by signal %d"
msgstr "processo filho foi terminado pelo sinal %d"
#: ../../port/exec.c:591
#, c-format
msgid "child process exited with unrecognized status %d"
msgstr "processo filho terminou com status desconhecido %d"
| 42,586 |
https://sw.wikipedia.org/wiki/Kikulung%20%28Nepal%29 | Wikipedia | Open Web | CC-By-SA | 2,023 | Kikulung (Nepal) | https://sw.wikipedia.org/w/index.php?title=Kikulung (Nepal)&action=history | Swahili | Spoken | 72 | 201 | Kikulung ni lugha ya Kisino-Tibeti nchini Nepal na Uhindi inayozungumzwa na Wakulung. Mwaka wa 2011 idadi ya wasemaji wa Kikulung nchini Nepal imehesabiwa kuwa watu 33,200. Idadi ya wasemaji nchini Uhindi haijulikani. Kufuatana na uainishaji wa lugha, Kikulung iko katika kundi la Kikiranti.
Viungo vya nje
lugha ya Kikulung kwenye Multitree
makala za OLAC kuhusu Kikulung
lugha ya Kikulung katika Glottolog
lugha ya Kikulung kwenye Ethnologue
Lugha za Nepal
Lugha za Uhindi | 21,937 |
https://github.com/raimdtu/PlayAsyncJavaMongoODM/blob/master/blogService/app/asynMongoODM/utils/InvokeGetterSetter.java | Github Open Source | Open Source | Apache-2.0 | 2,016 | PlayAsyncJavaMongoODM | raimdtu | Java | Code | 211 | 505 | package asynMongoODM.utils;
import play.Logger;
import java.beans.IntrospectionException;
import java.beans.PropertyDescriptor;
import java.lang.reflect.InvocationTargetException;
/**
* Created by roshan on 18/03/16.
*/
public class InvokeGetterSetter {
public static void invokeSetter(Object obj, String variableName, Object variableValue){
/* variableValue is Object because value can be an Object, Integer, String, etc... */
try {
/**
* Get object of PropertyDescriptor using variable name and class
* Note: To use PropertyDescriptor on any field/variable, the field must have both `Setter` and `Getter` method.
*/
PropertyDescriptor objPropertyDescriptor = new PropertyDescriptor(variableName, obj.getClass());
/* Set field/variable value using getWriteMethod() */
objPropertyDescriptor.getWriteMethod().invoke(obj, variableValue);
} catch (IllegalAccessException | IllegalArgumentException
| InvocationTargetException | IntrospectionException e) {
Logger.error("Setter has not been associated with "+obj+" with variable "+variableName);
}
}
public static Object invokeGetter(Object obj, String variableName){
Object variableValue =null;
try {
/**
* Get object of PropertyDescriptor using variable name and class
* Note: To use PropertyDescriptor on any field/variable, the field must have both `Setter` and `Getter` method.
*/
PropertyDescriptor objPropertyDescriptor = new PropertyDescriptor(variableName, obj.getClass());
/**
* Get field/variable value using getReadMethod()
* variableValue is Object because value can be an Object, Integer, String, etc...
*/
variableValue = objPropertyDescriptor.getReadMethod().invoke(obj);
} catch (IllegalAccessException | IllegalArgumentException
| InvocationTargetException | IntrospectionException e) {
Logger.error("Getter has not been associated with "+obj+" with variable "+variableName);
}
return variableValue;
}
}
| 49,185 |
1996LIL10073_3 | French-Science-Pile | Open Science | Various open science | 1,996 | Nouveaux dérivés de bismuth et plomb à anions tétraédriques : synthèse, stabilité, caractérisations structurale et spectroscopique | None | French | Spoken | 7,502 | 13,172 | 82 1 ~ 1 0,5
Pb0:0
,5
Bi 2
0 3
PbO =~ PbO +Biz03
7 1
Figure 111.5 : Diagramme ternaire Pb0-Bi20 3-V2 0 5 (détail), limites de domaine de solution solide de type sil/énite 83
111.3.2. Comportement thermique
Il convient de souligner que ces phases de type sillénite ont été obtenues par trempe à l'air comme dans le système Pb0-Bi 20 3. Il s'avère donc nécessaire d'étudier leur comportement en fonction de la température. Parmi tous les échantillons synthétisés, deux ont été choisis en raison de leur. "t,e avec 1a 1·1gne d,efi1me. par 1e rappo rt prox1m1 PbO Pb0+Bi 20 3 = -1 7 a' 1aque Il e appa rt"1ent Bi 12 Pb0 19. Il s'agit des compositions 0,825 Bi 20 3 : 0,135 PbO: 0,040 V20 5, signalée par un triangle sur le diagramme, et 0,800 Bi20 3 : 0,135 PbO : 0,065 V20 5, notée à l'aide d'un cercle sur la figure 111.5. Ceci permet d'étudier l'influence de l'introduction de V 20 5. Ces deux compositions seront nommées par la suite à l'aide de leur taux de Bi 20 3 x= 0,825 et x= 0,800. Bi 12 Pb0 19 correspond à x= 0,857. Les ATD des compositions x= 0,825 (figure 111.6) et x= 0,800 présentent au chauffage un petit pic endothermique avant la fusion. Le thermodiffractogramme de la composition x = 0,825, figure 111.7, montre nettement l'apparition progressive des raies de la forme cfc. Sur le thermodiffractogramme de la composition x = 0,800 (figure 111.8), ces raies sont également observées , bien que moins intenses. Les résultats sont récapitulés dans le tableau 111.1. Tableau 111.1 : Températures de transformation de trois sillénites du diagramme ternaire x 0,857 (Bi 1zPb01g) 0,825 0,800 Source Apparition de la forme cfc CC) Fusion (°C) [9] 690 725 ATD 705 865 Thermodiff. 708 ATD 745 Thermodiff. ~765 84 875 -() 0 1 0 ~ - -1 r.....o -2 Q) -4 Q) "'0 Q) 0 -5 ~ -7!Ë -8 ::::J •Q) c. -3 E c: •Q) "'0 ~ ~ ~ - -6 -9 0 100 200 300 400 500 600 700 800 900 température (°C)
Figure Ill. 7. : Thermodiffractogramme de x = 0, 825 Figure /11.8. : Thermodiffractogramme de x= 0,800 85
La présence simultanée des formes cfc et cc peut être due à une cinétique de transformation lente. Des diagrammes de diffraction X du composé x =0,800 ont été enregistrés à 810°C toutes les heures pendant cinq heures puis toutes les 2 heures et demie. Ils sont présentés sur la figure 111.9. Les réflexions attribuées à la forme cfc sont indexées. Les raies du porte-échantillon en platine apparaissent également sur les diagrammes. L'évolution de l'intensité de trois raies de la forme cfc en fonction du temps est présentée sur la figure 111.1 O. Leur intensité relative est évaluée par rapport à la réflexion la plus intense de la forme sillénite. On constate que si cette dernière ne disparaît pas totalement, la formation de la cfc se fait lentement cependant avec le temps.
'--........__-"---"--30 27,5 "----"---"---'"'25 '------...,...__............. 2 2,5 '---_,..___--"--2 0 __~~.J'-_ 25 30 45 35 50 55 60
Figure 11/.9. : Diffractogrammes X de x= 0,825 à 810°C en fonction
du temps (heures) ; o platine ; x cfc 86 65 100 1 80 --- -o-200 --<>-220 :0::R 60 •Q)...... "Ci) c: l 1
J L
-
~-----
1 --o-222 40 $ c: 20 0 0 5 10 15 20 25 30 Temps (heures)
Figure Ill. 10 : Evolution de l'intensité relative de certaines raies caractéristiques de la forme cfc en fonction du temps, à 810°C
Des mesures de conductivité ont également été réalisées. Elles sont présentées sur la figure 111.11.
0.5 0 2 1 2.5 ~~~~~~~~~~~~~~-r~~~~~~ -1
1000
750 600 500 400 300 250 200 150 température CC) -2 ";"E-3 (.) - 00:-4. i-;x-~-68571 b 0>-5 - 0 Ea,.,1,2 eV'' 1 x= 0,8251 1 â x= 0 800 1. ·'J ---6 1 -7. - 0 -8 ~--------------------------------------~
Figure 111.11 : Diagramme d'Arrhénius de la conductivité pour trois sillénites
87
Comme pour Bi 12 Pb0 19, les phases substituées contenant du vanadium manifestent un comportement de type semi-conducteur. La présence de ce dernier diminue la conductivité d'un demi ordre de grandeur. Par contre, les énergies d'activation, sont comparables, de l'ordre de 1,2 eV. L'apparition de la forme cfc n'est toutefois pas décelée. Ceci peut paraître surprenant car les températures maximales de mesure correspondent à des valeurs pour lesquelles la transformation en cfc est partielle pour les échantillons x = 0,800 et x = 0,825. Cependant, les mesures effectuées antérieurement ont montré que le mécanisme de conduction devient de type ionique lors de la transition sillénite ~ fluorine. Il en est vraisemblablement de même dans le cas des échantillons contenant du vanadium mais la persistance d'une quantité non négligeable de sillénite pourrait jouer dans ce cas un rôle bloquant vis-à-vis des ions 0 2-, empêchant ainsi l'observation de l'accroissement de conductivité devant normalement accompagner la transition. 111.3.3. Conclusion
L'introduction de vanadium dans Bi 12 Pb0 19 conduit à un agrandissement du domaine d'existence en température de la phase cfc mais il s'agit ici d'une coexistence avec la forme sillénite, cubique centrée. Cette forme étant stable, il s'agit d'un domaine de solution solide de Bi 12 Pb0 19, au moins à proximité de la • 11gne PbO PbO +Bi 2 0 = 3 1 7 On connaissait déjà l'existence de nombreux oxydes de bismuth mixtes, de type sillénite, avec un métal autre que le bismuth. Il s'agit ici d'un exemple de composés contenant deux autres métaux, de formulation Bi 12 (1-y)Pb 1.
yV2y0 19_14y y :::
;
_!
, 3 c'est-à-dire
x
=0,800.
88
111.4. Les composés définis originaux 111.4.1. Le système binaire PbO-BiV04
Les compositions étudiées correspondent à la formule Pb 1_xBixVx0 1+3xavec x variant de 0 à 1. Des synthèses ont été réalisées sur cette ligne du système ternaire afin de rechercher l'existence éventuelle d'une solution solide de type PbBiV0 5 (x = 0,5). Deux nouveaux composés définis ont été identifiés, qui ne sont pas signalés par Jie et al. [47]. Il s'agit de Pb4 BiV08 (x = 0,2) et Pb 2 BiV06 (x = 1/3 ). Le tableau 111.2 présente les compositions des différentes phases du système binaire PbOBiV04, formulées Pb 1_xBixVx01+3x·
Tableau 111.2: Compositions du système binaire Pb0-BiV04
x Phase
s identifi
ées x=O PbO 0 <x< 0,20 PbO + Pb 4 BiV0 8 x= 0,20 Pb 4 BiV0 8 0,20 <x< 1/3 Pb4 BiV08 + Pb2 BiV06 x= 1/3 Pb 2 BiV0 6 1/3 <x< 0,50 Pb 2BiV06 + PbBiV0 5 x= 0,50 PbBiV0 5 0,50 <x< 1 PbBiV0 5 + BiV0 4 x=1 BiV04
89 Il existe donc trois composés définis pour ce système binaire, qui peuvent s'écrire nPbO-BiV04, n = 1, 2 et 4. Ils sont reportés sur le diagramme ternaire de la figure 111.12.
PbBiV0 5 Pb 2 BiV06 PbO
Figure 111.12 : Composés définis du système binaire PbO-BiV04, représentation dans le diagramme ternaire
Des synthèses réalisées dans le système ternaire ont montré qu'il n'existe pas de solution solide autour des nouveaux composés caractérisés, ni autour de PbBiV0 5. 90 11
1.4.2.1. Caractérisation à température ambiante
Un diagramme de poudre a été enregistré sur le diffractomètre automatique Siemens 05000 de 12 à 65° en 29, par pas de 0,02° avec un temps d'intégration de quinze secondes. Les valeurs des angles de Bragg ont été affinées grâce au logiciel Profile Fitting. Le programme d'indexation automatique TREOR [26] propose une maille de symétrie triclinique dont les paramètres indexent parfaitement le diagramme de poudre. Après affinement par méthodes des moindres carrés, on obtient:
a
=6,221
(2)A a
=
10
0,40(3) b = 7,603(5)A J3=102,18(2t c = 10,457(4)A y = 90,03(3) 0 0
Après plusieurs essais de synthèse, un monocristal a été obtenu par fusion et refroidissement lent d'une petite quantité de Pb4 BiV0 8 en nacelle d'or. Un test réalisé sur diffractomètre CAD4 confirme ces paramètres de maille. La faiblesse des intensités diffractées n'a pas permis d'entreprendre la résolution structurale. La masse volumique a été mesurée sur poudre. Elle est en bon accord avec la masse volumique théorique évaluée sur la base de deux motifs par maille : Pobs. = 8,57 g.cm"3
P
calc. 91
=
8,49 g.cm- 3 Le tableau 111.3 présente le diagramme de diffraction des rayons X indexé. Celui-ci se présente de manière très particulière puisqu'une seule réflexion intense se manifeste. Ceci est probablement imputable à l'existence d'une orientation préférentielle des cristallites dues à l'échantillonnage. En effet, la poudre doit présenter une surface bien plane et est donc lissée sur le porte-échantillon. De plus, le cliché réalisé sur une chambre Guinier-de Wolff présente une répartition plus homogène des és et cette technique minimise d'ordinaire les orientations préférentielles. Tableau 111.3: Diagramme de diffraction X de Pb 4BiV08 h k 0 1 1 0 0 1 0 0 0 1 0 1 1 1 1 2 2 1 1 2 1 0 0 1 0 0 1 1 2 0 0 0 -2 2 0 0 1 1 2 -2 1 d obs. -1 6.599 0 6.071 -1 5.778 1 5.522 2 5.016 1 4.765 -2 4.576 2 3.853 0 3.736 2 3.518 3 3.347 -3 3.244 -1 3.043 1 2.785 3 2.698 -3 2.541 1 2.511 3 2.407 2 2.385 -1 2.369 d cale. 111 0 (%) <1 6.609 6.076 1 5.777 1 <1 5.526 5.023 <1 <1 4.766 <1 4.579 <1 3.852 <1 3.736 3.518 1 100 3.348 3.241 5 3.044 17 2.783 7 2.698 5 2.537 2 2.510 8 2.412 <1 <1 2.386 2.366 <1 92 h 0 1 2 2 1 0 2 3 2 1 1 1 2 0 2 3 1 2 4 2 4 k 2 -2 2 -1 -2 2 1 1 -2 -2 0 -2 1 4 3 3 -1 -1 -1 2 1 1 3 -3 1 3 -4 4 3 1 -4 5 6 -5 4 2 5 -1 6 -6 -1 4 -4 d obs. d cale. 2.291 2.276 2.130 2.044 1.942 1.926 1.904 1.818 1.784 1.744 1.712 1.674 1.656 1.654 1.614 1.590 1.557 1.533 1.522 1.506 1.436 2.292 2.277 2.128 2.044 1.943 1.926 1.904 1.817 1.783 1.744 1.711 1.674 1.657 1.654 1.614 1.591 1.557 1.535 1.523 1.505 1.436 111 0 (%) <1 <1 1 1 1 4 2 3 1 <1 2 <1 <1 1 1 <1 <1 1 1 1 1
111.4.2.2. Evolution en fonction de la température
L'analyse thermique différentielle (figure 111.14) ne présente aucun pic avant l'endotherme de fusion à 780°C. Le cliché du résidu de I'ATD est identique à celui à température ambiante, la fusion est donc certainement congruente. Un thermodiffractogramme (figure 111.15) a été réalisé entre 20 et 750°C sur un échantillon pulvérulent. Aucune modification du cliché n'est observée, ce qui confirme l'absence de transition de phase. Des mesures de conductivité en fonction de la température ont été effectuées sur une pastille frittée à 750°C, de compacité 88%. Le diagramme d'Arrhénius, reproduit figure 111.13, ne montre aucune modification pouvant être attribuée à une transition de phase. Les cycles chauffage-refroidissement successifs sont reproductibles une fois le premier chauffage réalisé. Pb4 BiV0 8 manifeste un 6 comportement de semi-conducteur, la valeur de cr est peu élevée (cr= 2.10S.cm1 à 500°C), l'énergie d'activation est importante (Ea = 1,1 eV).
1 0.5 -3 2.5 2 -~'~~~~~~~~~~~~~~~~+~~~~~ -3.3 -3.6 -....--3.9'5-4.2- 1000 750 600 500 ~-4.5 ~~ b-4.8..Q-5.1 --5.4 -5.7 rn 400 300 1• 0 0 •• 250 200 150 0 température ( C} refroidissement
' L o chauffage!
----------------~-----~ J •• •• -6 L---------------~------------~-------J
Figure l/1.13 : Diagramme d'Arrhénius de la conductivité de Pb 4 BiV0 8 en fonction de la température 93
2.......... -~ () 0 0 -2
.......
co.._ •Q) a. -4 E Q)....... -6 Q) "'0 Q) -8 (.) c ~ •Q)!!:: -10 "'0 100 200 300 400 500 600 700 800 900 température
(
°C)
Figure Ill. 14 : A TD de Pb 4BiV08 20
t ~
.
~.·. 1.,.
,
-'~'I
,
11 l ~'p ~~.·~·~ I't. •, l!f'f·.l- r •·. - l! f ft r ;t f! :H 1..~ 1! d. i!'1 750
Figure Ill. 15. : Thermodiffractogramme de Pb 4 BiV0 8
94
Contrairement à l'habitude et pour des raisons de clarté, l'étude en fonction de la température sera présentée avant l'étude et la caractérisation cristallographique à température ambiante. La composition 2:1 du système binaire PbO-BiV04 correspond à la formule Pb 2 BiV0 6. Synthétisé à 700°C puis trempé à l'air, le cliché X de ce produit est très complexe ; il ne correspond à aucune référence du fichier JCPDS ni à un mélange de phases. 111 De nombreux composés de formule M112 M X0 6 sont connus. Les cations pentavalents X les plus couramment rencontrés sont V5+, P5+, As 5+, Nb5 +, Ta 5+, Sb 5+. Certains adoptent une structure type perovskite : Pb 2 FeNb0 6, Pb 2 NiNb06 [54], Pb 2YbNb0 6, Pb 2 LuTa0 6 [55], d'autres une structure pyrochlore : Pb 2SbNb06 [56], Pb 2 BiTa0 6 [57]. Un grand nombre d'entre eux sont ferroélectriques [58, 59]. Des composés isoformulaires de Pb 2 BiV06 ayant un cation divalent autre que le plomb ont récemment été identifiés : Mg 2 BiX0 6 (X= V [60], P, As [61] ), Cu 2 BiX0 6 (X= V [61], P [62]) ; ceux-ci étant isostructuraux. Le diffractogramme X de Pb 2 BiV0 6 ne correspond à aucun de ces types structuraux.
111.4.3.1. Etude en fonction de la température mise en évidence du polymorphisme
Une ATD (figure 111.16) montre l'apparition, au chauffage, de deux pics endothermiques avant la fusion, qui se produit à 780°C. Au refroidissement, seul un. pic exothermique est visible à 460°C. Le cliché X du résidu en fin d'ATD est 95 identique à celui de la phase initiale. Un thermodiffractogramme (figure 111.17) met en évidence l'existence de trois transitions de phase. Les quatre phases obtenues successivement lors de la montée en température seront appelées a, p, y et o. La trempe de o conduit à a. 2 -- 1 (..) a 0 Q).... 0 ::::1 cu.... •Q) a. E -1 Q) -2 Q) "'C Q) () c ~ -3 ~ •Q) ~ "'C -4 fusion -5 0 100 200 300 400 500 600 700 800 900 température (°C)
Figure Ill. 16 :A TD de Pb 2BiV0 6
a
L'interprétation de ces deux analyses conduit à la séquence de transitions suivante: A 475°C 600°C s: trempe a------~p------~y------~u------~a Les deux pics de I'ATD correspondent aux transitions a transition y ~ o n'est ~ p et p ~ y. La accompagnée d'aucun effet thermique décelable. Le pic exothermique observé au refroidissement correspond à la transition o~ a. Une ATG réalisée à 1oc/mn, de la température ambiante à 700°C, ne montre aucune modification de masse. 96'~ 1,. 1 • 1 1 11
1 ·
1.
i> i! 1: :i :1 i! d! 1 1 j 1 :i Î 1 :1.i " :i ;1 :1 1 1 1 1l
Figure Ill. 17 : Thermodiffractogramme de Pb 2BiV0 6
a
Des essais d'obtention de pastilles par mise en forme de bloc fondu et refroidissement à 1aoC/heure ont été menés dans le but de remédier à la mauvaise tenue mécanique des pastilles frittées à 735°C. Ce but n'a pas été atteint mais le produit, après un tel traitement thermique, prend la forme y. A ce stade, une question se pose : de a ou y, quelle est la forme stable à température ambiante? Il semble que y soit la forme thermodynamiquement stable puisqu'elle est obtenue par refroidissement lent. Mais ceci impliquerait la présence d'un pic exothermique sur I'ATD (figure 111.16) correspondant au retour à l'état stable, alors que uniquement deux pics endothermiques sont observés. En vue d'éclairer ce problème, des analyses complémentaires se sont avérées nécessaires. 97
4.3.2. Stabilité des différentes formes
Analyses therm
iques
de la forme a Une analyse calorimétrique (figure 111.18) a été réalisée au Laboratoire de Chimie du Solide Minéral, Thermodynamique Métallurgique, URA CNRS 158 (Nancy) sur un appareil plus sensible. 120 mW ~V 100 mW ~ 00 mW /. 60 mH./ 40 mli 20 mH 0 mW -20 f.--~ mW 100 c 150 c ~ 200 c ~ 1 1 250 c ~ 300 c ~ ~ - ~ ~ w '/' ~~ -~ 350 t 400 '· 4!iO 1.' sua c •-----=-=-:55o c IJOO c 650 c 700 c 7!:iO'c Figure
Ill. 18 : Analyse calorimétrique de Pb 2BiV06 a (1 0°C
ih) La vitesse de chauffe (1 ooC/h soit 0, 17°C/mn) est du même ordre de grandeur que celle à laquelle a été réalisé le cliché de thermodiffraction X (0,3°C/mn). La courbe présente au chauffage un pic endothermique à 425°C, un pic exothermique à 460°C et un pic endothermique à 635°C. Les trois transitions de phases observées sur le thermodiffractogramme X sont donc bien caractérisées. La convergence des résultats obtenus par ces deux techniques permet de proposer la séquence de transitions 98 Il n'y a qu'un pic exothermique au refroidissement à 460°C, il s'agit selon toute vraisemblance de la transition 8 ~ a. L'ATO décrite précédemment (figure 111.16) et une OSC, présentée sur la figure 111.19, peuvent être interprétées d'une façon cohérente avec cette dernière analyse: L'ATO présente uniquement deux endothermes, l'un à 415°C et l'autre à 475°C. Le premier est relatif à la transition 8 et dans ce cas, la transition J3 ~ a~ p. Le second peut être attribué à J3 y ne se produit pas en raison de la vitesse de chauffage trop rapide ; ou bien il peut correspondre à la transition y exothermique de la transition J3 ~ ~ ~ 8 et le pic y n'est pas visualisé, en raison de son caractère faiblement énergétique. Comme précédemment, le pic à 460°C au refroidissement correspond à la transition 8 ~ a. La OSC présente les mêmes pics et peut être interprétée de manière identique.
4 §' E..._ Q) ::J 0" '+= ·c: 0 ca...... :.a •Q) () "0 3 - 21 0 -1 --2. -3 -4 ·, 0 100 200 300 400 500 température (
°C) Figure Ill. 19 : DSC de Pb 2BiV06 a 99 600 700
Obtention de la forme y à fef11.1Jérature ambiante
Différents traitements thermiques ont été appliqués à Pb 2BiV06 sous forme a afin de déterminer les conditions d'obtention des autres variétés. Ils sont schématisés sur la figure 111.20. Ils sont nommés en fonction de la forme initiale du produit (A pour a et G pour y), de la température maximale de traitement et du mode de refroidissement (TA pour trempe à l'air, RL pour refroidissement lent ( 10°C/h) et FC pour four coupé). Par exemple, A700TA indique que la forme a a été portée à 700°C et finalement trempée à l'air. Le chauffage est toujours réalisé à 100°C/h. Le produit est trempé à l'air à la température indiquée par un tiret, par exemple 460°C dans le cas de G550TA. Lorsque la température maximale atteinte n'est pas la température à partir de laquelle la trempe est effectuée, comme dans le cas précité, le refroidissement de l'une à l'autre est réalisé à 1ooC/h. Pour les recuits et les refroidissements lents, une petite quantité de poudre est placée dans une nacelle d'or. Lorsqu'une trempe à l'air est nécessaire, de la poudre en suspension dans l'éthanol absolu est déposée sur une feuille d'or ; après traitement thermique approprié, celle-ci est plaquée rapidement à la sortie du four sur un carreau de céramique à température ambiante, de façon à améliorer l'efficacité de la trempe.
100 900 800 700 700 700 16 h 700 2h 2h -r r r - 700 2h ----,;;;...;..;... - ---550·---550·--. 550.550-- 6600 0......... ~ :::::J C'1 ------------------,.--- 550 500 ~ r--- 64 h 460.(i) 400 a. -~ 300 200 100 y a. a. a. y a. a. a. y y ~ y 0 900 ~ 0 0,.... ~ 0...J <.9 <i...J 0::: 0:::,....,.... <.9 <i 0 0 0,.... 0 0 ~ 0...J <.9 <.9 ~ 0::: y a. (.) u. 0 0 LO LO LO LO y a 0 LO 1() 1() 1() <i <i -a2o ·· -8208zo· --· --- - 800 -650... 700 2h 6600 0......... ~ 500 ----450--- - ~ :::::J C'1 18 h- •(i) 400 a. -~ 400 15. 400 300 200 100 0 ---------- a. a. y a....... y a....
J...J N1...J 0 N 0 N 0 N <i <i C") 1 0::: co <i'0::: co 0::: co a 0 ~ y y 0 ~ 0 ~ <.9 1() LO '<t y y ~ 0 0 '<t <.9
Figure Ill. 20 : Traitements
thermiques appliqués à Pb 2 BiV0
6 101 y a ~ 0 0 '<t <i
La forme y est obtenue à partir de a. lors des traitements thermiques A820RL1 et 2, A550FC, A550TA et A400TA. Les traitements thermiques A820RL correspondent aux essais de mise en forme de pastille par bloc fondu décrits précédemment. Pour A820RL-1, le tube d'or était placé sous atmosphère ambiante et pour A820RL-2, il était placé dans un tube de silice scellé sous vide. Dans chaque cas, le tube contenait en fin de cycle de chauffe un mélange de poudre et de blocs opaques dont le cliché de diffraction est celui de la forme y. Les traitements A550FC, A550TA et A400TA indiquent qu'un recuit de 23h à 550°C ou de 15 jours à 400°C est nécessaire pour obtenir la forme y à partir de a.. Ces essais ont permis la détermination de certaines conditions d'obtention de y à température ambiante. Dans un premier temps, il faut synthétiser Pb 2 BiV06 sous forme a. puis un recuit de 24h à 550°C permet de l'obtenir sous forme y. Analvses thermiques de la forme y L'ATD (figure 111.21) réalisée à 5°C/mn présente un pic endothermique à 660°C avant la fusion à 780°C, le cliché en fin de cycle est celui de a.. Le pic au chauffage correspond à la transition y ~ ù ; ceci est confirmé par le thermodiffractogramme (figure 111.22) réalisé à 0,3°C/mn. Ce diagramme montre que comme précédemment, la trempe de ù conduit à a.. 102
1 - 0 - -1 ~ -2 ().._ y 0 ::::s...... m..... •Q) a. E Q)...... -3 -4 Q) "'0 Q) -5 (.) c Q)..... -6 •Q)!E "'0 -7 -8 -9'0''''100 200 300 400 500 température CC)
Figure 11/.21: ATD de Pb 2BiV06 y Figure 111.22: Thermodiffractogramme de Pb 2BiV0 6 y 103 600 700 800 900
Afin d'identifier les phénomènes qui se produisent au refroidissement, et d'attribuer avec certitude le pic observé lors des refroidissements à la transition ô ~ a, une ATD a été réalisée avec une succession de deux cycles thermiques à partir du produit sous forme y : on chauffe l'échantillon au-delà de la formation de ô puis il est refroidit jusqu'à environ 200°C ; il est ensuite porté à la fusion et à nouveau refroidit.
-(.) 0 ~ ::J 4 2~ Premier cycle 0 ca '•Q) c. - a E Q) Q) "'C Q) 'Y -6 (.) c: Q) •Q) -8 '-!t: -10 -- "'C -12 0 -(.) 0 ~ ::J ca '•Q) c. E Q)
Q) "'C Q) 100 200 300 400 500 600 700 800 900 température (°C) 42 - Second cycle 0 -2 ~ -4 ~~ -6 - (.) c: ~ •Q)!t: -8 -10 -fusion "'C -12 ~ 0 100 200 300 400 500 600 700 800 900 température (°C)
Figure l/1.23: Cycles d'ATD de Pb 2 BiV06 y: premier cycle (a) et second cycle (b) 104
L'interprétation est faite en comparant les figures 111.16 et 111.23a d'une part et 111.21 et 111.23b d'autre part. Le premier cycle est identique à I'ATD de la forme y. On observe la présence d'un pic exothermique au refroidissement. Le deuxième cycle est identique à I'ATD de la forme a (figure 111.16). Le pic au refroidissement du premier cycle correspond donc à la formation de la forme a. Au cours de cette analyse, le produit a subi les transformations suivantes :
6
35°C a a a 460°C P 415°C liquide 475°C liquide 460°C
Les traitements thermiques G550TA, G550RL, G450TA et G400TA indiquent que la forme y est conservée jusqu'à la température de la transition y ~ 8, quelque soit la durée des recuits et le mode de refroidissement. Le traitement thermique G700TA confirme l'obtention de a à partir de 8 quelque soit la phase initiale. Les traitements thermiques A700RL et G700RL confirment l'attribution du pic observé au refroidissement sur la DSC à 10°C/h à la transition 8 105 ~ a. Conclusion sur le polymorphisme
Ces nombreuses analyses ont conduit au tracé du schéma de la figure 111.24 qui présente l'enthalpie libre des phases en fonction de la température, l'enthalpie libre de la forme y étant prise comme référence. Les températures qui y figurent sont celles de l'analyse réalisée à 1ooC/h ; étant la plus lente, elle est la plus proche de l'équilibre thermodynamique. Il s'agit d'une représentation purement qualitative des résultats obtenus. C'est pourquoi il n'y a pas d'axe gradué pour l'enthalpie libre. Elle constitue simplement une aide à l'interprétation des phénomènes se produisant lors des traitements thermiques. (3........ 0'''"- --- g i -g 'Y r 100 200 300 400 500 température (°C)
Figure l/1.24 : Représentation qualitative de la stabilité des formes allotropiques de Pb 2BiV06 106
Les principales conclusions quant aux transitions de phases sont les suivantes: Au chauffage métastable, irréversible, exothermique métastable, irréversible, exothermique, cinétique très lente entre 425 et 475°C métastable, irréversible, endothermique cinétique lente stable, réversible, exothermique. Au refroidissement lorsqu'il y a eu fusion, refroidissement lent, le faible contact avec l'air ambiant étant limité (produit placé dans un tube). dans les autres cas La plupart des phénomènes se produisant lors du chauffage et du refroidissement de Pb 2 BiV06 sont qualitativement éclairés. Une quantification s'avère aléatoire compte tenu de la faible énergie mise en jeu lors de certaines transitions et du domaine de température étendu des transformations. De plus, ceci ne représente que l'aspect thermodynamique mais la cinétique a également un rôle important qui mérite d'être souligné, d'autant plus qu'elle complique le travail d'interprétation des résultats. Pour mémoire, on peut rappeler le point suivant : 425°C à partir de a, à 10°Cih, la séquence de transition est a 4 ~ y 415°C 475°C alors qu'à 10°C/mn, on a a 4 ~---4 ù. Et surtout : la forme a, métastable, est obtenue par réaction à l'état solide plus aisément que la forme y, stable!
107 111.
4.3.3. Caractérisation cristallographique Les ohases obtenues à température ambiante
Les diagrammes de diffraction des rayons X des poudres a et y ont été enregistrés sur diffractomètre SIEMENS D5000 de 10 à 75° en 28 par pas de 0,02° avec un temps d'intégration de quinze secondes. Les positions des angles de Bragg des réflexions ont été affinées à l'aide du logiciel Profile Fitting. Des essais de détermination de paramètres de maille ont été menés en utilisant le programme d'indexation automatique TREOR [26]. Aucun résultat satisfaisant n'a été obtenu. Des essais de recristallisation ont été effectués à partir de la forme a et de la forme y par fusion en nacelle d'or soudée puis refroidissement lent (2 à 5°C/h). Dans tous les cas, une petite quantité de la préparation était prélevée et broyée afin de réaliser un cliché de poudre : il était toujours identique à celui de la forme a, ce qui est surprenant compte tenu de la vitesse du refroidissement. Aucun monocristal de bonne qualité n'a été obtenu mais des éclats ont été sélectionnés en raison de leur brillance et de leur transparence. Ils ont été testés par une ou plusieurs de ces techniques : • Etude photographique par la méthode du cristal tournant et de Weissenberg • Recherche de maille sur diffractomètre automatique quatre cercles PHILIPS • Recherche de maille sur diffractomètre automatique Kappa Nonius CAD4 108 Quatre d'entre eux ont donné des résultats exploitables, en accord avec la masse volumique mesurée sur poudre a. (Pmesurée = 7,86 g.cm· Ils sont présentés dans le tableau 111.4. Pour mémoire, la masse volumique mesurée sur la poudre de forme y est Pmesurée = 7,71 g.cm- 3.
Tableau 111.4 : Paramètres de maille obtenus par diverses méthodes sur quelques cristaux #1 monocristal Etude paramètres photographique Diffractomètre a= 13,42A b = 23,7A b = 5,58A c = 15,01A c = 7,02A ~ ~ = 111,9° Pcalculée 7,88 7,87 z 32 3 paramètres PHILIPS Diffractomètre a= 14,92A = 101,6° #4 #3 #2 a= 14,93A a= 14,66A b = 5,87A b = 5,82A c = 7,51A c = 7,68A ~ ~ = 101,6° = 100,8° Pcalculée 7,94 7,95 z 4 4 paramètres a= 15,00A a= 7,71A b = 23,5A b = 5,83A c = 15,02A c = 29.01A ~=101,6° NONIUS ~ = 94,3° Pcalculée 7,89 7,87 z 32 8
Ces paramètres de maille permettent tous d'indexer le cliché de poudre de la forme a.. Il est donc impossible de trancher avec ces seules techniques. Mais l'étude photographique du cristal #3 indique qu'il est maclé. En effet, les points du réseau 109 ciproque sont dédoublés à partir de la strate 1 et l'écart entre ces points augmente sur la strate 2. Un échantillon pulvérulent de Pb2 BiV06 de forme a a été étudié par microscopie électronique à transmission. Les clichés de diffraction électronique obtenus sont présentés sur la figure 111.25. Ils indiquent les paramètres de maille suivants:
maille monoclinique ar::::7,7 A br::: 5,9A Cr::: 29A • • • •• • ac • •• • •• • • • •. •.. •. •. +. •> •. • •' • • • • •• •• • • • • • ••• ••. ••• • •• •• •..• 1 • B·.• •. •••
•• •• • • • •• • •• • •• • • • • • • Il ~,... • •
Figure 111.25. :Clichés de diffraction électronique des plans (a, c) et (b, c)
Il semble donc que les paramètres obtenus sur le cristal #4 avec le diffractomètre PHILIPS soient corrects, avec une multiplication du paramètre a par 2. Les valeurs déterminées sur le cristal #2 sont également proches, avec une imprécision plus importante sur l'angle. 110 Après indexation du diagramme de poudre et affinement des paramètres de maille par moindres carrés, les résultats sont les suivants : a = 7,642(6)Â b = 5,812(5)Â ~ = 100,3(1t Pcalc. =8,11 g.cm-3 Z=8 c = 28,85(2)A Le diagramme de diffraction X est présenté dans le tableau 111.5. Tableau 111.5: Diagramme de diffraction X de Pb 2BiV06 a h 1 1 0 1 1 1 1 2 2 1 2 2 2 1 2 2 0 2 2 2 2 1 3 2 3 3 3 1 k 0 0 1 0 1 1 1 1 1 0 1 1 0 0 1 0 2 1 0 1 1 2 0 0 0 0 1 0 1 0 -2 0 4 0 -2 d obs. d cale. 1/1 0 (%) 7.467 7.151 5.752 4.766 4.591 4.516 -4 4.092 -1 3.196 0 3.162 -9 3.107 1 3.081 -4 3.064 -7 3.037 8 3.013 2 2.992 5 2.909 1 2.892 4 2.728 6 2.721 -7 2.695 5 2.601 -4 2.593 -1 2.527 -10 2.487 -6 2.407 2 2.393 -2 2.345 11 2.320 7.519 7.198 5.812 4.754 4.598 4.522 4.067 3.190 3.157 3.114 3.087 3.060 3.041 3.008 2.988 2.904 2.891 2.736 2.716 2.695 2.598 2.588 2.537 2.490 2.399 2.396 2.333 2.317 5 3 15 4 10 11 15 16 100 4 11 71 14 42 7 75 27 5 1 3 4 2 1 2 2 7 3 7 111 h k 2 3 2 1 2 2 1 0 0 4 2 4 3 2 4 4 4 3 4 4 4 2 0 3 3 4 2 3 2 0 2 2 2 2 2 3 3 0 2 0 2 2 1 1 1 1 0 1 0 3 1 1 2 2 0 0 1 1 4 3 -9 -7 5 9 1 2 -4 -10 0 -6 8 -2 -5 2 9 -10 3 -12 5 17 -15 8 1 -18 -18 d obs. d cale. Le programme TREOR [26] a permis de trouver des paramètres de maille indexant la totalité des raies relevées pour les deux formes. Après affinement par moindres carrés, on obtient : pour ~.
à
458
°C maille orthorh
ombi
que a = 8,381 (6)Â b =16,65(1)Â c = 4,859(6)Â Z=4 pour ô, à 650°C maille quadratique M20 a = 12,11 0(2)Â c =11 =9,472(8)Â Z=8
En suivant sur le cliché de thermodiffraction X les modifications d'indexation de certaines raies au cours des transitions de phase, on a pu déterminer les matrices de passage de la forme a aux formes (!:J = 1 2 1 -1 2 1 2 0 1 8 1 4 1 8
(~
:) 112 ~ et ô :
et (~} 0 1
-1
0
4 1
1
0 4 0 2 (~:J
11
1.5
.
Conclusion
Cette première approche du système ternaire Pb0-Bi 2 0 3-V20 5 permet de révéler une partie de sa richesse et de sa complexité. Un domaine de solution solide de type sillénite a été mis en évidence. Son existence montre la possibilité d'associer deux cations à l'oxyde de bismuth au sein de ce type structural. Ceci ne modifie pas de façon sensible la conductivité de la sillénite. A haute température, pour les compositions étudiées, la coexistence systématique de formes cubique à faces centrées (fluorine) et cubique centrée (sillénite) a été observée. Lors des investigations au sein du système binaire PbO-BiV04, deux nouveaux composés définis ont été identifiés. La maille de Pb4 BiV0 8 est de symétrie triclinique, de paramètres
a = 6,221 (2) A; b =7,603(5) A; c = 10,457(4) A; a= 100,40(3t; p = 102. 18(2
t et y= 90,03(3t. Aucune transition de phase n'est identifiée avant la fusion qui se produit de façon congruente à 780°C. Pb 2 BiV06 est plus complexe puisqu'il présente quatre formes polymorphes, dénommées a,p, y et ù. Le caractère métastable des formes a et 13 est mis en évidence. Les formes a et y sont obtenues à température ambiante. Les paramètres 113 de maille de trois de ces formes sur quatre sont déterminés, ainsi que la matrice de passage de l'une à l'autre. Jusqu'à présent, aucun essai de recristallisation n'a donné de résultat acceptable, permettant une résolution structurale sur monocristal, aussi bien pour Pb4 BiV0 8 que Pb 2 BiV06. En effet, lors d'une résolution structurale sur monocristal, les corrections d'absorption seront indispensables car le coefficient d'absorption est élevé (J.lpb 1 2 sivo6 = 773 cmet l-lPb 4 J.l sivo8 = 881 cm1 avec')... (Mo Ka)= 0,7107 Â). Il est donc nécessaire d'obtenir des cristaux de forme géométrique bien définie. Ainsi, la résolution structurale de Pb2 BiV06 sur le cristal #4 n'a pas été amorcée en raison des difficultés rencontrées lors de l'indexation et de la mesure de ses faces. Les essais multiples et infructueux d'obtention de monocristaux non-maclés et de forme géométrique définie montrent la difficulté qu'ont ces deux composés à cristalliser macroscopiquement. Néanmoins, leur caractérisation structurale a pu être entreprise, moyennant la comparaison avec d'autres composés connus. Ceci fait l'objet du chapitre suivant.
114 CHAPITRE IV COMPARAISON STRUCTURALE DES COMPOSES DEFINIS DES SYSTEMES BINAIRES PbO-PbS04 ET PbO-BiV04 115
Introduction Le système binaire Pb -BiV04 comprend trois composés définis nPbOBiV04, n = 1, 2, 4. Un autre système binaire, PbO-PbS04, présente également des composés définis nPbO-PbS04, n = 1, 2, 4 [63]. Dans les deux cas, il s'agit de systèmes binaires entre l'oxyde de plomb et un composé à anion tétraédrique. Ces analogies autorisent à penser qu'il existe des similitudes entre les composés définis eux-mêmes. D'ailleurs, la comparaison entre les composés tels que n = 1, c'est-à-dire PbBiV0 5 et Pb 2S0 5, a déjà été suggérée par Pei-Ling [47]. Dans un premier temps, un bref rappel bibliographique sera fait sur le système binaire PbO-PbS04. Puis la comparaison des composés définis sera présentée.
116
IV.1. Le système binaire PbO-PbS04 : rappels bibliographiques
Les composés du système binaire PbO-PbS04 ont été étudiés depuis 1947 jusqu'à présent car ils se forment dans les accumulateurs au plomb lors de leur fonctionnement [64, 65]. Il existe un composé défini de formule nPbO-PbS04 pour n = 1, 2 et 4. Pour la valeur n = 3, seul le monohydrate 3PbO.PbS04.H 2 0 est stable [64]. Le diagramme d'équilibre de phases proposé par Esdaile est reproduit
figure IV.1 [63]. Loodtr's Jata
960 + 940 920 900 880 (.)860 c§ 0 Vl..a a.. w 8+0 oc :::> t- 8ZO ffi 800 6..0 Q. c( Q... ::!: w 1- 7fl0
650 61.10 1 1+-·Mataotoble 1 dlba10ic l•a.:.l 1 sulfo1• (.t.) 1 1 550 500 -~---·t~~~~~;- 4-:iO j dlbo1ic lcad -44-0 --'----0 10 --zo j 30 J' sulfate CfJ) ------50 -4-0 Mole per 1.e•rl lead •ulfate
Figure /V.1 : Diagramme d'équilibre de phases du système PbO-PbS0 4 Les résultats
concernant chaque
composé sont récapitulés
par la suite. 117 IV.1.1. n =1 : Pb 2S0 5
Ce produit existe dans la nature et est connu sous le nom de Lanarkite. Certains auteurs le nomment sulfate de plomb monobasique [66] ou pentaoxosulfate de plomb [67]. Il est synthétisé couramment par réaction de l'oxyde de plomb PbO et du sulfate de plomb entre 400 et 500°C. Une étude par ATD ne révèle aucune transformation de phase avant la fusion qui se produit à 960°C [66]. Pb 2 S0 5 cristallise dans une maille de symétrie monoclinique dans le groupe d'espace C2/m et ceci a été déterminé par Binnie dés 1951 [68]. La structure a été résolue sur monocristal par Binnie [68] et Sahl [69], ainsi que sur poudre par diffraction des rayons X et par diffraction neutronique à SK par Mentzen et al. [67, 70]. Ce composé est répertorié dans le fichier JCPDS-CDF sous les numéros 712176 etA715873. Les paramètres de maille proposés par Mentzen et al. [70] sont : a= 13,746(3)A b = 5,6964(9)A c = 7,066(1)A p = 115,79(1t Sa structure est décrite comme étant composée de chaînes infinies de tétraèdres (0Pb4 ) parallèles à l'axe b, lesquelles sont reliées entre elles par des tétraèdres (S04 ) à l'aide de ponts Pb-O-S [71].
118 IV.1.2. n= 2 : Pb 3 S0 6
Il existe trois formes allotropiques de ce composé : y, ferroélastique, stable endessous de la température de l'azote liquide ; a, paraélastique, stable jusqu'à 450°C et j3, stable de 620°C à la fusion. Le schéma des transformations est le suivant [72, 73]:
3 y-(2Pb0, PbS04 ) 3 j3-(2Pb0, PbS04 ) -220°C 3a-(2Pb0,
bS04 ) 450°C (4PbO,PbS04 ) + 2(Pb0, PbS04 ) 3j3-(2PbO,PbS04 ) < j3, instable au-dessus de 450°C, se décompose immédiatement en sulfates de plomb monoet tétrabasiques, pour se reformer de façon stable à 620°C. Une étude thermodynamique et cinétique de la transition a ~ j3 a été réalisée par Boher et al. [74]. La forme y est triclinique, de groupe d'espace P1. Sa structure a été résolue sur poudre par diffraction neutronique à 2K et 45K (-271 et -228°C) [75]. Il est à noter que cette forme n'a pas été obtenue pure mais des domaines paraélastiques sont piégés dans la phase ferroélastique. La forme a cristallise dans une maille de symétrie monoclinique, dans le groupe d'espace P2 1fm. Sa structure a été résolue sur monocristal par Sahl [76], 119 1 puis sur poudre par diffraction neutronique à 65 et 300K (-208 et 2rC) par Latrach et al. [77]. La forme 13 est de symétrie orthorhombique. Deux groupes d'espace sont possibles, Cmc2 1 et Cmcm [78] mais la structure a été affinée sur poudre par diffraction X à 700°C dans ce dernier groupe. Les deux structures a et 13 peuvent être décrites comme une succession de doubles chaînes infinies de tétraèdres (0Pb4 ), parallèles à b pour a et à ë pour 13. Comme dans le cas de Pb 2 S0 5, elles sont liées aux tétraèdres (S04) par des ponts Pb-0-S. La structure de y diffère de celle de a par les distances interatomiques ; elle est une distorsion de la maille monoclinique de a [79]. Les paramètres de maille des différentes formes sont regroupés dans le tableau IV. 1. La relation entre a et 13 est décrite par la matrice de passage suivante :
Tableau IV.1: Paramètres de maille des trois formes allotropiques de Pb 3S06 y Référence [75] a 13 [77] [79] [79] Température (K) 45 65 298 973 Echantillon poudre poudre poudre poudre Rayonnement neutrons neutrons RX RX a (À) 7,1474(4) 7,1471(1) 7,1816(3) 9,6782(4) b (À) 5,7578(3) 5,7582(1) 5,7848(2) 11,9565(3) c {À) 8,0465(5) 8,0484(1) 8,0528(3) 6,0940(3) a (o) 89,393(5) 90 90 90 13 (0) 102,260(5) 102,283(1) 102,395(2) 90 y (0) 88,614(4) 90 120 90 90
Seul le monohydrate est stable jusqu'à 150°C [64]. Sa maille est de symétrie triclinique, avec les paramètres de maille suivants [80] : a = 10,228(2) b = 6,367(1) A; c = 7,440(2) A; a= 87,22(3) IV.1.4. n 0 ; A p = 75,34(3t et y= 79,37(2t =4: Pb5S08 A température et pression normales, Pb 5S08 existe sous forme monoclinique avec les paramètres a= 7,365(5)A; b = 11,66(1)A; c = 11,48(1)A et p= 90,96(2t [81]. Ils ont été déterminés sur poudre et une étude sur monocristal a apporté une confirmation de ces résultats. Kuzel [82] a également proposé des paramètres de maille proches. Sahl a étudié un monocristal présentant une surstructure et propose un paramètre a double [83]. Aucune tentative de résolution structurale n'a abouti mais Sahl propose un modèle structural d'après son étude sur monocristal et une analyse comparative des spectres ESCA de nPbO-PbS04, n = 0, 1, 2 et 4 permet de le confirmer [84]. Il est le même que celui des composés n = 1 et 2 ; des chaînes infinies de tétramères (04 Pb 10), soit quatre tétraèdres (0Pb4), sont liées aux tétraèdres (S04) par des ponts Pb-0-S. Une autre forme de ce composé a été identifiée sous une pression comprise entre 20 et 35 kbar et dans une gamme de température allant de 773 à 943 K (500670°C) mais la détermination de ses paramètres de maille n'a pu être menée à son terme [85].
121 IV.2. Comparaison entre les deux systèmes binaires IV.2.1. n = 1 : Pb 2 S0 5 et PbBiV05
Les paramètres de maille des deux composés sont récapitulés dans le tableau IV.2. Les relations entre eux sont décrites par les équations suivantes :
Tableau IV.2: Comparaison des paramètres de maille des composés n =1 a (A) b (A) c (À) a (o) p (0) y C> Groupe d'espace Pb 2S0 5 [67] 13,746(6) 5,6964(9) 7,066(1) 90 115,79(1) 90 C2/m PbBiV0 5 [46] 7,2082(5) 7,2802(6) 5,6203(4) 111,788(5) 95,207(5) 108,717
(5) P1 ou P1 Pei-Ling [47] suggère une correspondance des atomes lourds des deux composés après décalage de l'origine à (-0,27; -0,04 ; -0,60). Les figures IV.2 à IV.4 montrent les liens qui existent entre les structures de ces deux composés. L'enchaînement des tétraèdres (0Pb4 ) parallèlement à b dans la structure du sulfate est comparable à celui des tétraèdres (0Bi 2 Pb 2) dans celle de PbBiV0 5 (figure IV.2). La figure IV.3 réunit les projections parallèles à ces chaînes ; les positions des anions tétraédriques relativement à celles-ci est sensiblement la même dans les deux cas. La différence la plus notable est notée entre les deux représentations de la figure IV.4 : les deux unités formulaires de la
maille
de
Pb 2 S0 5
sont
superposées sur celle de gauche
alors qu'un seul motif compose la maille de PbBiV0 5, à droite. 122
Figure 1V.2 : Comparaison Pb2S00 PbBiV05 ; plan (a, c) Figure 1V.3: Comparaison Pb2S00 PbBiV0 5 ; plan (a, b) S04 Figure /V.4 : Comparaison Pb 2SOs-PbBiV05 ; plan (b, c)
123
Les difficultés rencontrées lors de la caractérisation de ce composé ont été exposées dans le chapitre Ill. Deux des quatre formes de Pb 2 BiV0 6 n'ont pu être obtenues à température ambiante. Plusieurs moyens ont été envisagés et appliqués simultanément afin d'amorcer une caractérisation structurale de ce composé. Des substitutions ont été envisagées. La présence de deux cations ayant un doublet non-liant étant le caractère original à conserver, le vanadium est donc le cation à substituer. Le phosphore et l'arsenic partagent avec cet élément la particularité de pouvoir se situer en environnement tétraédrique avec l'oxygène. Dans un premier temps, le phosphore a été choisi au détriment de l'arsenic car la littérature [61] et l'expérience antérieure en synthèse acquise au laboratoire montrent que l'arsenic(V) est volatil. Par ailleurs, l'emploi de la spectrométrie vibrationnelle permet d'émettre certaines hypothèses quant à l'arrangement structural de Pb 2 BiV0 6.
IV.2.2.1. Substitution du vanadium par le phosphore
Les synthèses ont été effectuées à partir des oxydes PbO et Bi 20 3 traités comme précédemment et de (NH 4hHP04 (Fiuka Chemika, pureté > 99%). Après pesée dans les proportions stoechiométriques, le mélange réactionnel est porté à 280°C pour permettre le départ de NH 3 et de H20 puis à 570°C, chaque traitement étant suivi d'un br . La synthèse est complétée par un recuit à 700oc pendant 124 quatre jours avec broyages intermédiaires puis la composition est trempée à l'air depuis 700°C. | 1,738 |
https://github.com/BaruaSourav/docs/blob/master/samples/snippets/visualbasic/VS_Snippets_Misc/cancellation/vb/objectcancellation1.vb | Github Open Source | Open Source | CC-BY-4.0, MIT | 2,022 | docs | BaruaSourav | Visual Basic | Code | 150 | 345 | ' Visual Basic .NET Document
Option Strict On
' <Snippet2>
Imports System.Threading
Class CancelableObject
Public id As String
Public Sub New(id As String)
Me.id = id
End Sub
Public Sub Cancel()
Console.WriteLine("Object {0} Cancel callback", id)
' Perform object cancellation here.
End Sub
End Class
Module Example
Public Sub Main()
Dim cts As New CancellationTokenSource()
Dim token As CancellationToken = cts.Token
' User defined Class with its own method for cancellation
Dim obj1 As New CancelableObject("1")
Dim obj2 As New CancelableObject("2")
Dim obj3 As New CancelableObject("3")
' Register the object's cancel method with the token's
' cancellation request.
token.Register(Sub() obj1.Cancel())
token.Register(Sub() obj2.Cancel())
token.Register(Sub() obj3.Cancel())
' Request cancellation on the token.
cts.Cancel()
' Call Dispose when we're done with the CancellationTokenSource.
cts.Dispose()
End Sub
End Module
' The example displays output like the following:
' Object 3 Cancel callback
' Object 2 Cancel callback
' Object 1 Cancel callback
' </Snippet2>
| 16,740 |
https://github.com/Berejeck/MeanLine/blob/master/server/db/mongoose.js | Github Open Source | Open Source | MIT | null | MeanLine | Berejeck | JavaScript | Code | 60 | 183 | // This file will handle connection logic to MongoDB
import mongoose from 'mongoose';
Promise = global.Promise;
const db = 'mongodb://localhost/baseline';
mongoose.connect(db, {useNewUrlParser: true, useUnifiedTopology: true}).then(() => {
console.log("Connected to MongoDB succesfully :))) ");
}).catch((e) => {
console.log("Error while attempting to connect to MongoDB. \n");
console.log(e);
});
// To prevent deprecationn warnings
mongoose.set('useCreateIndex', true);
mongoose.set('useFindAndModify', false);
export default {
mongoose
};
| 9,876 |
https://github.com/Windendless/v2ray-core/blob/master/app/dns/udpns.go | Github Open Source | Open Source | MIT | 2,019 | v2ray-core | Windendless | Go | Code | 1,135 | 3,958 | // +build !confonly
package dns
import (
"context"
"encoding/binary"
"sync"
"sync/atomic"
"time"
"golang.org/x/net/dns/dnsmessage"
"v2ray.com/core/common"
"v2ray.com/core/common/errors"
"v2ray.com/core/common/net"
"v2ray.com/core/common/protocol/dns"
udp_proto "v2ray.com/core/common/protocol/udp"
"v2ray.com/core/common/session"
"v2ray.com/core/common/signal/pubsub"
"v2ray.com/core/common/task"
dns_feature "v2ray.com/core/features/dns"
"v2ray.com/core/features/routing"
"v2ray.com/core/transport/internet/udp"
)
type record struct {
A *IPRecord
AAAA *IPRecord
}
type IPRecord struct {
IP []net.Address
Expire time.Time
RCode dnsmessage.RCode
}
func (r *IPRecord) getIPs() ([]net.Address, error) {
if r == nil || r.Expire.Before(time.Now()) {
return nil, errRecordNotFound
}
if r.RCode != dnsmessage.RCodeSuccess {
return nil, dns_feature.RCodeError(r.RCode)
}
return r.IP, nil
}
type pendingRequest struct {
domain string
expire time.Time
recType dnsmessage.Type
}
var (
errRecordNotFound = errors.New("record not found")
)
type ClassicNameServer struct {
sync.RWMutex
address net.Destination
ips map[string]record
requests map[uint16]pendingRequest
pub *pubsub.Service
udpServer *udp.Dispatcher
cleanup *task.Periodic
reqID uint32
clientIP net.IP
}
func NewClassicNameServer(address net.Destination, dispatcher routing.Dispatcher, clientIP net.IP) *ClassicNameServer {
s := &ClassicNameServer{
address: address,
ips: make(map[string]record),
requests: make(map[uint16]pendingRequest),
clientIP: clientIP,
pub: pubsub.NewService(),
}
s.cleanup = &task.Periodic{
Interval: time.Minute,
Execute: s.Cleanup,
}
s.udpServer = udp.NewDispatcher(dispatcher, s.HandleResponse)
return s
}
func (s *ClassicNameServer) Name() string {
return s.address.String()
}
func (s *ClassicNameServer) Cleanup() error {
now := time.Now()
s.Lock()
defer s.Unlock()
if len(s.ips) == 0 && len(s.requests) == 0 {
return newError("nothing to do. stopping...")
}
for domain, record := range s.ips {
if record.A != nil && record.A.Expire.Before(now) {
record.A = nil
}
if record.AAAA != nil && record.AAAA.Expire.Before(now) {
record.AAAA = nil
}
if record.A == nil && record.AAAA == nil {
delete(s.ips, domain)
} else {
s.ips[domain] = record
}
}
if len(s.ips) == 0 {
s.ips = make(map[string]record)
}
for id, req := range s.requests {
if req.expire.Before(now) {
delete(s.requests, id)
}
}
if len(s.requests) == 0 {
s.requests = make(map[uint16]pendingRequest)
}
return nil
}
func (s *ClassicNameServer) HandleResponse(ctx context.Context, packet *udp_proto.Packet) {
payload := packet.Payload
var parser dnsmessage.Parser
header, err := parser.Start(payload.Bytes())
if err != nil {
newError("failed to parse DNS response").Base(err).AtWarning().WriteToLog()
return
}
if err := parser.SkipAllQuestions(); err != nil {
newError("failed to skip questions in DNS response").Base(err).AtWarning().WriteToLog()
return
}
id := header.ID
s.Lock()
req, f := s.requests[id]
if f {
delete(s.requests, id)
}
s.Unlock()
if !f {
return
}
domain := req.domain
recType := req.recType
now := time.Now()
ipRecord := &IPRecord{
RCode: header.RCode,
Expire: now.Add(time.Second * 600),
}
L:
for {
header, err := parser.AnswerHeader()
if err != nil {
if err != dnsmessage.ErrSectionDone {
newError("failed to parse answer section for domain: ", domain).Base(err).WriteToLog()
}
break
}
ttl := header.TTL
if ttl == 0 {
ttl = 600
}
expire := now.Add(time.Duration(ttl) * time.Second)
if ipRecord.Expire.After(expire) {
ipRecord.Expire = expire
}
if header.Type != recType {
if err := parser.SkipAnswer(); err != nil {
newError("failed to skip answer").Base(err).WriteToLog()
break L
}
continue
}
switch header.Type {
case dnsmessage.TypeA:
ans, err := parser.AResource()
if err != nil {
newError("failed to parse A record for domain: ", domain).Base(err).WriteToLog()
break L
}
ipRecord.IP = append(ipRecord.IP, net.IPAddress(ans.A[:]))
case dnsmessage.TypeAAAA:
ans, err := parser.AAAAResource()
if err != nil {
newError("failed to parse A record for domain: ", domain).Base(err).WriteToLog()
break L
}
ipRecord.IP = append(ipRecord.IP, net.IPAddress(ans.AAAA[:]))
default:
if err := parser.SkipAnswer(); err != nil {
newError("failed to skip answer").Base(err).WriteToLog()
break L
}
}
}
var rec record
switch recType {
case dnsmessage.TypeA:
rec.A = ipRecord
case dnsmessage.TypeAAAA:
rec.AAAA = ipRecord
}
if len(domain) > 0 && (rec.A != nil || rec.AAAA != nil) {
s.updateIP(domain, rec)
}
}
func isNewer(baseRec *IPRecord, newRec *IPRecord) bool {
if newRec == nil {
return false
}
if baseRec == nil {
return true
}
return baseRec.Expire.Before(newRec.Expire)
}
func (s *ClassicNameServer) updateIP(domain string, newRec record) {
s.Lock()
newError("updating IP records for domain:", domain).AtDebug().WriteToLog()
rec := s.ips[domain]
updated := false
if isNewer(rec.A, newRec.A) {
rec.A = newRec.A
updated = true
}
if isNewer(rec.AAAA, newRec.AAAA) {
rec.AAAA = newRec.AAAA
updated = true
}
if updated {
s.ips[domain] = rec
s.pub.Publish(domain, nil)
}
s.Unlock()
common.Must(s.cleanup.Start())
}
func (s *ClassicNameServer) getMsgOptions() *dnsmessage.Resource {
if len(s.clientIP) == 0 {
return nil
}
var netmask int
var family uint16
if len(s.clientIP) == 4 {
family = 1
netmask = 24 // 24 for IPV4, 96 for IPv6
} else {
family = 2
netmask = 96
}
b := make([]byte, 4)
binary.BigEndian.PutUint16(b[0:], family)
b[2] = byte(netmask)
b[3] = 0
switch family {
case 1:
ip := s.clientIP.To4().Mask(net.CIDRMask(netmask, net.IPv4len*8))
needLength := (netmask + 8 - 1) / 8 // division rounding up
b = append(b, ip[:needLength]...)
case 2:
ip := s.clientIP.Mask(net.CIDRMask(netmask, net.IPv6len*8))
needLength := (netmask + 8 - 1) / 8 // division rounding up
b = append(b, ip[:needLength]...)
}
const EDNS0SUBNET = 0x08
opt := new(dnsmessage.Resource)
common.Must(opt.Header.SetEDNS0(1350, 0xfe00, true))
opt.Body = &dnsmessage.OPTResource{
Options: []dnsmessage.Option{
{
Code: EDNS0SUBNET,
Data: b,
},
},
}
return opt
}
func (s *ClassicNameServer) addPendingRequest(domain string, recType dnsmessage.Type) uint16 {
id := uint16(atomic.AddUint32(&s.reqID, 1))
s.Lock()
defer s.Unlock()
s.requests[id] = pendingRequest{
domain: domain,
expire: time.Now().Add(time.Second * 8),
recType: recType,
}
return id
}
func (s *ClassicNameServer) buildMsgs(domain string, option IPOption) []*dnsmessage.Message {
qA := dnsmessage.Question{
Name: dnsmessage.MustNewName(domain),
Type: dnsmessage.TypeA,
Class: dnsmessage.ClassINET,
}
qAAAA := dnsmessage.Question{
Name: dnsmessage.MustNewName(domain),
Type: dnsmessage.TypeAAAA,
Class: dnsmessage.ClassINET,
}
var msgs []*dnsmessage.Message
if option.IPv4Enable {
msg := new(dnsmessage.Message)
msg.Header.ID = s.addPendingRequest(domain, dnsmessage.TypeA)
msg.Header.RecursionDesired = true
msg.Questions = []dnsmessage.Question{qA}
if opt := s.getMsgOptions(); opt != nil {
msg.Additionals = append(msg.Additionals, *opt)
}
msgs = append(msgs, msg)
}
if option.IPv6Enable {
msg := new(dnsmessage.Message)
msg.Header.ID = s.addPendingRequest(domain, dnsmessage.TypeAAAA)
msg.Header.RecursionDesired = true
msg.Questions = []dnsmessage.Question{qAAAA}
if opt := s.getMsgOptions(); opt != nil {
msg.Additionals = append(msg.Additionals, *opt)
}
msgs = append(msgs, msg)
}
return msgs
}
func (s *ClassicNameServer) sendQuery(ctx context.Context, domain string, option IPOption) {
newError("querying DNS for: ", domain).AtDebug().WriteToLog(session.ExportIDToError(ctx))
msgs := s.buildMsgs(domain, option)
for _, msg := range msgs {
b, _ := dns.PackMessage(msg)
udpCtx := context.Background()
if inbound := session.InboundFromContext(ctx); inbound != nil {
udpCtx = session.ContextWithInbound(udpCtx, inbound)
}
udpCtx = session.ContextWithContent(udpCtx, &session.Content{
Protocol: "dns",
})
s.udpServer.Dispatch(udpCtx, s.address, b)
}
}
func (s *ClassicNameServer) findIPsForDomain(domain string, option IPOption) ([]net.IP, error) {
s.RLock()
record, found := s.ips[domain]
s.RUnlock()
if !found {
return nil, errRecordNotFound
}
var ips []net.Address
var lastErr error
if option.IPv4Enable {
a, err := record.A.getIPs()
if err != nil {
lastErr = err
}
ips = append(ips, a...)
}
if option.IPv6Enable {
aaaa, err := record.AAAA.getIPs()
if err != nil {
lastErr = err
}
ips = append(ips, aaaa...)
}
if len(ips) > 0 {
return toNetIP(ips), nil
}
if lastErr != nil {
return nil, lastErr
}
return nil, dns_feature.ErrEmptyResponse
}
func Fqdn(domain string) string {
if len(domain) > 0 && domain[len(domain)-1] == '.' {
return domain
}
return domain + "."
}
func (s *ClassicNameServer) QueryIP(ctx context.Context, domain string, option IPOption) ([]net.IP, error) {
fqdn := Fqdn(domain)
ips, err := s.findIPsForDomain(fqdn, option)
if err != errRecordNotFound {
return ips, err
}
sub := s.pub.Subscribe(fqdn)
defer sub.Close()
s.sendQuery(ctx, fqdn, option)
for {
ips, err := s.findIPsForDomain(fqdn, option)
if err != errRecordNotFound {
return ips, err
}
select {
case <-ctx.Done():
return nil, ctx.Err()
case <-sub.Wait():
}
}
}
| 30,433 |
sixtyyearsinscho00teviiala_12 | US-PD-Books | Open Culture | Public Domain | null | Sixty years in a school-room: | None | English | Spoken | 7,473 | 10,022 | Camp-meeting was usually the time selected by all the mothers of the country around to have their children baptized, making the occasion as public as possible; and many thought they could give no greater evidence of devotion to the Church, nor evince greater respect and esteem for their presiding minister than to give their boys his name. I was told recently, by a friend, that my husband, while traveling the Holston District, baptized not less than twenty at one camp-meeting that were named for himself — a severe test, I am sure, of his modest humility, and no matter for boasting, for I never heard him speak of it. The closing scenes of this meeting, the last we attended in Virginia, away off from the busy haunts of men, amid the wild and rugged scenery of Wythe County, can never be forgotten. Many of the old Christians seemed to tread upon the very threshold of heaven, their souls holding meet communion with God, while many hearts overflowed with rapture unexpressed, save in the thrilling hymn and the bursting eloquence of sobs and tears. The aged forest bowed its lofty head in reverence and waved its trembling arms on high as if to join in the general praise to the great Creator. How deep the well-spring of eternal love! Oh, that we might drink more of these pure waters while on earth! I had often heard of that sanctified love, which lifts the soul so far above this world as to give it a glimpse of the green vales and still waters of that celestial paradise promised to the children of God. I doubted it before, I be- lieved it then. 274 JULIA A. TEVIS. CHAPTER XXII. THE green glories of Summer were fast fading into the sober hues of Autumn when the absent family returned to "The Meadows," and the time of our de- parture drew near. I longed to go to my Kentucky home, but dreaded leaving my Virginia friends. I vis- ited again and again each familiar nook and glen — hal- lowed spots where I had so often enjoyed a book or indulged in those pleasing dreams that creep impercep- tibly into the heart and hold the imagination entranced in delightful, irresistible delusions, full of rapture, variety, and beauty. My footsteps lingered beside the spring- brook — the sweetest that "ever sang the sunny hours away;" I wandered through the quiet garden, among those brilliant Autumn flowers whose rich colors I had often admired on the very verge of Winter, and inhaled for the last time the aromatic breath of many fragrant herbs which I had found here and nowhere else. My eyes rested, for the last time, upon the misty ridge in the blue distance, up whose rugged sides I should never climb again to gather the blooming laurel and the wild honeysuckle that looked so lovely in the dancing sun- beams, and upon whose brow the daylight loved to linger. I knew not, up to the hour of parting, how much it would cost me to sever the ties that bound me to my Abingdon friends. I particularly regretted that Mary's unfinished education must be completed by another, who. SIXTY YEARS JN A SCHOOL-ROOM. 275 I feared, would neither understand her capacity nor love her as I did. Young as she was, she was capable of the strongest attachments. I had been her almost constant companion for three years, and had never noticed more than a passing shadow cloud her brow ; but now that she anticipated a separation for years, and perhaps for life, from one whom she had learned to love with a confiding affection, she was dissolved in tears and felt a sorrow hitherto unknown. My mind frequently reverts to Mary and her little cousins, coming up to my idea of happy childhood. Their voices were the very echo of joyous thoughts. No dark- ness pervaded the household that was not dissipated by the sweet smiles and merry voices of these lovely children. My heart was fully satisfied with the lot I had chosen, and perfectly stayed upon ' ' that best earthly friend whom God had given me," but my cup of happiness was dashed with a taste of bitterness that belongs to this probationary state; and, so sorrowful was I at being separated from those whose kindness was now like a living picture before me, that for the time I could not rejoice in the bright- ness of my future prospects. Days, months, and years have rolled on, new scenes and new situations have occupied my busy mind ; but the associations, thoughts, and experiences, "linked by a hidden chain" to this period of my life, and "lulled in the countless chambers of the brain," can never be ob- literated. "Awake but one, and, lo ! what myriads arise!" A moving panorama of intense interest passes in review. Precious forms, that have long rested in the deep shadows of the grave, start into life before me pale, purified, passionless as the angels of heaven, faces beam- ing with love and eyes kindling with spiritual beaut)-, 276 JULIA A. TEVIS. hallowed presences inciting me to holier thoughts and more fervent aspirations after heaven and immortality. Some of my happiest school-vacations were spent among my friends and relatives in Eastern Virginia, and some of the most sorrowful as well as happiest hours of my life were spent in the south-western part of the State Thus the name to me, like that of the beloved and "beautiful City" to the Jews, is not a mere lifeless ab- straction of the head, but a sacred and delightful image engraven on the heart. 'Tis the soul that gives tenacity to the memory as well as activity to the understanding; and hence it is that Virginia rises before me so distinctly the morning star of memory. I spent no tiresome days packing and repacking. Our limited wardrobe, though sufficient for neatness and com- fort, was easily stored away in a small . trunk which just fitted behind the gig, while one still more tiny served me as a foot-stool. The gig-box comfortably accommodated our few books; thus we had quite enough baggage for our mountain journey. A few friends accompanied us the first day's journey, tarrying all night at Mr. Campbell's, there to bid us a second farewell the next morning. We looked forward to a journey of three hundred miles, but "we dreaded no lion in the way."' The light of God's countenance was upon us. The first day, how- ever, was passed in subdued sadness, mingled with the deepest gratitude, little interrupted by conversation. Memory reviewed the past, and hope was busy weaving golden threads into the web of our future lives. We were traveling onward amidst sublime scenery. Mount- ains clothed with trees whose gorgeous and many-tinted foliage rustled in the Autumn wind. Deep ravines, sil- SIXTY YEARS IN A SCHOOL-ROOM. 277 very streams, chestnut trees loaded with their rich fruit just ready for gathering, flinging their shadowy arms far out across our pathway, with occasional sprinklings of wild flowers by the road-side, the stimulating fragrance of pennyroyal and mountain-balm, all seemed combined to steep our senses in pleasant thpughtfulness. Occasion- ally we read while passing slowly over a rocky road, and as we traveled on an average only thirty miles a day, we had time to enjoy, to the fullest extent, the beauties and glories by which we were surrounded. Our brave horse bore himself admirably, not appearing wayworn, because he was well cared for by his master, who never sought his own rest until his horse was properly pro- vided for. The wilderness through which we passed was sparsely settled, yet Mr. Tevis had so often traveled through it that he had friends at every stopping-place, making it unnecessary for us to travel by night. One very sultry day we stopped for dinner at a little wayside tavern, ap- parently lost among the mountains, there being no neigh- bors within many miles. I passed immediately into an inner room for a nap and left Mr. Tevis reading in the vine-covered porch, at one end of which was the bar- room, the rendezvous of all straggling guests. I was soon aroused from my light slumbers by a rough voice uttering the most blasphemous oaths in conversa- tion with his fellows ; and then I heard my husband speak. Listening in breathless silence to his pointed reproof and solemn admonitions to this profane swearer, my heart sank within me for fear of a difficulty in this lonely place. The ruffian, however, made no reply; he seemed dumb with astonishment. My terror may well be imagined, when, called to dinner, I saw a great, rough-looking man, 278 JULIA A. TEVIS. a perfect Anak, with a shock of fiery red hair, and eyes as fierce as burning volcanoes, come in and seat him- self just opposite me. He ate but little; and, though with trembling anxiety, I showed him more than ordinary politeness. He answered in monosyllables, and was con- tinually glancing from under his shaggy brows at Mr. Tevis, who maintained the greatest composure without bestowing on him a word or a look. As we arose from the table I could have screamed in an agony of fear, had I dared, as I saw him take hold of my husband's arm, saying, "Will you walk a piece with me, stranger?" "Certainly, sir," was the reply. They were gone more than twenty minutes — it seemed an hour to me — when I saw them returning, apparently in friendly conversation. Our carriage was at the door, and, as we stepped into it, the man, standing at our horse's head, said, as he gave us a parting wave of his hand, ' ' God bless you, sir, and madam; I wish you a safe journey; I shall never forget." I learned, to my astonishment, that he not only felt the admonition so solemnly given, but took occasion to satisfy his conscience by telling Mr. Tevis that he had a pious, widowed mother, from whom he had been separ- ated many years, who had taught him in early life to read the Bible and reverence his Creator. These instructions had long slumbered in waveless silence, but the words, that day "spoken in season," had stirred the very depths of his soul and brought back the sweet memories of his early childhood, and he said, "God being his helper, he would not only strive to profit by the advice given, but become a praying man and a Bible-reader." That same day, winding up the mountain road, we met, at a most inconvenient place for passing, a wagon and team driven by as surly-looking a fellow as ever SIXTY YEARS IN A SCHOOL-ROOM. 279 cracked a whip. He bawled out, prefacing what he had to say with a vulgar oath, "Get out of the way with that'ar consarn of your'n; my leader's not goin' to pass it ! Get out of the way or I '11 pitch you to the bottom of never," casting his eyes, as he spoke, down a preci- pice which seemed almost fathomless. My heart beat audibly as I seized Mr. Tevis's arm and earnestly begged him not to reply. The ruffian evidently expected a diffi- culty, for he stopped and rolled up his sleeves; but we both bowed politely as our vehicle was turned aside. The man was astonished, evidently touched, for he muttered, as he returned our salutation, "Well, now, you see, I didn't mean to be cross, but hang me if my horses ain't scared now at that queer thing you 're ridin' in ; see how my leader throws back his ears!" His wolfishness was literally broken down, showing that silence as well as a soft answer turneth away wrath. He actually turned his head to look after and warn us of a bad place in the road, wishing us a pleasant journey. We traveled several days through some of the wildest scenery, and some of the most unfrequented portions of our whole country, rarely seeing a plowed field or a cultivated spot; but hill and dale, mountain and valley, with an occasional dwelling surrounded by trees dressed in the gay and bright livery of Autumn. Our hearts, swelling with admiration, acknowledged the beneficence of the Creator of this world, so full of grace, elegance, and sublimity. That same night darkness curtained the hills before we reached the place where we expected to tarry, and we were fain to check up our weary horse before a very 280 JULIA A. TEVIS. uncomfortable looking dwelling. Numerous white-headed urchins met us at the threshold looking as wild as little Arabs. One girl about ten years old was lugging a great baby on her hip, as she hopped along after me with wondering eyes, trying to carry some of my luggage into the only room below, where we found a good looking old man sitting by a bright fire, the most cheerful thing to be seen. He called out to the girl "to take that 'ar baby," which was fretting and screaming at a tremendous rate, "to its mammy." "She won't take it, she's got to git something for the strangers to eat, and she '11 whip me if I go back." A few broken chairs, a family bed, and a deal table constituted the furniture of this parlor, dining-room, chamber and hall ; not even a Yankee clock ticked behind the door. Supper was soon announced, and I sat down with a good appetite to rye coffee, stewed rabbit and biscuit, but alas ! it was soon cut short by finding a dirty yarn string in the first biscuit I opened. Not wishing to interrupt Mr. Tevis' supper, I turned silently away from the table, only to find the mischievous little imps in my work basket. Spools, silk, tape, etc., were tumbled out pell-mell on the floor, one spool being entirely denuded of its thread. "Look 'ere, 'oman, " cried a little five-year-old, "what a nice whirl-i-gig this yere is!" The mother soon flew to my assistance, shook and boxed them all around, flinging one into a corner and another on the bed, leav- ing me to gather up as best I could my goods and chattels. At my request she took a candle and showed me up a rickety stairway into our sleeping apartments, so near the broken roof that the stars peeped through without let or hinderance. A dirty patch-work quilt covered the bed, SIXTY YEARS IN A SCHOOL-ROOM. 281 under which were two blue yarn sheets. What was to be done ? I could not even touch the bed until I had spread a clean pocket handkerchief for my face, and improvised a pair of sheets from some clean clothes in my trunk. And this was a regular stopping place for travelers! "Entertainment for man and beast!" The morning sun found the wayworn travelers on their way to seek a breakfast ten miles ahead, with some Methodist friends well known for their hospitality and excellent fare. The day that closed our journey through the wilder- ness and marked our entrance into the settlements of Kentucky is memorable. Late in the afternoon we reached a solitary mansion standing in the midst of green fields, and in the center of a large yard filled with forest trees. The soft shadows of approaching night were in- vesting everything with a mysterious thoughtfulness. The house stood about half a mile from a deep mountain gorge, through which we did not like to pass after night- fall, and as there was no other house within ten miles, we proposed to spend the night here. Our request was refused upon the plea that there was no room for us. The yard was full of people as a wedding was to take place that evening, and we two poor solitary wayfarers with our little gig and horse could not stay; "it was moonlight, we need not fear," they said, "and we could be better accommodated at the next stopping place." In vain we entreated, urging the weariness of our horse and his unfitness to tread the rocky road before him. One of the bystanders whispered, with a knowing wink at Mr. Tevis, that there was to be a dance; the broad brim and straight coat would be in the way. The rights of hos- pitality to strangers could not be exercised at this place at the expense of pleasure. My heart sank within me at 282 JULIA A. TEVIS. the prospect of passing several hours en route through that lonely ravine; but my husband, in whose piety and prayers I firmly believed, and my never failing faith in God's protecting providence, quieted my fears as onward we went. Already the drowsy tinkling bell was heard, as the sheep-boy whistling leisurely followed his flock to the fold, admonishing us to hasten. The last rays of the setting sun had vanished, the rocks, and dells, and se- cluded places began to darken in the glow of twilight; but in a short time the beams of a full moon, reflected from the gigantic cliffs and distant tree tops, silvered every object they touched, mellowing, softening, spiritu- alizing the realities around us into airy creations. The winds were asleep and the moonlight glanced and shim- mered through the trees that clothed the steep sides of the mountain up to the topmost battlements. The road was over the bed of a shallow stream which passed all the way through the gorge, seeming to issue from some exhaustless source, the ripple growing louder as the stillness of the night increased. The horse's hoofs struck against the pebbly bottom of the mountain stream, the valley rang with the echo, and we caught the faint return made by the more distant hills. The softness and beauty of this moonlight night, combined with the mysteri- ous wildness of the scenery, made glorious revelations to our devotional hearts; yes, sweet and solemn revelations through light and shade, with prophetic intimations of the still brighter glories that lie beyond, reminding me now of those beautiful lines : "Man is a pilgrim, spirit clothed in flesh, And tented in the wilderness of time ; His native place is near the eternal throne, And his Creator, God." SIXTY YEARS IN A SCHOOL-ROOM. 283 The works of God never appear so exquisitely beau- tiful as amidst silence and solitude. About the hour of ten, as we slowly issued from the deep valley, a light greeted our eyes from the window of a modest dwelling, which we afterward learned was kept burning there all night for the benefit of travelers emerg- ing from this dark gorge. The noise of our carriage- wheels wakened the kind host even before we knocked. A good supper, a comfortable bed, and then a dreamless sleep until awakened in the morning by the industrious family, rendered us oblivious of yesterday's troubles. We were called to breakfast soon after daylight, and before sunrise were again on our way. Mr. Tevis prayed with our hospitable entertainers be- fore leaving. This he never failed to do night and morn- ing wherever we stayed, among friends or strangers. It was, indeed, the general custom of the early Methodist preachers to ask this privilege if not invited. Mr. Tevis never spent an hour on a visit without praying with the family if circumstances permitted; and yet he was neither officious nor presumptuous. Noted for that true polite- ness that springs from the heart, he never deviated from the strictest sense of propriety with regard to others; hence his reproofs, in or out of season, did not give offense. Neither the pen of a ready writer nor the brush of an Italian painter could give even a faint idea of that Sep- tember morning. The glorious orb of day announced his coming by gradually gilding the Eastern sky 'and touch- ing the dark green foliage of the wilderness with his rays of light, gently drawing aside the curtain of the night, that his beams might fall slowly and softly upon the face of the sleeping earth, till her eyelids opened and she went 284 JULIA A. TEVIS, forth again to her labor until the evening. We seemed on the verge of a new world — a world of light and glory. We inhaled new life from the dewy freshness of the balmy atmosphere as we sped rapidly along into the thickly- settled portions of the State. White clouds and great woodlands and purple crests of far-off hills floated into the golden atmosphere of the enchanting scene. The vol- uptuous earth, brimming with ecstasy, poured out songs and odors, leaves like fluttering wings flashed light, and blades of grass grew tremulous with joy. Tranquilizing and gentle emotions, stealing on us unawares, filled our souls with peace, pleasant harbingers of days to come. SIXTY YEARS IN A SCHOOL-ROOM. 285 CHAPTER XXIII. OUR first night, spent among Kentucky relatives, was in the large old family mansion of Mrs. Robert Tevis, near Richmond, Madison County. I was struck with the beauty of the widely-extended lawn in front of the house, shaded with splendid old forest trees flinging their shadows far out upon the soft sward; the branches lifted and fell with a fanning motion to the evening breeze; and, here and there, a bird was singing her fare- well to the sun as we passed over the stile. I have often wondered why people in the West either select a building spot where there are no trees, or else cut down the natural growth and plant stunted evergreens all about their dwellings. The grounds around this place presented a beautiful contrast, reminding one of some old baronial residence, so frequently described in English books. The beauty of departed Summer still shone on garden and meadow, draping in gorgeous splendor the whole landscape. The woodland pastures of blue grass were green enough to be refreshing to the eye, while the adjacent forest was one mingled mass of orange, brown, and crimson; and the coral berry of the mountain ash gleamed brightly among the fading leaves. Mrs. Tevis was a true type of widowhood. Her soft brown eyes were filled with tears as she embraced me; and her sweet, quiet face, seen beneath her modest cap, I often call to remembrance. From all that I saw and afterwards heard, she possessed an angelic spirit. The 286 JULIA A. TEVIS. light of a heavenly hope beamed in her eye — a hope brought from her closet. She made God her salvation, and to her was the promise, "With joy shalt thou draw water out of the wells of salvation." She had suffered much from bereavements, and her soul was doubtless purified "as by fire." And of what avail is affliction if it does not soften and purify the heart? Why are those called blessed that mourn, if it is not that they learn the bitter lesson that grief alone can teach? Our friends would gladly have detained us several days. Finding we could not tarry now, they urged us to return at some convenient season. Our hearts said, Yes, but circumstances never rendered it practicable. In after years, however, the bond of friendly relationship was renewed and strengthened by my having many of her grandchildren in my school. With a bounding heart and excited imagination, I continued my journey the next day. Before another sunset I should see all I held most dear on earth, to- gether. We did not stop to dine. Thus, early in the afternoon, we entered the woodlands of my uncle's farm. My eyes wandered continually in search of some familiar spot of my child-life. A sudden turn in the road brought into view the round-topped sugar-tree, "whose brow in lofty grandeur rose," crowned with a magnificent dome of emerald leaves, tinged with the rich hues of Autumn; here and there a ray of sunshine strayed through some crevice in the thick foliage, casting a golden light upon the dark green moss beneath. I hailed the old patriarch with delight, sacredly asso- ciated in memory with my childhood's home, a guiding star in former days to the wandering hunter. It rose far above the heads of its forest brethren, and was the com- SIXTY YEARS IN A SCHOOL-ROOM. 287 pass by which land navigators steered their course through the tangled cane-brake and the dreary wilderness, and it still stands — 1864 — the cynosure of all the surrounding settlement. I gazed on it with tearful eyes, and thought how, as a merry-hearted child, I had played around its base; and an involuntary pang darted through my heart as I remembered the many loving faces I should now miss from my father-land. Most of the old landmarks had been swept away; the pawpaw bushes were gone; the double line of cherry- trees that formed an avenue from grandfather's to my Uncle Gholson's white cottage on the hill, under which I had so often stood holding up my little check apron to receive the clustering cherries thrown down by brothers and cousins, were no longer there. A slight shower in the forenoon had filled the woods with fragrance, and the pattering raindrops, occasionally falling from the over- hanging branches, sparkled like diamonds on the tufted grass by the wayside. Chirping birds' hopped blithely among the trees, as if loath to leave their Summer home, while they could enjoy the sweet breeze that wooed them with kisses as it slightly ruffled their glossy feathers. A wizard spell is thrown around the spot where child- hood played. Olden visions, "faintly sweet," passed before me, and dreamy reveries invested my soul with a mysterious joy. There was the same old stile to be crossed before we could enter the yard, even then covered with a living green as soft and rich as in midsummer. There was the quaint old brick house, the first of the kind ever built in Kentucky, with its projecting gables, and its ample door standing wide open to welcome the coming guest; and soon there came a rush of children across the yard, and I was almost smothered with kisses by the dear 288 JULIA A. TEVIS. little ones that looked shyly at the tall stranger standing beside me. I reached the doorstep, and was encircled in my mother's arms, her tears falling like raindrops as she folded me again and again to her heart. In the old fam- ily room many were waiting, who greeted us with the greatest cordiality, making our advent joyous indeed. The next day, the news being spread throughout the neighborhood, a numerous delegation of uncles, aunts, and cousins came to welcome and invite us to partake of their hospitality. The family tree, transplanted from Virginia to Kentucky soil, had lost neither beauty nor glory. Its branches were widespread and flourishing, and from its roots had sprung a thousand ramifications, whence arose many a "roof-tree," affording shelter and protection to wayworn travelers and homeless wanderers. Kentucky, garden -spot of the earth, where bloom- ing beauty scatters flowers through the valley and clothes the hills with verdure, — how I loved thee then, dear native soil! how I rejoiced in thy smiles after an absence of twenty years! And how deeply, fervently, I love thee now, after a residence of fifty years among thy people, and in one of thy most favored spots! I have looked with heartfelt gratitude upon thy broad fields of golden maize, traversed with pride and pleasure thy far- famed blue -grass regions, gazed upon thy stupendous river cliffs, and wandered through the mysterious sound- ings of thy Mammoth Cave, with one whose affectionate heart ever vibrated in unison with my own. My eyes wandered around the best room in search of some familiar objects. The same old clock stood in the corner, ticking its "ever, forever," as regularly as of old; and, near by, the little square table, with its deep drawer, in which my grandmother kept the cakes, baked SIXTY YEARS IN A SCHOOL-ROOM. 289 every Saturday afternoon for the children that generally came with their parents to dine on Sunday. The wide- open fireplace brought to mind the "yule log," Christ- mas fires, and Winter cotton picking. I could almost see the little woolly-headed cotton-gins of olden times, each with a fleecy heap of cotton before him from which to separate the seed, and sundry little grandchildren plying their nimble fingers in the same manner, grand- mother superintending the whole, — the click of her knit- ting-needles, meantime, as uninterrupted as the ticking of the. clock. Our tasks done, cakes, nuts, etc., were distributed, and then followed a game of romps, which my grandfather enjoyed as much as the children! and he could laugh as loud and long as any of us. I recalled old Uncle Billy Bush, of Indian memory, who lived near by and frequently formed one of the merry group, chasing us about the room with his cane. How we all loved to see his ruddy face, so full of intelli- gence and good humor, a lurking jest ever in his eye, and and a smile about the corner of his mouth, with a voice loud enough to hail a ship at sea without the aid of a speaking-trumpet! It was wonderfully rich, too, har- monizing admirably with his blunt, jovial face; and this warm, rosy scene generally closed with an exciting Indian story, in which Daniel Boone figured as well as himself. During our stay here we spent one charming day with "Aunt Franky Billy," the widow of this old uncle, so called to distinguish her from another Aunt Franky, and noted for her good housewifery, as well as her bound- less hospitality. Simple-hearted, right-minded, and pious, she was loved by all who knew her. So free from self- ishness, so liberal, so every thing a nice old lady ought to be, — what a pleasure it was to see her still presiding 290 JULIA A. TEVIS. at her own table, abundantly spread with all that could minister to the most delicate taste, or satisfy the most craving hunger. Indeed, her children sometimes ex- pressed a fear that she would cram some poor wayfaring traveler to death with her good things. Upon 'this occasion she received me with a heart full of love, and testified her honest affection for ''Cousin July Ann's" husband by proffering, with modest polite- ness, the various dishes and savory viands of her bountiful table — all the time apologizing for the meager fare, and thinking nothing good enough for us. We would gladly have remained for weeks with our kind rela- tions, but could only spend a few days; and of the thir- teen widow Bushes in the immediate neighborhood we visited only two. Before leaving, it was definitely arranged that my mother should come to Shelbyville in the Spring, pur- chase a comfortable house, and make it her permanent residence. Here, too, we expected to locate our school. We left early Monday morning, and were now to travel through the celebrated "blue-grass region," represented as ever "bathed in golden dawns or purple sunsets dying on the horizon — the great blue canopy of heaven droop- ing over all like a dream." This, too, was the land illustrated by a thousand scenes as picturesque as they were significant; where, in solitary and rudely constructed forts, that strange, old, rude, poetical, colonial life had gone on. Brave men had struggled, breast to breast, and contended fearfully with the wild beasts that roamed in multiplied thousands over the land. Through a lovely grove we entered the main road leading to Lexington. The air was soft, balmy, genial, the sky of that delicate azure which gives relief to the rich .beauty of the earth, 'S/.\'TY YEARS IN A SCHOOL-ROOM. 291 glowing all around with the ripe, mellow tints of Sep- tember— the finest combination of trees and shrubs, the rarest effects of form and foliage, bewildering the eye with recesses apparently interminable. A subtle fra- grance, developed by the night dews, floated in the air; the lulling music of the branches, swayed by the gentle breath of morning with all these hallowed influences, reminded us, by association, of life's perpetual changes — types of our restless world; while the heavens above, so holy and tranquil, spoke to the heart of that rest prepared for the faithful, where no changes like those of earth ever come. Our horse, too, appeared to feel the beauty of the scenery, for he walked slowly along the highway, snuffing the fragrance of the sweet-scented meadow land, over which roamed flocks and herds — an Arcadian scene of great beauty. Every step of the road I was contrasting the past with the present. Instead of the bounding deer, the dark forest and the rudely-built log house, white dwellings gleamed through clustering shade trees. The approach to Lexington was through a leafy labyrinth leading imperceptibly to a slight elevation, from whence we had the first view of the town, with its mass of roofs and chimneys peeping through the trees. There were no magnificent dwellings, and there was no architectural display in churches; but brick houses, low-roofed cot- tages, with here and there a mansion of more hospitable dimensions. The town was surrounded by woodlands, interspersed with bright green meadows, edging off on every side into fields, orchards, and farms; and in the distance were shadowy hills, indicating the vicinity of the Kentucky River. And this was Lexington, the aristocratic town of the 292 JULIA A. TEVIS. West, of which I had heard so much ! The early chroni- clers state that it stands on the site of an ancient city of great extent and magnificence. Tradition says there once existed a catacomb, formed in the limestone rock, fifteen feet below the surface of the earth, discovered by the early settlers, whose curiosity was excited by the appearance of the stones which covered the entrance to a cavern. Removing these stones they entered the mouth of a cave, apparently deep, gloomy, and terrific. They were deterred by their apprehensions from attempting a full exploration, but found, at no great distance from the entrance, niches occupied by mummies preserved by the art of embalming, in as perfect a state as any found in Egypt. The descent to this cave was gradual; and, by calculation, after proceeding as far into it as they dared, it was supposed to be large enough to contain three thousand bodies; and who knows, says the historian, but they were embalmed by the same race of men that built the pyramids? If not, how shall the mystery be solved? The North American Indians were never known to construct catacombs for their dead, or to be acquainted with the art of embalming. The custom is purely Egyptian, and was practiced in the earliest ages of their national existence. The whites who discovered these mummies, indignant at the outrages committed by the Indians, and supposing this cave to be a burial place for their dead, dragged out the bodies, tore off the bandages, and made a general bonfire of these antiquities — perhaps the oldest in the world. Progress in refinement is necessarily connected with the prosperity of a civilized country, and we might natu- rally have expected to find some specimens of the arts and sciences, exhibited in splendidly decorated edifices, SIXTY YEARS IN A SCHOOL-ROOM. 293 borrowed from the classic taste of Greece, in this town of Lexington, which was certainly not built yesterday, in keeping with Dickens's view of every town he saw in the United States. The first inhabitants had the good sense to see that nothing artificial could improve in form or beauty the sublime works of the Creator, which in de- sign, color, light, and shade, form perfect pictures in the human eye. They erected plain, comfortable dwellings, in the vicinity of which were profusely scattered the beech, the spotted sycamore, the stately poplar, and the graceful elm, whose outer branches drooped with garland- like richness; and the locust was so abundant as to form, at intervals, a mimic forest. The Lexington of 1824, with its enchanting scenes of pastoral beauty left a picture on my memory that remains fresh after the lapse of fifty years. I have vis- ited it at different seasons since, and, though divested of its wild luxuriance of natural scenery, it was still, with its surroundings, the Eden of Kentucky. In the Spring, a paradise of loveliness ; in the Summer, rich in its abun- dance and glorious in its regal robes; in the Autumn, when the dim haze of the departing year hung like a pall over its magnificent woodlands; and, in the Winter, when the Summer birds had left their withered homes and gone to seek a sunnier clime, when the rich flowers had perished, and the blossoms of the valley had found a grave upon the scentless soil that gave them birth, sublimity still clung to it like a garment. The principal street, teeming with foot passengers and carriages, showed that the life-blood of a busy population throbbed healthily and steadily. Kind looks met us in every direction, and the music of cheerful voices fell pleasantly upon the ear. As we did not intend to tarry 294 JULIA A. TEVIS. in town, we drove on till we reached a modest looking house of entertainment in the suburbs, where we stopped for refreshment and to rest our horse for an hour or two. In the vine-covered porch sat the landlord, almost as large as a prize ox, and as jovial looking as Falstaff him- self. We were ushered into a pleasant sitting-room, whence I soon retreated into an adjoining apartment in search of my usual nap before dinner. As the door opened into the room occupied by Mr. Tevis and the landlord, I was kept awake by the following dialogue. Mine host began, — "Been traveling long, sir?" "Several days," was the reply. "Got far to go yet?" "Not very" — a long silence. "Stranger in these parts, sir?" "Not altogether." "The lady with you a relation?" "Yes, sir;" another silence, my husband meanwhile reading diligently. "Ahem! that lady's your cousin, I suppose?" No reply. "Well, sir, won't you take a drink of prime old Cognac?" and suiting the action to the invitation he rose and took a bottle from the closet. "I allers takes a drink afore dinner, and I never charges travelers for a drink or so, specially as I drinks with them," then he laughed loudly. "Thank you," said Mr. Tevis, "I never drink spirits of any kind." "What! not before dinner? Well, I does." He turned up the bottle and drank from it long and largely. "Well, sir, as I was a-sayin', that lady 's your cousin, I SIXTY YEARS IN A SCHOOL-ROOM. 295 'spose ; but she favors you mightily, and may be she 's your sister." No answer. (Desperately). "I say, mister, is she your sister, or your cousin, or your aunt?" "Neither, sir." "Well, if I may be so bold, what is your name, and who is she?" "My name is Tevis, and the lady is my wife," which laconic reply stopped further questioning. Dinner was announced ; and as I met the old brandy- bottle with his red-hot nose face to face, I could scarcely refrain from laughing outright. We were introduced to a tidy little body sitting at the head of the table — the ewe-lamb of this great, good-humored, talkative giant — his wife! She was as refined and gentle in her man- ners as he was coarse and ignorant. How astonishingly ill - assorted ! After dinner we traveled several miles under the shade of overarching trees. It was a calm, pleasant evening, and night brought us to the house of a kind Methodist friend, where my husband had often found a resting-place while traveling the Lexington Circuit, ten years before. We were received with great kindness, and I was an object of special attention, the good lady almost smoth- ering me with kisses. She was the sister of brother Cooper, of Lexington. Sleep was a stranger to my eye- lids during that night, — I was thinking of the next day, which would terminate our journey, when my weary feet, no longer drifting about in search of solid footing, would find a permanent, life-long resting-place. Our ten days' lonely journey had made us both feel that each would strengthen the other in the performance of life's serious 296 JULIA A. TEVIS. duties, and that our pleasures would be doubled by like sentiments and unity of purpose; yet our natural dispo- sitions were dissimilar in many respects. I was laughter- loving, and at times cheerful, almost to levity; he always grave, — yet there was no gloom in that gravity. In- herently of a lofty and generous nature, his face haunted with earnest thought, he seemed eminently fitted to check the too great exuberance of my own spirits. SIXTY YEARS IN A SCHOOL-ROOM. 297 CHAPTER XXIV. fTHHE morning star was shining in a cloudless sky of -•- deepest azure when, after partaking of a hastily pre- pared breakfast, we bade adieu to our hospitable enter- tainers and were on our way to Shelbyville, expecting to arrive there late in the afternoon, as the weather was fine and the roads in an excellent condition. A heavy dew, touched by the frost, stood glistening on every blade of grass, and the mist, gradually vanishing as the sun rose higher, presented, as we moved onwards, a shifting scenery of beautiful landscapes, that would have enrap- tured the eye of a Claude Lorraine. The wild grape, winding its pliant vine among, and clinging tenaciously to, the branches, flung leafy garlands from stem to stem, while the grapes hung in large purple clusters, tempting the hand of the traveler. Towards noon we ascended a gentle acclivity, from whence, at the distance of a mile, we saw Shelbyville, situated on a broken ridge, embowered in foliage, washed %on every side except the west by a creek, which at that time was a deep stream appropriately called "Clear Creek." Just as we emerged from the covered bridge we met my husband's youngest brother on horseback, who had come out to escort us to the house of a mar- ried brother, where many friends awaited us. The Annual Conference, with its mighty mustering of the tribe of Levi, was in session. My husband, now 298 JULIA A. TEVIS. a member of this body, was cordially greeted by the preachers, many of whom were old friends. It was a time of unmingled pleasure and happiness. In the afternoon, a drive of two miles brought us to our father's farm, our home, until we could prepare for house-keeping in the Spring. Quite a bevy of relatives and friends were gathered there also. We were met at the gate by "father," a venerable-looking man, his head white with the snows of seventy Winters, but with a com- plexion as hale, a step as firm and elastic, as if in the meridian of life. He wore the costume of '76. Bright shoe-buckles, highly-polished shoes, long stockings, knee breeches with silver buckles, a long buff waistcoat, round coat and straight collar, brought up the memory of olden times. His benevolent countenance, smiling all over, and a cordial kiss, won my heart immediately. Then came "mother," whose equally affectionate reception made me love her at once, and that love never grew cold by a more intimate acquaintance. The simplicity of her dress was in perfect keeping with her husband's costume, attractive, yet without any attempt to imitate modern style. A plain gown of dark "stuff," a neat linen inside handkerchief, whose square collar of snowy whiteness re- lieved the dark dress, a handsome black shawl, pinned over so as to meet in front, and a bobinet cap, the plaited border trimmed with narrow thread-lace edging. A little in the background, and modestly awaiting our approach, was Aunt Nancy, my husband's maiden and maternal aunt, of whose exalted piety I had heard so much. She was tall and dignified, with a thin, pale face, and evi- dently past the age of sixty. A singular adherence to the Methodist costume of forty years before rendered her appearance attractive, a style which must have had the SIXTY YEARS IN A SCHOOL-ROOM. 299 effect to conceal much of her beauty in youth, but suited exactly her present age ; and, as it never could have been at any time fashionable, had the advantage of never look- ing old-fashioned. I had often heard Mr. | 839 |
https://uk.wikipedia.org/wiki/%D0%9B%D0%BE%D0%BF%D0%B0%D1%82%D0%B8%D0%BD%D1%81%D1%8C%D0%BA%D0%B8%D0%B9 | Wikipedia | Open Web | CC-By-SA | 2,023 | Лопатинський | https://uk.wikipedia.org/w/index.php?title=Лопатинський&action=history | Ukrainian | Spoken | 127 | 482 | Лопатинський, Лопацинський, Лопатінський, Лопацінський () — прізвище, що походить від Лопацина, рід шляхти гербів Любич та Роля.
Відомі представники:
Лопатинський Микола Тадеуш (1715—1778) — політичний та військовий діяч Великого князівства Литовського.
Лопатинський Теофілакт (1670-ті pp. — 1741) — богослов і церковний діяч, родом з Волині.
Лопатинський Дем'ян-Костянтин Васильович (1866—1951) — український релігійний та громадський діяч.
Лопатинський Лев Васильович (1868—1914) — український актор, драматург і публіцист.
Лопатинський Лев Григорович (1842—1922) — український лінгвіст та етнограф, емігрував до Росії.
Лопатинський Фавст Львович (1899–1937) — український режисер, сценарист, актор.
Лопатинський Юрій (1906–1982) — військовий діяч, підполковник УПА, один із командирів «Нахтіґалю».
Лопатинський Ярослав Борисович (1906—1981) — український математик, академік АН Української РСР (з 1965), член-кореспондент (з 1951).
Лопатинський Ярослав Йосипович (1871–1936) — український композитор.
Див. також
Лопатинська
Лопацинський
Українські прізвища | 43,203 |
https://github.com/oorahduc/toil/blob/master/init_db.sh | Github Open Source | Open Source | MIT | 2,020 | toil | oorahduc | Shell | Code | 19 | 64 | #!/usr/bin/env bash
mkdir ~/.toil/
cp ./db/toil.db ~/.toil/
echo "SQLite db created at ~/.toil/toil.db"
echo "Next step: python3 setup.py install"
| 34,576 |
https://it.wikipedia.org/wiki/Tuffi%20ai%20XVIII%20Giochi%20panamericani%20-%20Piattaforma%2010%20metri%20maschile | Wikipedia | Open Web | CC-By-SA | 2,023 | Tuffi ai XVIII Giochi panamericani - Piattaforma 10 metri maschile | https://it.wikipedia.org/w/index.php?title=Tuffi ai XVIII Giochi panamericani - Piattaforma 10 metri maschile&action=history | Italian | Spoken | 42 | 81 | Il concorso dei tuffi dalla piattaforma 10 metri maschile dei XVIII Giochi panamericani si è svolto il 5 agosto 2019 presso il Centro aquatico di Lima in Perù.
Programma
Risultati
In verde sono contraddistinti i finalisti.
Note
Tuffi ai XVIII Giochi panamericani | 32,799 |
https://stackoverflow.com/questions/76803976 | StackExchange | Open Web | CC-By-SA | 2,023 | Stack Exchange | Sardinian | Spoken | 335 | 1,606 | How to run Mocha Tests from the VSCode test annotation?
I have a Typescript project using Mocha as the test runner. Works like a charm using npm run test, works using the VSCode Mocha Test explorer, but doesn't run from the test annotation:
(for both Run Test and Debug Test
I get an error
node_modules/.bin/mocha test/always.passing.spec.ts --grep="These\stests"
TypeError [ERR_UNKNOWN_FILE_EXTENSION]: Unknown file extension ".ts" for /Users/stw/Code/keep-node-sdk/test/always.passing.spec.ts
at new NodeError (node:internal/errors:405:5)
at Object.getFileProtocolModuleFormat [as file:] (node:internal/modules/esm/get_format:99:9)
at defaultGetFormat (node:internal/modules/esm/get_format:142:36)
at defaultLoad (node:internal/modules/esm/load:91:20)
at DefaultModuleLoader.load (node:internal/modules/esm/loader:263:26)
at DefaultModuleLoader.moduleProvider (node:internal/modules/esm/loader:179:22)
at new ModuleJob (node:internal/modules/esm/module_job:63:26)
at #createModuleJob (node:internal/modules/esm/loader:203:17)
at DefaultModuleLoader.getJobFromResolveResult (node:internal/modules/esm/loader:156:34)
at DefaultModuleLoader.getModuleJob (node:internal/modules/esm/loader:141:17)
at DefaultModuleLoader.import (node:internal/modules/esm/loader:227:28)
at importModuleDynamically (node:internal/modules/cjs/loader:1163:37)
at importModuleDynamicallyWrapper (node:internal/vm/module:428:21)
at importModuleDynamically (node:internal/vm:105:46)
at importModuleDynamicallyCallback (node:internal/modules/esm/utils:87:14)
at exports.doImport (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/nodejs/esm-utils.js:35:34)
at formattedImport (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/nodejs/esm-utils.js:9:28)
at exports.requireOrImport (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/nodejs/esm-utils.js:42:34)
at exports.loadFilesAsync (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/nodejs/esm-utils.js:100:34)
at Mocha.loadFilesAsync (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/mocha.js:447:19)
at singleRun (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/cli/run-helpers.js:125:15)
at exports.runMocha (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/cli/run-helpers.js:190:10)
at exports.handler (/Users/stw/Code/keep-node-sdk/node_modules/mocha/lib/cli/run.js:370:11)
at /Users/stw/Code/keep-node-sdk/node_modules/yargs/build/index.cjs:443:71
My mocharc.js:
'use strict';
module.exports = {
spec: ['test/**/*.spec.ts'],
};
The scripts in package.json
{
"scripts": {
"dev": "ts-node-dev --respawn --pretty --transpile-only src/index.ts",
"build": "tsc",
"postbuild": "npm run test",
"prepublish": "npm run build",
"start": "node .",
"test": "nyc --reporter=html --reporter=text mocha -r ts-node/register test/**/*.spec.ts"
}
}
In the VSCode settings I have
{
"mochaExplorer.files": "test/**/*.ts",
"mochaExplorer.require": "ts-node/register",
"mochaExplorer.logpanel": true,
"mocha-snippets.function-type": "arrow",
"testExplorer.onStart": "reset",
"testExplorer.showOnRun": true,
"testExplorer.useNativeTesting": true,
"testExplorer.addToEditorContextMenu": true,
}
WHat do I miss?
Your stack trace indicates you're loading ESM dependencies, try installing ts-node (edit: It looks like you're already using ts-node-dev so you can skip installing it) then adding this to your .mocharc.json
"loader": "ts-node/esm"
And this to your .vscode/settings.json
"mochaExplorer.nodeArgv": [
"--loader=ts-node/esm",
"--no-warnings=ExperimentalWarning",
"--experimental-specifier-resolution=node"
]
Source: https://github.com/hbenl/vscode-mocha-test-adapter/issues/206#issuecomment-1165073354
Turns out the ts-node documentation had all the answers. There's nothing special needed for mocha in .vscode/settings, only a few settings for the testExplorer:
.vscode/settings
{
"mochaExplorer.logpanel": true,
"mocha-snippets.function-type": "arrow",
"testExplorer.onStart": "reset",
"testExplorer.showOnRun": true,
"testExplorer.useNativeTesting": true,
"testExplorer.addToEditorContextMenu": true,
"testExplorer.codeLens": true
}
The settings in the mocharc:
.mocharc.js
'use strict';
module.exports = {
require: 'ts-node/register',
loader: 'ts-node/esm',
spec: ['test/**/*.spec.ts'],
};
This also simplifies scripts, e.g. npm run test only needs to be:
nyc --reporter=html --reporter=text mocha
| 36,134 |
|
http://data.theeuropeanlibrary.org/BibliographicResource/3000095601560 http://www.theeuropeanlibrary.org/tel4/newspapers/issue/3000095601560 http://anno.onb.ac.at/cgi-content/annoshow?iiif=kfz|18610.0|010.0|0523|1|10.0|0|10.0|0|10.0|0|10.0|0 http://www.theeuropeanlibrary.org/tel4/newspapers/issue/fullscreen/3000095601560_2 | Europeana | Open Culture | Public Domain | null | Klagenfurter Zeitung | None | German | Spoken | 1,919 | 3,967 | Nr. 820/1. (2) Edikt. Von dem k. k. Bezirksamte St. Leonhard als Ge richt wirv hiemit bekannt gemacht: Es sei über Ansu chen des Andreas Schurmann, Tischlermeisters von St. Leonhard, gegen Franz Marcut,Zimmermeister von St. Leonhard, und Maria Marcut, wegen auö dem Zah lungsaufträge ddo. 13. Dezember 1859, Z. 2033, schuldigen 1050 fl. Oe. W. v. «. o. in die exekutive öffentliche Versteigerung der den Letzteren gehörigen, im Grundbuche des StadtmagistraleS St. Leonhard fub Urb. Nr. 87"> einkommenden Behausung sammt An- und Zngehör in St. Leonhard, im gerichtlich erho benen Schätzungswerthe von 1200 fl. Oe. W., gewilli- get, und zur Vornahme derselben die erste FeilbietungS- Tagsatzung auf den 4. Juni, die zweite , - - - 2. Jnli und die dritte - - 1. August 1860 jedesmal Vormittags um 10 Uhr im Orte der Realität mit dem Anhangs oestimmt worden, daß die feilzubie tende Realität nur bei der letzten Feilbietnng auch unter dem Schätzungswerthe hindangegeben werde. Das-SchätzungS-Protokoll, der Grundbuchs - Ex trakt und die Licitations - Bediuguisse können bei diesem Gerichte in den gewöhnlichen AmtSstuudeu eingesehen werden. K. k. Bezirksamt St. Leonhard als Gericht, am 1. Mai 1860. Nr. 433 (S) E d i k t. r?SS1 Vom k. k. Bezirksamte Winklern als Geki'cht wird bekannt gemacht: Es habe Kristian Pichler wider Jo hann Georg Granegger hie Klage wegen Anerkennung der Verjährung und sohinnigen Löschung deS laut Schuldschein ddo. >S. Dezember >79S an der Jestl- kensche intabulirten Betrages pr. 200 fl. srrd prsss. 2. Mai >860, Nr. 433, eingebracht, in deren Erledigung die Tagsatzung auf den 3. August 1860 Vormittags um 9 Uhr bestimmt wurde. Da der Aufenthaltsort des Geklagten diesem Gericht« unbekannt ist, und weil derselbe vielleicht aus den k. k, Erblanden abwesend sein könnte, so hat man zur Ver theidigung und auf seine Gefahr und Unkosten den Hrn. Alois Pfeffer zu Döllach als Kurator bestellt, mit wel chem die angebrachte Rechtssache nach-der bestehenden GerichtS-Ost'dnung ausgeführt und entschieden werden wird. Geklagter wird dessen zu dem Ende erinnert, damit er allenfalls zu rechter Zeit selbst erscheinen, oder inzwischen dem obgenannten Vertreter seine Rechtsbehelfe an die Hand geben, oder auch sich selbst einen andern Sachwalter zu bestellen und diesem Gerichte anzeigen, so wie sonst im ordnungsmäßigen Wege einzuschreiten wissen möge, widrigens er sich die aus" seiner Ver- abfämnunq entstehenden Folgen beizumessen habe. Vom k. k. Bezirksamts Winklern als Gericht, den 2. Mai 1860. Wrivat-Kundmachnngen. " Anzeige. Schkachtochsm guter Qualität mit 15 Procent Unschlitt- Gehalt, werden von der hiesigen Fleischerinnung gesucht und mit 30 fl. österr. Währ. pr. Centner angekauft. Die Verkäufer wollen sich über das Weitere an die Vorstchung wenden. Joseph Semmelrock. (2) Verkaufs-Anzeige. ^ Wegen eingetretener Kränklichkeit ziehe ich mich in das Einöder Mineral-Bad zurück, welches ich besitze, und verkaufe daher das neugebaute Chirurgenhaus in Guttaring, fest an der Pfarrkirche gelegen, um 4500 fl. unter so billigen Zahlungs-Behingnissen, daß selbst der minder Bemittelte Käufer sein kann. Dieser Marktflecken liegt in der Mitte der reichsten . Gewerkschaften, so wie auch wohlh.i5»ndc Es läßt sich also aus eine sehr gute, gesicherte Existenz schließen. Neßlinger. ^ Rosalia Pinkas aus Wien ^ empfiehlt sich für den gegenwärtigen Markt mit einer Auswahl der feinsten Seiden- und französischen Bändern, von der breitesten Gattung bis zur schmalsten, ferner mit glatten und allen anderen Arten zu den billigste» Fabrikpreisen sowohl im Ganzen als auch im Detail . und bittet um recht zahlreichen Zuspruch. Die Markthütte befindet sich am neuen Platz, beim Tauselld'schm Kaffeehaus. euer ms Wien, Nr. 2085. (I) Edikt. 1^8271 Vo» dem k, k. Bezirksamt? WolfSberg als Gericht wird hi.emit bekannt gemacht: Es s<i über das Ansuchen des Aler Repelnig, vlg. Schalle'' er in Tbeiseüega, durch Dr. VolHmgg von yler, gegen Andreas Schuster, vnlgo Fraßschmid von Kamp, wegen schuldigen 2>0 fl. Oe. W. Agent der Wnna Wanka'schen Lrzeugnisse aus Mohren im Riesengebirge, empfiehlt sich zum hiesigen Markte mit nachstehenden Artikeln, und beruft sich auf die hinzu gefügten Zeugnisse. Ordentliches Zeugniß. Auf Verlangen der Frau Anna Wanka, aus Mohren Nr. 14t, bestätigen und beur kunden wir Gefertigten vor Jedermann, und zwar: Zch Johann Scharm, Gemeinde - Vor steher aus Mohren, ich Johann Erben, Webrr aus Mohren Nr.4, und ich Adam Schnei der, Weber aus Hermanseisen Nr. 157, daß die besagte Frau Wanka, ganz rein lei nene Tücheln, Leinwänden uud einschlägige Artikeln erzeugt und durch ihre Weber auch erzeugen läßt. Urkunde dessen unsere eigenhändigen Unterschristen. Johann Scharm, Johann Erben, Adam Schneider, Gemeinde-Vorsteher. Weber. Weber. So geschehen in Arnau-, am 23. Februar 1860. Daß vorstehendes Zeugniß dem Willen der dem Amte bekannten Aussteller Johann Scharm, Johann Erben und Adam Schneider gemäß und von ihnen eigenhändig gefer tigt sei, wird bestätigt. Vom k. k. Bezirksamts Arnau, den 23. Februar 1860. Kul> ik, k. k. VezirkS-Vorsteher. Der Preis -Courant ist im Anschlagzettel ersichtlich. Besonders zu bemerken sind Baumwoll-Hosenstoffe für Kinder 5 25 kr. die Elle, Schaf wollstoffe 70 kr., Bett-Decken, Waschkleider, Hosenstoffe und alle in dieses Fach einschla gende Artike-ln. Für fehlerfreie Waare, richtiges Ellenmaß und beste Bedienung wird gebürgt. Der Verkauf beginnt Montag, den 21. Mai, und dauert bis inclufive letzten Mai, und befindet sich im Scherian 'schen Hause am neuen Platze, nächst der Apotheke. (l) Anempfehlung. Ml) Zn der Delikatessen- und Weinhandlung, Burggasse Nr. 377, sind folgende Artikel frisch und echt angekommen, als: Rhein- und Bordeaux-Weine, Madeira-, Cherry-, Marsala-, Malaga- urid Cipro-Weine; die renolnmirtesten Champagner - Weine, als: Cliquot, Röderer, Zaequesson, Moet KCHan- don, Mumm und Giesler. Französische und Holländische Aqueure, als: öe Vnuijle, cl» Kirschwasser von Neuchatel, von Neu- chatel, Al^rs-scliiiw cli Echter Zamaica- Ruhm. Auch sind srisch zu haben: in Wein-Essig eingelegte Keine Gurken in u. '/^ Eimer- Fäßchen und auch stückweise; ferner mährische Quargel-Kässe im Großen wie auch im Kleinen. V. Seeleithner Anzeigt- In der Zuckerbackerei des Jo h. H o fb a u e r, Wienergasse9!r. 31,ist von Sonntag den 20. Mai an täglich Gefrornes in Portionen, sowie auch in Blumen-, Früchten- u. andern Formen zu haben. <S) z c i g cl l««, Frisch geschöpfter Rohitscher Sauerbrunn, in Kisten verpackt und in einzelnen Flaschen, so wie andere gang bare Mineralwässer sind billigt zn beziehen bei Peter Merlin. (3) 79SZ Z efroi'iies gilt neupolitkwn, ist vonl W. d. M. an taglich im Kaffeehanse „Zum Polarstern" zu haben. Gebr. Minar. (3) Die k. k. landesbefugte «Kleider-Uabrlk l?9S) der Herren Z. ^ M. Mandl, empfiehlt allen ^ Herren ihr wohlassortirtes Lager in fertigen Männer-Kleidungsstücken von der kleinsten Kinder- bis zur größten Manns-Kleidung, von ordinärsten bis zu den feinsten Stoffen und neuester Fa^on. Das Waaren-Lager befindet sich in der stabilen Nieder lage zn Klaqenfurt, obere Bnrqqafse Nr. Nebstbei befindet sich eben daselbst ein woklässortirtes Lager von Schuh - Waaren für Herren und Damen, elegant und geschmackvoll in jeder Hinsicht, aus der k. k. priv. Schuhwaaren-Fabrik der Herren ^wilder Hann in Wien. Zugleich erlaubt man sich noch zu bemerken, daß die Preise sämmtlicher SitMel" l-ill.'g sind, daß man, ohne sich selbst zu überzeugen, es kaum glauben kann. (3) Die neuesten Tapetenmnster l734j der k. k. Hof-Papiertapeten-Fabrikanten Spörlin et Zimmer mann in Wien, sind eben in Cd. Liege! s Buch- und Kunst handlung in Klagenfurt angekommen. Diese besorgt die Tapeten zu den Fabrikspreisen mit genauer Berechnung der Bezugsspesen. Wie billig die Preise sind, kann man daraus entnehmen, daß sehr geschmackvolle Muster sich dar unter befinden, wovon eine Rolle von 27 Schuh Länge uud 18 Zoll Breite nur 23 Sienkreuzer kostet. (2) Das. BadSt.Leonhard ob Himmelberg ist seit 20. Mai eröffnet. Der neue, bequeme und sichere Fahrweg den Berg hinauf bis-zum Bade, srenndliches Entgegenkommen den ?.?. Badgästen, gute Speisen und Getränke so wie aufmerksame Bedienung, lassen dem Gefertigten auf zahlreichen Besuch hoffen. Jakob Wanner, Badinhaber. Bad St. Leonhard, am 20. Mai 1860. Noäe - IVlÄAÄ?in, LUPZA9886 369, 2öiKt Iiiöinit clon Asslti'tsn All, class sin« <lor neuostW rriul moäsi-nstsQ unä 8ornwer-6sAöQ- stäQclo , uncl ^u. lialzs» sind, : Dttmeii- und Xintl«!'- von 1 kis 12 ü., vslzst beiden- u. I'ibet-Ngntillen, ^lolillen- und 8elivv 61^61'- 8l>'v!i!iütt>, Lonneiisoliirmo on tont nsuests I^lsi- äorstotks, Noäs - Loi6snI>äQäLr, Kunstdln- rusQ uirä 8el^illuol<5oäsrli, ALstiolcte Llrs- misstten, uncl IIntoiÄrrasIn, L!oi- kii'ön, Lsrlinsr Ltlelisreisii unä. anA-skan- Aens Arbeite» etc. I^öin-^anäon, lisolrtü- I Lorvisttsn, I^simvÄricltüoiiölri öto., i nvdst ksrtigS Lorsottsri, Hornclon, Iloss- ! uncl Xrinoliiaoll, Ilmidoluzn, oto. IIki ren: ^-Veisss uncl jarlziAö Lsmäsv Ä 1 ü. 3 ü., I^sin^Äucliisinäsn 3 ü. lzis 10 ü., Ilntsrliossii ir 70 1:r. liis 1 tl. 50 Icr., Ä 4 ^ ü. l>is 15 ü., t^ssurld- tiöitslöüzol-lkn nnä (^attisll ä 2 Z. l>is 5 tl., l^ussoelvsn, HosentiÄAEi', Ilniforin-Oi's.vg.tsn, Litlvll-Loliloit'nQ., Oi'clonsIzkQäer, slastisLlKZ Hut- nml ete. LostellunAsn vvoi'äon soAlsicIi ank das Loste unä (ÄeseliMÄL^vollstö olkslituirt. (3) s?S81 tr e 8 eil «eliaft fÜR' II > c I< o I! V er« i c Ii e 1' II n ^ en. (xesellseliaft« - Kapital A OMZSO.OGtzK (lulcleii. ^ Die „Vindobona" verbürgt gegen Be zug einer bestimmten Prämie die pünktliche Zahlung der Zinsen und die rechtzeitige Rück zahlung des dargeliehenen Kapitals. Auf diese Weise setzt sie sich selbst an die Stelle des Schuldners und zahlt sogar aus ihrer Kasse dem Gläubiger die Interessen an den in der Schuld-Urkunde festgesetzten Terminen. Die Präini?, welche die Gesellschaft bezieht, ist dazu bestimmt, die Gefahr, welche sie auf sich nimmt, das versicherte Kapital oder die Zinsen bezahlen zu müssen, so wie allfällige Berluste zn decken, welche sie treffen können. Die Prämie bildet zugleich ein Entgelt dafür, daß die Gesellschaft den Gläubiger vor materiellem Schaden und moralischem Nachtheil bewahrt, sie dient der Gesellschaft als Vergütung für die Vorschüsse, die sie an Stelle des Hypothekar-Schuldners zu machen ge nöthigt werden kann, so wie für die allfälligen Prozeß kosten und die Folgen der verzögerten Hereinbringnug des Kapitals, welche der Darleiher nicht mehr zu fürch ten ha!. Aus dem Gesagten geht unwiderleglich hervor: 1. daß durch die Versicherung für die pünktliche .Zahlung der Zinsen Gewähr geleistet wird, nud daß der Gläubiger 2. für die rechtzeitige Rückzahlung seines darge- liehenen Kapitals nicht mehr besorgt zu sein braucht. Die Gesellschaft allein sorgt dafür uud trägt die dieß- sälligen Gefahren. DerGlänbiger kann sich auf diesem Wege die vollste Beruhigung und ein durchaus gesichertes Einkommen verschaffen; er kaun sein?' Zinsen am Verfallstage jedesmal bei der Kasse der „Vindobona" erheben; er kann sich in Ansehung seines Kapitals vor jedem Ver- luste bewahren. Außer der auf einem bestimmteu Reale haftenden Hypothek erhält er eine zweite Sicherstellung in dem Aktien-Kapitale der Gesellschaft, welche für die genaue Erfüllung der Verpflichtungen des Schuldners einsteht. Sonach folgt, daß durch die bei der „Vindobona" geschehene Versicherung einer Hypothekar - Forderung (eines iutabnliiteu Kapitals) eben sowohl die Cession derselben an einen neuen Gläubiger, als auch die Er neuerung (respektive Prolongation) einer solchen For derung sehr erleichtert wird. Die „Vindobo>»a" stellt sich somit als ein Unter nehmen dar, welches ans einfachster Grundlage beruht, nichtsdestoweniger aber eine ebenso fruchtbare als mannichsache Thätigkeit entwickeln und dem Realkredite die wichtigsten Vortheile verschaffen wird; sie bewahrt nicht nur das dargeliehene Kapital, sondern auch die Realität, auf welcher dasselbe intabulirt ist, vor jeder Gefahr und vor jedem Schaden; sie befestigt und ver doppelt die einmal gegebene Sicherstellung und ver mehrt deren Werth »och dadurch, daß sie die Regelmä ßigkeit und Pünktlichkeit der Zahlungen verbürgt. Die „Vindobotta" erleichtert Anlehen auf Rea litäten, indem sie ihnen größere Sicherheit verschafft, sie erhöht den Werth der unbeweglichen Güter, beför dert in jeder Richtung den Verkehr, dessen Grundlage sie bildet, befestigt den Kredit, begünstigt Ackerbau und Industrie und bietet mit einem Worte sowohl der be sitzenden, als der arbeitenden Klasse hilfreiche Hand, ohne irgend einem Interesse zn schaden. ^ Die Programme und eine Sammlung von BenntzunaSbeispielen, woraus die großen und vielseitigen Vortheile ersichtlich sind, werden bei der Direktion der „Vindobona" in Wien, Stadt, am Hof, Nr. Zedermann bereitwilligst ausgefolgt. «. | 41,157 |
US-93776807-A_1 | USPTO | Open Government | Public Domain | 2,007 | None | None | English | Spoken | 7,304 | 10,448 | Method of manufacturing a golf ball
ABSTRACT
The present invention relates to an industrially beneficial method of manufacturing golf balls which includes the steps of pre-preparing a masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof by mixing an unsaturated carboxylic acid and/or a metal salt thereof with a rubber material, preparing a rubber composition that contains the rubber material by using the masterbatch, and employing a material obtained by molding the rubber composition under heat as a golf ball component. The masterbatch is composed of:
(A) from 20 to 100 wt % of a modified polybutadiene obtained by a modification reaction wherein a polybutadiene having a vinyl content of from 0 to 2%, a cis-1,4 bond content of at least 80% and an active end is modified at the active end with at least one type of alkoxysilane compound, and
(B) from 80 to 0 wt % of a diene rubber other than Ingredient A.
such that ingredients A and B are included in a combined amount of 100 wt %, and
(C) an unsaturated carboxylic acid and/or a metal salt thereof.
BACKGROUND OF THE INVENTION
The present invention relates to a method of manufacturing a golf ball in which a material molded under heat from a rubber composition serves as a ball component. More specifically, the invention relates to a golf ball manufacturing method which includes the step of preparing a masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof.
Many golf balls that use rubber compositions containing polybutadiene polymerized with a rare-earth catalyst have hitherto been described in the art. Such golf balls axe disclosed in, for example, U.S. Pat. Nos. 6,695,716, 6,712,715, 6,786,836, 6,921,345, 6,634,961 and 6,602,941 (Patent Documents 1 to 6). However, there remains room for further improvement in the rebound performance of such golf balls. Moreover, sufficient performance has yet to be achieved as well in terms of manufacturability.
U.S. Pat. No. 6,642,314 (Patent Document 7) describes the use of an alkoxysilyl group-bearing compound-modified polybutadiene as a rubber composition for golf balls. JP-A 2007-222196 (Patent Document 8) discloses a polybutadiene obtained by additionally subjecting the modified polybutadiene of Patent Document 7 to a condensation reaction. However, in all of the above-mentioned prior art, there remains room for improvement in manufacturability and in the durability and rebound of the resulting golf balls.
Patent Document 1: U.S. Pat. No. 6,695,716 Patent Document 2: U.S. Pat. No. 6,712,715 Patent Document 3: U.S. Pat. No. 6,786,836 Patent Document 4: U.S. Pat. No. 6,921,345 Patent Document 5: U.S. Pat. No. 6,634,961 Patent Document 6: U.S. Pat. No. 6,602,941 Patent Document 7: U.S. Pat. No. 6,642,314
Patent Document 8: JP-A 2007-222196
Moreover, it is regarded as desirable for the durability and rebound of a golf ball to use, as the metal salt of an unsaturated carboxylic acid typically employed as the co-crosslinking agent in a rubber composition for golf balls, a compound such as zinc methacrylate or zinc acrylate. This zinc methacrylate or zinc acrylate is generally included in a large amount with respect to rubber ingredients such as polybutadiene. However, when the various ingredients are masticated to form a rubber composition, because the zinc methacrylate and zinc acrylate are in the form of a fine powder, a considerable amount of the powder scatters or sticks to the roll mill or other kneading apparatus, greatly interfering with the masticating operation.
Moreover, because these compounds readily form aggregates within the composition and have a poor disperslbility, the unsaturated carboxylic acid zinc salt included in the composition is not effectively utilized, which may lower the resilience and make a constant hardness impossible to achieve.
One commonly used method for preventing the metal salts of unsaturated carboxylic acids from sticking to the kneading apparatus is to employ the metal salt of a higher fatty acid as a lubricant. However, such compounds are ineffective unless the mastication temperature is set to a high temperature of about 100° C. Unfortunately, scorching occurs at high temperatures.
In JP 3178857 (Patent Document 9), an α,β-ethylenically unsaturated carboxyllc acid metal salt suspended in an aliphatic hydrocarbon solvent is mixed with a polymer solution to form a rubber composition. However, in this method, following liquid mixture, the solvent must be removed.
JP 2720541 (Patent Document 10) describes the use of a rubber composition prepared by first mixing and dispersing the metal salt of an unsaturated carboxylic acid in liquid rubber, followed by mastication. However, the liquid rubber used is thought to lower the rebound of the golf balls obtained.
To resolve the above problems, JP-A 2004-105680 (Patent Document 11) discloses art in which a metal salt of an unsaturated carboxylic acid is incorporated as a co-crosslinking agent into a rubber composition after first being mixed with and dispersed in a solid rubber such as 1,4-polybutadiene.
However, in the molded and vulcanized materials obtained by the foregoing art, there remains substantial room for improvement in resilience and durability.
Patent Document 9: JP 3178857 Patent Document 10: JP 2720541 Patent Document 11: JP-A 2004-105680 SUMMARY OF THE INVENTION
It is therefore an object of the present invention to provide a method for manufacturing golf balls which employs a masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof prepared using an improved polybutadlene rubber so as to enhance the dispersibility of the unsaturated carboxylic acid and/or metal salt thereof in a rubber composition for golf balls, and is thereby able to produce a molded and vulcanized material of excellent resilience and durability.
Accordingly, the invention provides the following method of manufacturing golf balls.
[1] A method of manufacturing a golf ball, comprising the steps of pre-preparing a masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof by mixing an unsaturated carboxylic acid and/or a metal salt thereof with a rubber material, preparing a rubber composition which includes the rubber material by using the masterbatch, and employing a material obtained by molding the rubber composition under heat as a golf ball component, wherein the masterbatch comprises:
(A) from 20 to 100 wt % of a modified polybutadiene obtained by a modification reaction wherein a polybutadiene having a vinyl content of from 0 to 2%, a cis-1,4 bond content of at least 80% and an active end is modified at the active end with at least one type of alkoxysilane compound, and
(B) from 80 to 0 wt % of a diene rubber other than ingredient A,
such that ingredients A and B are included in a combined amount of 100 wt %, and
(C) an unsaturated carboxylic acid and/or a metal salt thereof.
[2] The golf ball manufacturing method of [1], wherein ingredient C is included in the masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof in an amount of at least 10 parts by weight per 100 parts by weight of rubber ingredients A and B.
[3] The golf ball manufacturing method of [1], wherein the rubber composition further comprises, per 100 parts by weight of rubber ingredients therein:
(D) from 5 to 80 parts by weight of an inorganic filler, and
(E) from 0.1 to 10 parts by weight of an organic peroxide.
[4] The golf ball manufacturing method of [1,] wherein the alkoxysilane compound has an epoxy group on the molecule.
[5] The golf ball manufacturing method of [1], wherein an organotin compound and/or an organotitanium compound is added as a condensation accelerator during and/or following completion of a step in which the polybutadiene modification reaction is carried out.
[6] The golf ball manufacturing method of [1], wherein the polybutadlene used to prepare ingredient A is polymerized using a rare-earth element-containing catalyst system.
[7] The golf ball manufacturing method of [5], wherein the condensation accelerator is a tin carboxylate and/or a titanium alkoxide.
[8] The golf ball manufacturing method of [1,] wherein the rubber composition further comprises an organosulfur compound.
[9] The golf ball manufacturing method of [1,] wherein the masterbatch containing ingredients A, B and C accounts for less than 80 wt % of the overall rubber composition.
Hence, the method of manufacturing golf balls according to the invention makes use of the modified polybutadiene of above ingredient A and the diene rubber of above ingredient B, and moreover uses in the rubber composition a masterbatch of a saturated carboxylic acid and/or a metal salt thereof, which masterbatch is prepared in advance by mixing the saturated carboxylic acid and/or a metal salt thereof of above ingredient C with a rubber material. In this method of manufacture, by employing such a masterbatch which contains a saturated carboxylic acid and/or a metal salt thereof and is obtained using the modified polybutadiene rubber of the invention, the dispersibility of the unsaturated carboxylic acid and/or metal salt thereof is improved, enabling the resilience of the rubber molded material to be further enhanced and also imparting the molded material with an excellent durability.
DETAILED DESCRIPTION OF THE INVENTION
The invention is described more fully below.
In the manufacturing method of the invention, a rubber composition is prepared using a masterbatch of an unsaturated carboxylic acid and/or metal salt thereof. The masterbatch is prepared beforehand by mixing an unsaturated carboxylic acid and/or a metal salt thereof with a rubber material
Both of the following are used as the rubber materials in the masterbatch: (A) a modified polybutadiene obtained by a modification reaction wherein a polybutadiene having a vinyl content of from 0 to 2%, a cis-1,4 bond content of at least 80% and an active end is modified at the active end with at least one type of alkoxysilane compound; and (B) a specific amount of a diene rubber other than ingredient A. The alkoxysilane compound may have an epoxy group on the molecule, Moreover, an organotin compound and/or an organotitanium compound may be added as a condensation accelerator during and/or following completion of a step in which the modification reaction is carried out.
The condensation accelerator is typically added after effecting a modification reaction in which the alkoxysilane compound is added to the active end of the polybutadiene and before the condensation reaction. However, it is also possible to add the condensation accelerator prior to addition of the alkoxysilane compound (prior to the modification reaction), then add the alkoxysilane compound and carry out the modification reaction, followed in turn by the condensation reaction.
The catalyst used when polymerizing the polybutadiene prior to the modification reaction is not subject to any particular limitation, although the use of a polymerization catalyst made up of a combination of at least one type of compound from each of the following ingredients X, Y and Z is preferred.
Ingredient X Is a lanthanide series rare-earth compound of an atomic number 57 to 71 metal, or a compound obtained by reacting such a rare-earth compound with a Lewis base. Examples of suitable lanthanide series rare-earth compounds include halides, carboxylates, alcoholates, thioalcoholates, amides, phosphates and phosphates. The Lewis base can be used to form a complex with the lanthanide series rare-earth compound. Illustrative examples include acetylacetone and ketone alcohols.
Ingredient Y is an alumoxane and/or an organoaluminum compound of the formula AlR¹R²R³ (wherein R¹, R² and R³ are each independently a hydrogen or a hydrocarbon group of 1 to 10 carbons). A plurality of different compounds may be used at the same time.
Preferred alumoxanes include compounds of the structures shown in formulas (I) and (II) below. The alumoxane association complexes described in Fine Chemical 23, No. 9, 5 (1994), J. Am. Chem. Soc. 115, 4971 (1993), and J. Am. Chem. Soc. 117, 6465 (1995) are acceptable.
Ingredient Z is a halogen-bearing compound. Preferred examples of halogen-bearing compounds that may be used include aluminum halides of the general formula AlX_(n)R_(3-n) (wherein X is a halogen; R is a hydrocarbon group of from 1 to 20 carbons, such as an alkyl, aryl or aralkyl; and n is 1, 1.5, 2 or 3); strontium halides such as Me₃SrCl, Me₂SrCl₂, MesrHCl₂ and MeSrCl₃; and also silicon tetrachloride, tin tetrachloride, tin trichloride, phosphorus trichloride, titanium tetrachloride, trimethylchlorosilane, methyldichlorosilane, dimethyldichlorosilane and methyltrichlorosilane.
In the practice of the invention, the use of a neodymium catalyst in which a neodymium compound serves as the lanthanide series rare-earth compound is particularly advantageous because it enables a polybutadlene rubber having a high cis-1,4 bond content and a low 1,2-vinyl bond content to be obtained at an excellent polymerization activity. Preferred examples of such rare-earth catalysts include those mentioned in JP-A 11-35633.
The polymerization of butadiene in the presence of a rare-earth catalyst may be carried out by bulk polymerization or vapor phase polymerization, either with or without the use of a solvent, and at a polymerization temperature in a range of preferably −30° C. or above, and more preferably 0° C. or above, but preferably not above +200° C., and more preferably not above +150° C. The polymerization solvent is an inert organic solvent, illustrative examples of which include saturated aliphatic hydrocarbons having from 4 to 10 carbons, such as butane, pentane, hexane and heptane; saturated alicyclic hydrocarbons having from 6 to 20 carbons, such as cyclopentane and cyclohexane; monoolefins such as 1-butene and 2-butene; aromatic hydrocarbons such as benzene, toluene and xylene; and halogenated hydrocarbons such as methylene chloride, chloroform, carbon tetrachloride, trichloroethylene, perchloroethylene, 1,2-dichloroethane, chlorobenzene, bromobenzene and chlorotoluene.
No particular limitation is imposed on the manner in which the polymerization reaction is carried out. That is, the reaction may be carried out using a batch-type reactor, or may be carried out as a continuous reaction using an apparatus such as a multi-stage continuous reactor. When a polymerization solvent is used, the monomer concentration in the solvent is preferably from 5 to 50 wt %, and more preferably from 7 to 35 wt %. To prepare the polymer and to keep the polymer having an active end from being deactivated, care must be taken to prevent to the fullest possible degree compounds having a deactivating action (e.g., oxygen, water, is carbon dioxide) from entering into the polymerization system.
In the invention, the polybutadiene having a vinyl content of from 0 to 2% and a cis-1,4 bond content of at least 80% is subjected at the active end thereof to a modification reaction with at least one type of alkoxysilane compound. It is preferable to use for this purpose an alkoxysilane compound having an epoxy group on the molecule. The alkoxysilane compound may be a partial condensation product or a mixture of the alkoxysilane compound with a partial condensation product. “Partial condensation product” refers herein to an alkoxysilane compound in which some, but not all, of the SiOR bonds have been converted to SiOS_(i) bonds by condensation. In the above modification reaction, the polymer used is preferably one in which at least 10% of the polymer chains are “living” chains.
The alkoxysilane compound, although not subject to any particular limitations preferably has at least one epoxy group on the molecule. Illustrative examples include
- 2-glycidoxyethyltrimethoxysilane, - 2-glycidoxyethyltriethoxysilane, - (2-glycidoxyethyl)methyldimethoxysilane, - 3-glycidoxypropyltrimethoxysilane, - 3-glycidoxypropyltriethoxysilane, - (3-glycidoxypropyl)methyldimethoxysilane, - 2-(3,4-epoxycyclohexyl)ethyltrimethoxysilane, - 2-(3,4-epoxycyclohexyl)ethyltriethoxysilane and - 2-(3,4-epoxycyclohexyl)ethyl(methyl)dimethoxysilane.
Of these, the use of 3-glycidoxypropyltrimethoxysilane and 2-(3,4-epoxycyclohexyl)ethyltrimethoxysilane is preferred.
The alkoxysllane compound is used in a molar ratio with respect to above ingredient X of preferably at least 0.01, more preferably at least 0.1, even more preferably at least 0.5, and most preferably at least 1, but preferably not more than 200, more preferably not more than 150, even more preferably not more than 100, and most preferably not more than 50. If the amount of alkoxysilane compound used is too small, the modification reaction may not proceed to a sufficient degree, the filler may not be adequately dispersed, and the resulting golf ball may have a poor rebound. On the other hand, with the use of too much alkoxysilane compound, the resulting modified polybutadiene may have an excessively high Mooney viscosity, which may make it impossible to achieve the objects of the invention. No particular limitation is imposed on the method for adding the above modifying agent. Examples of suitable methods include adding the modifying agent all at once, adding it in divided portions, and continuous addition. Addition all at once is preferred.
The modification reaction is preferably carried out in a solution (the solution may be one which includes the unreacted monomer used at the time of polymerization). The modification reaction is not subject to any particular limitation, and may be carried out in a batch-type reactor or in a continuous system using such equipment as a multi-stage continuous reactor and an in-line mixer. It is essential that the modification reaction be carried out after completion of the polymerization reaction, but before carrying out various operations required to isolate the polymer, such as solvent removal treatment, water treatment and heat treatment.
The modification reaction may be carried out at the butadiene polymerization temperature. The reaction temperature is preferably at least 20° C., and more preferably at least 40° C., but preferably not more than 100° C., and more preferably not more than 90° C., If the temperature is low, the polymer viscosity may rise. On the other hand, if the temperature is high, the active ends on the polymer tend to lose their activity. The modification reaction time is preferably at least 5 minutes, and more preferably at least 15 minutes, but preferably not more than 5 hours, and more preferably not more than 1 hour.
In the practice of the invention, known antioxidants and known reaction terminators may be optionally added in a step following the introduction of alkoxysilane compound residues onto the active ends of the polymer.
In the present invention, in addition to the above-described modification reaction, a further alkoxysilane compound may be added. To achieve a good rebound when the composition is rendered into a golf ball, it is preferable for this alkoxysilane compound to be an alkoxysilane compound containing a functional group (which compound is referred to below as a “functionalizing agent”). Such addition is a step which follows the above-described introduction of alkoxysilane compound residues onto the active ends of the polymer, and is preferably carried out prior to initiation of the condensation reaction. If such addition is carried out after initiation of the condensation reaction, the functionalizing agent may not uniformly disperse, which may lower the catalyst performance. Addition of the functionalizing agent is carried out preferably after 5 minutes, and more preferably after 15 minutes from initiation of the modification reaction, but preferably before 5 hours, and more preferably before 1 hour from initiation of the modification reaction.
The functionalizing agent substantially does not react directly with the active ends and remains in an unreacted state within the reaction system. Therefore, in the condensation reaction step, it is consumed in the condensation reaction with the alkoxysilane compound residues that have been introduced onto the active ends. Preferred examples of the functionalizing agent include alkoxysilane compounds having at least one functional group selected from among amino groups, imino groups and mercapto groups. The alkoxysilane compound used as a functionalizing agent may be a partial condensation product, or may be a mixture of the alkoxysilane compound with such a partial condensation product.
When a functional group-bearing alkoxysilane compound is used as the functionalizing agent in the method of modification of the present invention, the polymer having an active end reacts with the substantially stoichiometric amount of alkoxysilane compound that has been added to the reaction system, thereby introducing alkoxysilyl groups onto substantially all the chain ends (modification reaction). With the further addition of alkoxysilane compound, alkoxysilane compound residues are introduced in an amount greater than the chemically equivalent amount of active ends.
It is preferable for condensation reactions between alkoxysilyl groups to occur between a (remaining or newly added) free alkoxysilane molecule and an alkoxysilyl group on the end of a polymer chain or, in some cases, between alkoxysilyl groups on the ends of polymer chains; reactions between free alkoxysilane molecules are unnecessary. Therefore, in cases involving the fresh addition of alkoxysilane compound, it is desirable from the standpoint of efficiency for the hydrolyzability of alkoxysilyl groups on the alkoxysilane compound to not exceed the hydrolyzability of alkoxysilyl groups on the ends of the polymer chains. For example, it is advantageous to combine the use of a compound bearing a trimethoxysilyl group, which has a large hydrolyzability, as the alkoxysilane compound employed for reaction with the active ends on the polymer, with the use of a compound containing an alkoxysilyl group of lesser hydrolyzability (e.g., a triethoxysilyl group) as the subsequently added alkoxysilane compound.
The above functional group-bearing alkoxysilane compound which may be employed as the functionalizing agent is used in a molar ratio with respect to above component X of preferably at least 0.01, more preferably at least 0.1, even more preferably at least 0.5, and most preferably at least 1, but preferably not more than 200, more preferably not more than 150, even more preferably not more than 100, and most preferably not more than 50. If the amount of use is too low, the modification reaction may not proceed to a sufficient degree, the filler dispersibility may not sufficiently improve, and the composition may have a poor resilience when rendered into a golf ball. On the other hand, if the amount of use is too high, the Mooney viscosity of the resulting modified polybutadiene may be too high.
In the present invention, it is preferable to use a condensation accelerator in order to accelerate the condensation reaction on the above-described alkoxysilane compound used as the modifying agent (and the functional group-bearing alkoxysilane compound which may be used as the functionalizing agent). The condensation accelerator used here may be added prior to the above modification reaction, although addition after the modification reaction and before initiation of the condensation reaction is preferred. When added before the modification reaction, the condensation
accelerator may react directly with active ends, which may prevent alkoxysilyl groups from being introduced onto the active ends. Moreover, when added after initiation of the condensation reaction, the condensation accelerator may not uniformly disperse, as a result of which the catalytic performance may decrease. Addition of the condensation accelerator is carried out preferably after 5 minutes, and more preferably after 15 minutes from initiation of the modification reaction, but preferably before 5 hours, and more preferably before 1 hour from initiation of the modification reaction.
The condensation accelerator is preferably an organotin compound and/or an organotitanium compound. A tin carboxylate and/or a titanium alkoxide are especially preferred.
Specific examples of titanium alkoxides which may be used as the condensation accelerator include
- tetramethoxytitanium, tetraethoxytitanium, - tetra-n-propoxytitanium, tetra-i-propoxytitanium, - tetra-n-butoxytitanium, tetra-n-butoxytitanium oligomer, - tetra-sec-butoxytitanium, tetra-tert-butoxytitanium, - tetra(2-ethylhexyl)titanium, - bis(octanedioleate)bis(2-ethylhexyl)titanium, - tetra(octanedioleate)titanium, titanium lactate, - titanium dipropoxybis(triethanolaminate), - titanium dibutoxybis(triethanolaminate), - titanium tributoxystearate, titanium tripropoxystearate, - titanium tripropoxyacetylacetonate and - titanium dipropoxybis(acetylacetonate).
Specific examples of tin carboxylates which may be used as the condensation accelerator include
- bis(n-octanoate)tin, bis(2-ethylhexanoate)tin, - bis(laurate)tin, bis(naphthenate)tin, bis(stearate)tin, - bis(oleate)tin, dibutyltin diacetate, - dibutyltin di-n-octanoate, dibutyltin di-2-ethylhexanoate, - dibutyltin dilaurate, dibutyltin malate, - dibutyltin bis(benzylmalate), - dibutyltin bis(2-ethylhexylmalate), di-n-octyltin diacetate, - di-n-octyltin din-octanoate, - di-n-octyltin di-2-ethylhexanoate, di-n-octyltin dilaurate, - di-n-octyltin malate, di-n-octyltin bis(benzylmalate) and - di-n-octyltin bis(2-ethylhexylmalate).
The amount of this condensation accelerator used, expressed as the ratio of the number of moles of the above compound to the total number of moles of alkoxysilyl groups present in the reaction system, is preferably at least 0.1, and more preferably at least 0.5, but preferably not more than 10, and more preferably not more than 5. At a molar ratio below 0.1, the condensation reaction may not proceed to a sufficient degree. On the other hand, at a molar ratio greater than 10, further effects by the condensation accelerator may not be achievable.
The above condensation reaction is carried out in an aqueous solution. It is recommended that the condensation reaction be carried out at a temperature of preferably at least 85° C., more preferably at least 100° C., and even more preferably at least 110° C. but preferably not more than 180° C., even more preferably not more than 170° C., and even more preferably not more than 150° C. The aqueous solution has a pH of preferably at least 9, and more preferably at least 10, but preferably not more than 14, and more preferably not more than 12. At a condensation reaction temperature of less than 85° C., the condensation reaction proceeds slowly and may be unable to reach completion, as a result of which the modified polybutadiene obtained may be subject to deterioration over time. On the other hand, at a temperature above 180° C., polymer aging reactions proceed, which may diminish the physical properties.
If the aqueous solution during the condensation reaction has a pH below 9, the condensation reaction will proceed slowly and may be unable to reach completion, as a result of which the modified polybutadiene obtained may be subject to deterioration over time. On the other hand, if the aqueous solution during the condensation reaction has a pH above 14, a large amount of alkali-derived components will remain within the modified polybutadiene following isolation and may be difficult to remove.
The condensation reaction is carried out for a period of preferably at least 5 minutes, and more preferably at least 15 minutes, but preferably not more than 10 hours, and more preferably not more than 5 hours. At less than 5 minutes, the condensation reaction may not go to completion. On the other hand, carrying out the condensation reaction for more than 10 hours may not yield any additional effects.
The pressure of the reaction system at the time of the condensation reaction is preferably at least 0.01 MPa, and more preferably at least 0.05 MPa, but preferably not more than 20 MPa, and more preferably not more than 10 MPa.
The condensation reaction is not subject to any particular limitation, and may be carried out in a batch-type reactor or in a continuous reaction system using an apparatus such as a multi-stage continuous reactor. Also, the condensation reaction and solvent removal may be carried out at the same time.
Following the above condensation reaction, the target modified polybutadiene may be obtained by carrying out a conventional work-up.
The modified polybutadiene of the invention has a Mooney viscosity (ML₁₊₄, 100° C.) which, while not subject to
any particular limitation, Is preferably at least 10, more preferably at least 15, and even more preferably at least 20, but preferably not more than 100, and more preferably not more than 80. At a low Mooney viscosity, the composition tends to have a poor resilience when rendered into a golf ball. On the other hand, at a high Mooney viscosity, the golf ball manufacturability may be poor. The Mooney viscosity is the ML₁₊₄, (100° C.) value measured in accordance with ASTM D-1646-96.
The amount of modified polybutadiene serving as ingredient A in the masterbatch, assuming the combined amount of ingredients A and B to be 100 wt %, is at least 20 wt %, preferably at least 30 wt %, and more preferably at least 50 wt %. The upper limit is 100 wt % or less, preferably 90 wt % or less, and more preferably 80 wt % or less. At less than 20 wt %, a rubber composition having the desired properties is difficult to obtain, as a result of which the objects of the invention are not attainable.
The modified polybutadiene used in the invention may be of a single type or may be a combination of two or more types.
Examples of the other rubber ingredient (B) which is used together with the modified polybutadiene include diene rubbers such as natural rubbers, synthetic isoprene rubbers, polybutadiene rubbers other than above ingredient A, styrene-butadiene rubbers, ethylene-α-olefin copolymer rubbers, ethylene-α-olefin-diene copolymer rubbers and acrylonitrile-butadiene copolymer rubbers. The diene rubber used in the invention may be of a single type or may be a combination of two or more types. A portion of the diene rubber may have a branched structure obtained using a polyfunctional modifier such as tin tetrachloride or silicon tetrachloride. Of the above, cis-1,4-polybutadiene is preferred. The polymerization catalyst is not subject to any
particular limitation, although it is preferable to employ a product obtained by polymerization using a group VIII catalyst system or the above-described rare-earth catalyst system. Illustrative examples of commercial products that s may be used for this purpose include those manufactured by JSR Corporation under the trade names BR01, BR51 and BR730. The amount of diene rubber serving as ingredient B in the masterbatch, assuming the combined amount of ingredients A and B to be 100 wt %, is 0 wt % or more, preferably 10 wt % or more, more preferably 20 wt % or more, and even more preferably 50 wt % or more. The upper limit is not more than 80 wt %, and preferably not more than 70 wt %.
No particular limitation is imposed on the Mooney viscosity of ingredient B. However, when a plurality of types are used, at least one of those types has a Mooney viscosity of preferably at least 30, more preferably at least 40, and even more preferably at least 50, but preferably not more than 100, more preferably not more than 80, and even more preferably not more than 70. If this value is too small, the rebound may decrease. On the other hand, if this value exceeds the above range, the golf ball manufacturability may worsen.
The unsaturated carboxylic acid and/or metal salt thereof included as above ingredient C is exemplified by α,β-ethylenically unsaturated carboxylic acids and monovalent or divalent metal salts of α,β-ethylenically unsaturated carboxylic acids. Specific examples of compounds that may be used include any one or combinations of two or more of the following:
(i) acrylic acid, methacrylic acid, itaconic acid, maleic acid, fumaric acid, crotonic acid, sorbic acid, tiglic acid, cinnamic acid and aconitic acid; (ii) zinc, magnesium, calcium, barium, and sodium salts of the unsaturated acids in (i) above, such as zinc acrylate, zinc diacrylate, zinc methacrylate, zinc dimethacrylate, zinc itaconate, magnesium acrylate, magnesium diacrylate, magnesium methacrylate, magnesium dimethacrylate and magnesium itaconate.
The metal salt of an aα,β-ethylenically unsaturated carboxylic acid serving as ingredient C may be directly mixed with the base rubber and other ingredients by a conventional method. Alternatively, an α,β-ethylenically unsaturated carboxylic acid such as acrylic acid or methacrylic acid may be added and worked into a masterbatch in which a metal oxide such as zinc oxide has already been incorporated, and the α,β-ethylenically unsaturated carboxylic acid and the metal oxide thereby made to react within the rubber composition so as to form a metal salt of the α,β-ethylenically unsaturated carboxylic acid. The crosslinking agent used may be of a single type or a combination of two or more types.
Next, with regard to the amounts in which the various ingredients are included when preparing the masterbatch of an unsaturated carboxylic acid and/or a metal salt thereof, the respective ingredients are adjusted to suitable amounts such that the amount of the ingredient C included per 100 parts by weight of rubber ingredients A and B is preferably at least 20 parts by weight, and more preferably at least 50 parts by weight. At less than 20 parts by weight, it may not be possible to attain the objects of the invention. The upper limit in the amount of ingredient C included is preferably not more than 400 parts by weight, more preferably not more than 300 parts by weight, and even more preferably not more than 200 parts by weight. At more than 400 parts by weight, the masterbatch may be difficult to prepare.
In the present invention, the rubber composition is prepared using this masterbatch. In addition to aforementioned ingredients A and B in the masterbatch, other rubbers may be optionally included in the rubber composition. Alternatively, it is possible to use ingredient A alone or a mixture of ingredients A and B as the rubber ingredients in the masterbatch, and to subsequently blend ingredient B in the masterbatch so as to obtain a base rubber for the golf ball-forming rubber composition.
Conditions during preparation of the masterbatch, while not subject to any particular limitation, are preferably as follows. Using a closed mixer such as a pressure kneader, the unsaturated carboxylic acid and/or metal salt thereof is added all at once or in a plurality of divided portions to the rubber material. Once the maximum temperature attained by the masterbatch has exceeded 115° C., mixing is carried out for another 1 to 10 minutes.
When the rubber composition is prepared from the masterbatch, the proportion of the overall rubber composition accounted for by the masterbatch, while not subject to any particular limitation, is preferably not more than 80 wt %, and more preferably not more than 50 wt %, but is preferably at least 5 wt %, and more preferably at least 10 wt %.
In the golf ball manufacturing method of the present invention, as described above, ingredient C is mixed with the rubber ingredients by a masterbatching technique, following which the rubber composition ultimately desired is prepared using the masterbatch. Above-described ingredients A, B and C are included in the rubber composition as essential ingredients, although it is possible to also include suitable amounts of (D) an inorganic filler and (E) an organic peroxide. It is particularly desirable for the amounts of the respective ingredients to be adjusted so that the rubber composition contains, per 100 parts by weight of the rubber ingredients—including ingredients A and B, from 10 to 50 parts by weight of (C) the unsaturated carboxylic acid and/or metal salt thereof, from 5 to 80 parts by weight of (D) the inorganic filler, and from 1 to 10 parts by weight of (E) the organic peroxide. Ingredients D and E are described more fully below.
The inorganic filler D is included to reinforce the crosslinked rubber and thereby increase its strength. The weight of the golf ball can be suitably adjusted by the amount of such addition. Illustrative examples of the inorganic filler include zinc oxide, barium sulfate, silica, alumina, aluminum sulfate, calcium carbonate, aluminum silicate and magnesium silicate. Of these, the use of zinc oxide, barium sulfate or silica is preferred. These inorganic fillers may be used singly or as combinations of two or more thereof. The amount of inorganic filler added per 100 parts by weight of the rubber ingredients is at least 5 parts by weight, and preferably at least 8 parts by weight, but not more than 80 parts by weight, and preferably not more than 70 parts by weight. At less than 5 parts by weight, the solid golf balls obtained will be too light. On the other hand, at more than 80 parts by weight, the solid golf balls obtained will be too heavy.
The organic peroxide used as ingredient E serves as an initiator for crosslinking reactions between the rubber ingredients and the crosslinking agent, and for grafting reactions, polymerization reactions and the like. Specific examples of the organic peroxide include dicumyl peroxide, 1,1-bis(t-butylperoxy)-3,3,5-trimethylcyclohexane, 2,5-dimethyl-2,5-di-(t-butylperoxy)hexane and 1,3-bis(t-butylperoxyisopropyl)benzene. The organic peroxide is included in an amount, per 100 parts by weight of the rubber ingredients, of at least 0.1 part by weight, and preferably 0.2 part by weight, but not more than 10 parts by weight, and preferably not more than 5 parts by weight. At less than 0.1 part by weight, the molded material may be too soft, lowering the rebound resilience. On the other hand, at more than 10 parts by weight, the molded material may be too hard, resulting in a poor durability.
To further improve resilience in the present invention, it is preferable to include also an organosulfur compound. Specifically, It is recommended that an organosulfur compound such as a thiophenol, thionaphthol, halogenated thiophenol, or a metal salt .of any of these be included. Suitable examples of such compounds include pentachlorothiophenol, pentafluorothiophenol, pentabromothiophenol, p-chlorothiophenol, zinc salts of pentachlorothiophenol, etc.; and diphenylpolysulfides, dlbenzylpolysulfides, dibenzoylpolysulfides, dibenzothiazoylpolysulfides and dithiobenzoylpolysulfides having 2 to 4 sulfurs.
Diphenyldisulfide and the zinc salt of pentachlorothiophenol are especially preferred.
The amount of the organosulfur compound included per 100 parts by weight of the base rubber is preferably at least 0.1 part by weight, more preferably at least 0.2 part by weight, and even more preferably at least 0.5 part by weight, but preferably not more than 5 parts by weight, more preferably not more than 4 parts by weight, even more preferably not more than 3 parts by weight, and most preferably not more than 2 parts by weight. If too much organosulfur compound is included, the molded material may be too soft. On the other hand, if too little is included, an increase in the resilience is unlikely to be achieved.
In addition to the above-mentioned ingredients, the rubber composition of the invention may also optionally include lubricants such as stearic acid, antioxidants, and other additives.
The material molded under heat from a rubber composition in the invention can be obtained by vulcanizing and curing the above-described rubber composition using a method of the same type as that used on prior-art rubber compositions for golf balls. Vulcanization may be carried out, for example, at a temperature of from 100 to 200° C. for a period of from 10 to 40 minutes.
It is recommended that the material molded under heat from a rubber composition in the invention have a hardness difference, obtained by subtracting the JIS-C hardness at the center of the hot-molded material from the JIS-C hardness at the surface of the hot-molded material, of at least 15, preferably at least 16, more preferably at least 17, and even more preferably at least 18, but not more than 50, and preferably not more than 40. Setting the hardness difference within this range is desirable for achieving a golf ball having a combination of a soft feel and a good rebound and durability.
Regardless of which of the subsequently described golf balls in which it is employed, it is recommended that the material molded under heat from a rubber composition in the present invention have a deflection, when compressed under a final load of 1,275 N (130 kgf) from an initial load state of 98 N (10 kgf), of at least 2.0 mm, preferably at least 2.5 mm, and more preferably at least 2.8 mm, but not more than 6.0 mm, preferably not more than 5.5 mm, more preferably not more than 5.0 mm, and most preferably not more than 4.5 mm. Too small a deflection may worsen the feel on impact and, particularly on long shots such as with a driver in which the ball incurs a large deformation, may subject the ball to an excessive rise in the spin rate, shortening the distance traveled by the ball. On the other hand, a molded material that is too soft may deaden the feel of the ball when played and compromise the rebound, resulting in a shorter distance, and may give the ball a poor durability to cracking on repeated impact.
The golf ball obtained by the manufacturing method of the invention includes the above-described hot-molded material as a ball component, but the construction of the ball is not subject to any particular limitation. Examples of suitable golf ball constructions include one-piece golf balls in which the hot-molded material serves directly as the golf ball, solid two-piece golf balls wherein the hot-molded material serves as a solid core on the surface of which a cover has been formed, solid multi-piece golf balls made of three or more pieces in which the hot-molded material serves as a solid core on the outside of which a cover of two or more layers has been formed, thread-wound golf balls in which the hot-molded material serves as the center core, and multi-piece golf balls in which the hot-molded material serves as an intermediate layer or outermost layer that encloses a solid core. Solid two-piece golf balls and solid multi-piece golf balls in which the hot-molded material serves as a solid core are preferred because such golf ball constructions are able to exploit most effectively the characteristics of the hot-molded material.
In the practice of the invention, when the hot-molded material is used as a solid core, it is recommended that the solid core have a diameter of at least 30.0 mm, preferably at least 32.0 mm, more preferably at least 35.0 mm, and most preferably at least 37.0 mm, but not more than 41.0 mm, preferably not more than 40.5 mm, more preferably not more than 40.0 mm, and most preferably not more than 39.5 mm.
In particular, it is recommended that such a solid core in a solid two-piece golf ball have a diameter of at least 37.0 mm, preferably at least 37.5 mm, more preferably at least 38.0 mm, and most preferably at least 38.5 mm, but not more than 41.0 mm, preferably not more than 40.5 mm, and more preferably not more than 40.0 mm.
It is recommended that such a solid core in a solid three-piece golf ball have a diameter of at least 30.0 mm, preferably at least 32.0 mm, more preferably at least 34.0 mm, and most preferably at least 35.0 mm, but not more than 40.0 mm, preferably not more than 39.5 mm, and more preferably not more than 39.0 mm.
It is also recommended that the solid core have a specific gravity of at least 0.9, preferably at least 1.0, and more preferably at least 1.1, but not more than 1.4, preferably not more than 1.3, and more preferably not more than 1.2.
When the hot-molded material of the invention is used as a core to form a solid two-piece golf ball or a solid multi-piece golf ball, known cover materials and intermediate layer materials may be used. Exemplary cover materials and intermediate layer materials include thermoplastic or thermoset polyurethane elastomers, polyester elastomers, ionomer resins, polyolefin elastomers, and mixtures thereof. The use of thermoplastic polyurethane elastomers and ionomer resins is especially preferred. These may be used singly or as combinations of two or more thereof. Alternatively, when a golf ball is formed with the hot-molded material in the invention serving as an intermediate layer or outermost layer enclosing a solid core, use may be made of known core materials, intermediate layer materials and cover materials.
Illustrative examples of thermoplastic polyurethane elastomers that may be used for the above purpose include commercial products in which the diisocyanate is an aliphatic or aromatic compound, such as Pandex T7298, Pandex T7295, Pandex T7890, Pandex TR3080, Pandex T8295 and Pandex T8290 (all manufactured by DIC Bayer Polymer, Ltd.). When an ionomer resin is used, illustrative examples of suitable commercial ionomer resins include Surlyn 6320 and Surlyn 8120 (both products of E.I. DuPont de Nemours and Co., Inc.), and Himilan 1706, Himllan 1605, Himilan 1855, Himilan 1601 and Himilan 1557 (all products of DuPont-Mitsui Polychemicals Co., Ltd.).
The cover material may include also, as an optional ingredient, a polymer other than the foregoing thermoplastic elastomers. Specific examples of polymers that may be included as optional ingredients include polyamide elastomers, styrene block elastomers, hydrogenated polybutadienes and ethylene-vinyl acetate (EVA) copolymers.
The above-described solid two-piece golf balls and solid multi-piece golf balls may be manufactured by a known method. When producing solid two-piece and multi-piece golf balls, preferred use may be made of a known method wherein the hot-molded material is placed as the solid core within a particular injection-molding mold, following which a cover material is injected over the core to form a solid two-piece golf ball, or an intermediate layer material and a cover material are injected in this order over the core to form a solid multi-piece golf ball. In some cases, production may be carried out by molding the above-described cover material under applied pressure.
| 36,403 |
http://publications.europa.eu/resource/cellar/ce91f4e2-d13c-4367-a02d-f4f6fc59f5fa_1 | Eurovoc | Open Government | CC-By | 2,011 | 2011/610/UE: Decisione del Parlamento europeo, del 10 maggio 2011 , sul discarico per l’esecuzione del bilancio dell’impresa comune ARTEMIS per l’esercizio 2009#Risoluzione del Parlamento europeo, del 10 maggio 2011 , recante le osservazioni che costituiscono parte integrante della decisione sul discarico per l’esecuzione del bilancio dell’impresa comune ARTEMIS per l’esercizio 2009 | None | Spanish | Spoken | 11,318 | 20,612 | L_2011250IT. 01024201. xml 27. 9. 2011 IT Gazzetta ufficiale dell'Unione europea L 250/242 DECISIONE DEL PARLAMENTO EUROPEO del 10 maggio 2011 sul discarico per l’esecuzione del bilancio dell’impresa comune ARTEMIS per l’esercizio 2009 (2011/610/UE) IL PARLAMENTO EUROPEO, — visti i conti annuali definitivi dell’impresa comune ARTEMIS relativi all’esercizio 2009, — vista la relazione della Corte dei conti sui conti annuali dell’impresa comune ARTEMIS relativi all’esercizio chiuso al 31 dicembre 2009, corredata delle risposte dell’impresa comune (1), — vista la raccomandazione del Consiglio del 15 febbraio 2011 (05894/2011 — C7-0051/2011), — visti l’articolo 276 del trattato che istituisce la Comunità europea e l’articolo 319 del trattato sul funzionamento dell’Unione europea, — visto il regolamento (CE, Euratom) n. 1605/2002 del Consiglio, del 25 giugno 2002, che stabilisce il regolamento finanziario applicabile al bilancio generale delle Comunità europee (2), in particolare l’articolo 185, — visto il regolamento (CE) n. 74/2008 del Consiglio, del 20 dicembre 2007, relativo alla costituzione dell’«Impresa comune ARTEMIS» per l’attuazione di una iniziativa tecnologica congiunta in materia di sistemi informatici incorporati (3), in particolare l’articolo 11, paragrafo 4, — visto il regolamento (CE, Euratom) n. 2343/2002 della Commissione, del 19 novembre 2002, che reca regolamento finanziario quadro degli organismi di cui all’articolo 185 del regolamento (CE, Euratom) n. 1605/2002 del Consiglio che stabilisce il regolamento finanziario applicabile al bilancio generale delle Comunità europee (4), in particolare l’articolo 94, — visti l’articolo 77 e l’allegato VI del suo regolamento, — vista la relazione della commissione per il controllo dei bilanci (A7-0126/2011), 1. concede il discarico al direttore esecutivo dell’impresa comune ARTEMIS per l’esecuzione del bilancio dell’impresa comune per l’esercizio 2009; 2. esprime le sue osservazioni nella risoluzione in appresso; 3. incarica il suo presidente di trasmettere la presente decisione e la risoluzione che ne costituisce parte integrante, al direttore esecutivo dell’impresa comune ARTEMIS, al Consiglio, alla Commissione e alla Corte dei conti, e di provvedere alla loro pubblicazione nella Gazzetta ufficiale dell’Unione europea (serie L). Il presidente Jerzy BUZEK Il segretario generale Klaus WELLE (1) GU C 342 del 16. 12. 2010, pag. 1. (2) GU L 248 del 16. 9. 2002, pag. 1. (3) GU L 30 del 4. 2. 2008, pag. 52. (4) GU L 357 del 31. 12. 2002, pag. 72. RISOLUZIONE DEL PARLAMENTO EUROPEO del 10 maggio 2011 recante le osservazioni che costituiscono parte integrante della decisione sul discarico per l’esecuzione del bilancio dell’impresa comune ARTEMIS per l’esercizio 2009 IL PARLAMENTO EUROPEO, — visti i conti annuali definitivi dell’impresa comune ARTEMIS relativi all’esercizio 2009, — vista la relazione della Corte dei conti sui conti annuali dell’impresa comune ARTEMIS relativi all’esercizio chiuso al 31 dicembre 2009, corredata delle risposte dell’impresa comune (1), — vista la raccomandazione del Consiglio del 15 febbraio 2011 (05894/2011 — C7-0051/2011), — visti l’articolo 276 del trattato che istituisce la Comunità europea e l’articolo 319 del trattato sul funzionamento dell’Unione europea, — visto il regolamento (CE, Euratom) n. 1605/2002 del Consiglio, del 25 giugno 2002, che stabilisce il regolamento finanziario applicabile al bilancio generale delle Comunità europee (2), in particolare l’articolo 185, — visto il regolamento (CE) n. 74/2008 del Consiglio, del 20 dicembre 2007, relativo alla costituzione dell’«Impresa comune ARTEMIS» per l’attuazione di una iniziativa tecnologica congiunta in materia di sistemi informatici incorporati (3), in particolare l’articolo 11, paragrafo 4, — visto il regolamento finanziario dell’impresa comune ARTEMIS adottato con decisione del suo consiglio di direzione il 18 dicembre 2008, — visto il regolamento (CE, Euratom) n. 2343/2002 della Commissione, del 19 novembre 2002, che reca regolamento finanziario quadro degli organismi di cui all’articolo 185 del regolamento (CE, Euratom) n. 1605/2002 del Consiglio che stabilisce il regolamento finanziario applicabile al bilancio generale delle Comunità europee (4), in particolare l’articolo 94, — visti l’articolo 77 e l’allegato VI del suo regolamento, — vista la relazione della commissione per il controllo dei bilanci (A7-0126/2011), A. considerando che la Corte dei conti ha dichiarato di aver ottenuto garanzie ragionevoli dell’affidabilità dei conti annuali relativi all’esercizio 2009 nonché della legittimità e regolarità delle operazioni sottostanti, B. considerando che l’impresa comune ARTEMIS è stata costituita nel dicembre 2007 per definire e attuare un’«agenda di ricerca» per lo sviluppo di tecnologie essenziali per i sistemi informatici incorporati in vari settori di applicazione, al fine di rafforzare la competitività europea e la sostenibilità e permettere l’emergere di nuovi mercati e di nuove applicazioni sociali, C. considerando che l’impresa comune si trova in fase di avviamento e che, nel corso del 2009, non ha ancora attuato in modo completo il suo sistema di controllo interno e di informativa finanziaria, Esecuzione del bilancio 1. osserva che il bilancio definitivo dell’impresa comune per l’esercizio 2009 includeva 46 000 000 EUR di stanziamenti di impegno e 8 000 000 EUR di stanziamenti di pagamento; riconosce che i tassi di utilizzo per gli stanziamenti di impegno e di pagamento sono stati rispettivamente dell’81 % e del 20 %; 2. riconosce che l’impresa comune si trova ancora in fase di avviamento e comprende quindi il tasso di utilizzo relativamente basso per gli stanziamenti di pagamento; Contributi dei membri 3. invita l’impresa comune ad armonizzare la presentazione dei contributi dei membri nei suoi conti sotto la guida della Commissione; 4. invita l’impresa comune a mettere a punto nuove disposizioni sulle condizioni di adesione e il cofinanziamento e, in particolare, su: — le modalità di adesione di nuovi membri, — i contributi in natura dei membri, — i termini e le condizioni a cui l’impresa comune può sottoporre ad audit i contributi dei membri, — le condizioni a cui il consiglio di direzione può approvare il cofinanziamento; Sistemi di controllo interno 5. sollecita l’impresa comune a completare la messa in atto dei suoi controlli interni e il suo sistema di informativa finanziaria; invita in modo specifico l’impresa comune a: — migliorare la sua documentazione dei processi e delle attività informatiche nonché la mappatura dei rischi informatici, — sviluppare un piano di continuità operativa, — sviluppare una politica di protezione dei dati; 6. invita l’impresa comune a inserire nel suo regolamento finanziario un riferimento specifico ai poteri del servizio di audit interno (IAS) quale suo revisore interno, sulla base della disposizione di cui al regolamento finanziario quadro degli organi della Comunità; 7. ritiene, in particolare, che il ruolo dello IAS in quanto revisore interno debba consistere nel consigliare l’impresa comune riguardo al controllo dei rischi, esprimendo pareri indipendenti sulla qualità dei sistemi di gestione e di controllo e formulando raccomandazioni mirate a migliorare le condizioni di esecuzione delle operazioni e promuovere una sana gestione finanziaria; ritiene altresì essenziale che l’impresa comune presenti all’autorità di discarico una relazione elaborata dal suo direttore esecutivo, che riassuma il numero e il tipo di audit interni effettuati dal revisore interno, le raccomandazioni formulate e il seguito dato a queste ultime; 8. L_2011250SL. 01024201. xml 27. 9. 2011 SL Uradni list Evropske unije L 250/242 SKLEP EVROPSKEGA PARLAMENTA z dne 10. maja 2011 o razrešnici glede izvrševanja proračuna Skupnega podjetja ARTEMIS za proračunsko leto 2009 (2011/610/EU) EVROPSKI PARLAMENT, — ob upoštevanju končnih letnih računovodskih izkazov Skupnega podjetja ARTEMIS za proračunsko leto 2009, — ob upoštevanju poročila Računskega sodišča o letnih računovodskih izkazih Skupnega podjetja ARTEMIS za proračunsko leto, ki se je končalo 31. decembra 2009, z odgovori Skupnega podjetja (1), — ob upoštevanju priporočila Sveta z dne 15. februarja 2011 (05894/2011 – C7-0051/2011), — ob upoštevanju člena 276 Pogodbe ES in člena 319 Pogodbe o delovanju Evropske unije, — ob upoštevanju Uredbe Sveta (ES, Euratom) št. 1605/2002 z dne 25. junija 2002 o finančni uredbi, ki se uporablja za splošni proračun Evropskih skupnosti (2), in zlasti člena 185 Uredbe, — ob upoštevanju Uredbe Sveta (ES) št. 74/2008 z dne 20. decembra 2007 o ustanovitvi Skupnega podjetja ARTEMIS za izvedbo skupne tehnološke pobude o vgrajenih računalniških sistemih (3), in zlasti člena 11(4) Uredbe, — ob upoštevanju Uredbe Komisije (ES, Euratom) št. 2343/2002 dne 19. novembra 2002 o okvirni finančni uredbi za organe iz člena 185 Uredbe Sveta (ES, Euratom) št. 1605/2002 o finančni uredbi za splošni proračun Evropskih skupnosti (4), in zlasti člena 94 Uredbe, — ob upoštevanju člena 77 in Priloge VI poslovnika, — ob upoštevanju poročila Odbora za proračunski nadzor (A7-0126/2011), 1. podeli razrešnico izvršnemu direktorju Skupnega podjetja ARTEMIS glede izvrševanja proračuna skupnega podjetja za proračunsko leto 2009; 2. navaja svoje pripombe v spodnji resoluciji; 3. naroči svojemu predsedniku, naj ta sklep in resolucijo, ki je del sklepa, posreduje izvršnemu direktorju Skupnega podjetja ARTEMIS, Svetu, Komisiji in Računskemu sodišču ter poskrbi za njuno objavo v Uradnem listu Evropske unije (serija L). Predsednik Jerzy BUZEK Generalni sekretar Klaus WELLE (1) UL C 342, 16. 12. 2010, str. 1. (2) UL L 248, 16. 9. 2002, str. 1. (3) UL L 30, 4. 2. 2008, str. 52. (4) UL L 357, 31. 12. 2002, str. 72. RESOLUCIJA EVROPSKEGA PARLAMENTA z dne 10. maja 2011 s pripombami, ki so del sklepa o razrešnici glede izvrševanja proračuna Skupnega podjetja ARTEMIS za proračunsko leto 2009 EVROPSKI PARLAMENT, — ob upoštevanju končnih letnih računovodskih izkazov Skupnega podjetja ARTEMIS za proračunsko leto 2009, — ob upoštevanju poročila Računskega sodišča o letnih računovodskih izkazih Skupnega podjetja ARTEMIS za proračunsko leto, ki se je končalo 31. decembra 2009, z odgovori Skupnega podjetja (1), — ob upoštevanju priporočila Sveta z dne 15. februarja 2011 (05894/2011 – C7-0051/2011), — ob upoštevanju člena 276 Pogodbe ES in člena 319 Pogodbe o delovanju Evropske unije, — ob upoštevanju Uredbe Sveta (ES, Euratom) št. 1605/2002 z dne 25. junija 2002 o finančni uredbi, ki se uporablja za splošni proračun Evropskih skupnosti (2), in zlasti člena 185 Uredbe, — ob upoštevanju Uredbe Sveta (ES) št. 74/2008 z dne 20. decembra 2007 o ustanovitvi Skupnega podjetja ARTEMIS za izvedbo skupne tehnološke pobude o vgrajenih računalniških sistemih (3), in zlasti člena 11(4) Uredbe, — ob upoštevanju finančnih pravil Skupnega podjetja ARTEMIS, ki so bila sprejeta s sklepom njegovega upravnega odbora 18. decembra 2008, — ob upoštevanju Uredbe Komisije (ES, Euratom) št. 2343/2002 dne 19. novembra 2002 o okvirni finančni uredbi za organe iz člena 185 Uredbe Sveta (ES, Euratom) št. 1605/2002 o finančni uredbi za splošni proračun Evropskih skupnosti (4), in zlasti člena 94 Uredbe, — ob upoštevanju člena 77 in Priloge VI poslovnika, — ob upoštevanju poročila Odbora za proračunski nadzor (A7-0126/2011), A. ker je Računsko sodišče navedlo, da je prejelo zadostno zagotovilo o zanesljivosti letnih računovodskih izkazov za proračunsko leto 2009 ter o zakonitosti in pravilnosti z njimi povezanih transakcij, B. ker je bilo Skupno podjetje ARTEMIS ustanovljeno decembra 2007, da bi opredelilo in izvajalo raziskovalni program za razvoj ključnih tehnologij za vgrajene računalniške sisteme na različnih področjih uporabe z namenom izboljšati evropsko konkurenčnost in trajnost ter omogočiti oblikovanje novih trgov in družbenih aplikacij, C. ker je to podjetje v začetni fazi in do konca leta 2009 še ni imelo v celoti vzpostavljenih sistemov notranjega nadzora in finančnega poročanja, Izvrševanje proračuna 1. je seznanjen, da je končni proračun skupnega podjetja za leto 2009 vključeval sredstva za prevzem obveznosti v višini 46 000 000 EUR in sredstva za plačila v višini 8 000 000 EUR; poleg tega ugotavlja, da sta bili stopnji uporabe za obveznosti in plačila 81 % oziroma 20 %; 2. se zaveda, da je skupno podjetje še v začetni fazi, zato razume, da je bila stopnja uporabe sredstev za plačila razmeroma nizka; Prispevki članov 3. poziva skupno podjetje, naj uskladi prikaz prispevkov članov v računovodskih izkazih v skladu s smernicami Komisije; 4. L_2011250ES. 01024201. xml 27. 9. 2011 ES Diario Oficial de la Unión Europea L 250/242 DECISIÓN DEL PARLAMENTO EUROPEO de 10 de mayo de 2011 sobre la aprobación de la gestión en la ejecución del presupuesto general de la Empresa Común Artemis para el ejercicio 2009 (2011/610/UE) EL PARLAMENTO EUROPEO, — Vistas las cuentas anuales definitivas de la Empresa Común Artemis relativas al ejercicio 2009, — Visto el Informe del Tribunal de Cuentas sobre las cuentas anuales definitivas de la Empresa Común Artemis relativas al ejercicio finalizado el 31 de diciembre de 2009, acompañado de las respuestas de la Empresa Común (1), — Vista la Recomendación del Consejo de 15 de febrero de 2011 (05894/2011 – C7-0051/2011), — Vistos el artículo 276 del Tratado CE y el artículo 319 del Tratado de Funcionamiento de la Unión Europea, — Visto el Reglamento (CE, Euratom) no 1605/2002 del Consejo, de 25 de junio de 2002, por el que se aprueba el Reglamento financiero aplicable al presupuesto general de las Comunidades Europeas (2), y, en particular, su artículo 185, — Visto el Reglamento (CE) no 74/2008 del Consejo, de 20 de diciembre de 2007, relativo a la creación de la Empresa Común Artemis para ejecutar una iniciativa tecnológica conjunta sobre sistemas de computación empotrados (3), y, en particular, su artículo 11, apartado 4, — Visto el Reglamento (CE, Euratom) no 2343/2002 de la Comisión, de 19 de noviembre de 2002, por el que se aprueba el Reglamento financiero marco de los organismos a que se refiere el artículo 185 del Reglamento (CE, Euratom) no 1605/2002 del Consejo, por el que se aprueba el Reglamento financiero aplicable al presupuesto general de las Comunidades Europeas (4), y, en particular, su artículo 94, — Vistos el artículo 77 y el anexo VI de su Reglamento, — Visto el informe de la Comisión de Control Presupuestario (A7-0126/2011), 1. Aprueba la gestión del Director Ejecutivo de la Empresa Común Artemis en la ejecución del presupuesto de la Empresa Común para el ejercicio 2009; 2. Presenta sus observaciones en la Resolución que figura a continuación; 3. Encarga a su Presidente que transmita la presente Decisión y la Resolución que forma parte integrante de la misma al Director Ejecutivo de la Empresa Común Artemis, al Consejo, a la Comisión y al Tribunal de Cuentas, y que disponga su publicación en el Diario Oficial de la Unión Europea (serie L). El Presidente Jerzy BUZEK El Secretario General Klaus WELLE (1) DO C 342 de 16. 12. 2010, p. 1. (2) DO L 248 de 16. 9. 2002, p. 1. (3) DO L 30 de 4. 2. 2008, p. 52. (4) DO L 357 de 31. 12. 2002, p. 72. RESOLUCIÓN DEL PARLAMENTO EUROPEO de 10 de mayo de 2011 que contiene las observaciones que forman parte integrante de la Decisión por la que se aprueba la gestión en la ejecución del presupuesto de la Empresa Común Artemis para el ejercicio 2009 EL PARLAMENTO EUROPEO, — Vistas las cuentas anuales definitivas de la Empresa Común Artemis relativas al ejercicio 2009, — Visto el Informe del Tribunal de Cuentas sobre las cuentas anuales definitivas de la Empresa Común Artemis relativas al ejercicio finalizado el 31 de diciembre de 2009, acompañado de las respuestas de la Empresa Común (1), — Vista la Recomendación del Consejo 15 de febrero de 2011 (05894/2011 – C7-0051/2011), — Vistos el artículo 276 del Tratado CE y el artículo 319 del Tratado de Funcionamiento de la Unión Europea, — Visto el Reglamento (CE, Euratom) no 1605/2002 del Consejo, de 25 de junio de 2002, por el que se aprueba el Reglamento financiero aplicable al presupuesto general de las Comunidades Europeas (2), y, en particular, su artículo 185, — Visto el Reglamento (CE) no 74/2008 del Consejo, de 20 de diciembre de 2007, relativo a la creación de la Empresa Común Artemis para ejecutar una iniciativa tecnológica conjunta sobre sistemas de computación empotrados (3), y, en particular, su artículo 11, apartado 4, — Visto el Reglamento financiero de la Empresa Común Artemis adoptado por decisión de su consejo de administración el 18 de diciembre de 2008, — Visto el Reglamento (CE, Euratom) no 2343/2002 de la Comisión, de 19 de noviembre de 2002, por el que se aprueba el Reglamento financiero marco de los organismos a que se refiere el artículo 185 del Reglamento (CE, Euratom) no 1605/2002 del Consejo, por el que se aprueba el Reglamento financiero aplicable al presupuesto general de las Comunidades Europeas (4), y, en particular, su artículo 94, — Vistos el artículo 77 y el anexo VI de su Reglamento, — Visto el informe de la Comisión de Control Presupuestario (A7-0126/2011), A. Considerando que el Tribunal de Cuentas ha declarado haber obtenido garantías suficientes de que las cuentas anuales correspondientes al ejercicio 2009 son fiables y de que las operaciones subyacentes son legales y regulares; B. Considerando que la Empresa Común Artemis se creó en diciembre de 2007 para definir y ejecutar un programa de investigación para el desarrollo de tecnologías clave destinadas a sistemas de computación empotrados en diferentes ámbitos de aplicación, con el fin de reforzar la competitividad y la sostenibilidad europeas y propiciar la aparición de nuevos mercados y aplicaciones sociales; C. Considerando que la Empresa Común se encuentra en una fase inicial y que a finales de 2009 todavía no se habían puesto en marcha completamente sus sistemas de control interno y de información financiera, Ejecución del presupuesto 1. Toma nota de que el presupuesto definitivo de la Empresa Común para 2009 incluía 46 000 000 EUR en créditos de compromiso y 8 000 000 EUR en créditos de pago; es consciente, además, de que el porcentaje de utilización de los créditos de compromiso y de pago fue de un 81 % y de un 20 % respectivamente; 2. Reconoce que la Empresa Común se encuentra todavía en fase de inicio, por lo que entiende que el porcentaje de utilización de los créditos de pago haya sido relativamente bajo; Contribuciones de los miembros 3. Pide a la Empresa Común que armonice la presentación de las contribuciones de los miembros en la contabilidad, siguiendo las orientaciones de la Comisión; 4. Pide a la Empresa Común que siga desarrollado disposiciones sobre la adhesión y la cofinanciación y, en particular, sobre: — los acuerdos para la adhesión de nuevos miembros, — las contribuciones en especie de los miembros, — los términos y las condiciones con arreglo a los cuales la Empresa Común puede auditar las contribuciones de los miembros, — las condiciones con arreglo a las cuales el Consejo de Administración puede aprobar la cofinanciación; Sistemas de control interno 5. Insta a la Empresa Común a que complete la aplicación de sus sistemas de control interno y de información financiera; pide específicamente a la Empresa Común que: — mejore su documentación de los procesos y las actividades de carácter informático, así como de los análisis de los riesgos en este ámbito, — desarrolle un plan de continuidad de las actividades, — desarrolle una política de protección de datos; 6. L_2011250FI. 01024201. xml 27. 9. 2011 FI Euroopan unionin virallinen lehti L 250/242 EUROOPAN PARLAMENTIN PÄÄTÖS, annettu 10 päivänä toukokuuta 2011, vastuuvapauden myöntämisestä ARTEMIS-yhteisyrityksen talousarvion toteuttamisesta varainhoitovuonna 2009 (2011/610/EU) EUROOPAN PARLAMENTTI, joka — ottaa huomioon ARTEMIS-yhteisyrityksen lopullisen tilinpäätöksen varainhoitovuodelta 2009, — ottaa huomioon tilintarkastustuomioistuimen kertomuksen ARTEMIS-yhteisyrityksen tilinpäätöksestä 31. joulukuuta 2009 päättyneeltä varainhoitovuodelta sekä yhteisyrityksen vastaukset (1), — ottaa huomioon neuvoston 15. helmikuuta 2011 antaman suosituksen (05894/2011 – C7-0051/2011), — ottaa huomioon EY:n perustamissopimuksen 276 artiklan ja Euroopan unionin toiminnasta tehdyn sopimuksen 319 artiklan, — ottaa huomioon Euroopan yhteisöjen yleiseen talousarvioon sovellettavasta varainhoitoasetuksesta 25 päivänä kesäkuuta 2002 annetun neuvoston asetuksen (EY, Euratom) N:o 1605/2002 (2) ja erityisesti sen 185 artiklan, — ottaa huomioon ARTEMIS-yhteisyrityksen perustamisesta sulautettuja tietotekniikkajärjestelmiä koskevan yhteisen teknologia-aloitteen toteuttamiseksi 20 päivänä joulukuuta 2007 annetun neuvoston asetuksen (EY) N:o 74/2008 (3) ja erityisesti sen 11 artiklan 4 kohdan, — ottaa huomioon Euroopan yhteisöjen yleiseen talousarvioon sovellettavasta varainhoitoasetuksesta annetun neuvoston asetuksen (EY, Euratom) N:o 1605/2002 185 artiklassa tarkoitettuja elimiä koskevasta varainhoidon puiteasetuksesta 19 päivänä marraskuuta 2002 annetun komission asetuksen (EY, Euratom) N:o 2343/2002 (4) ja erityisesti sen 94 artiklan, — ottaa huomioon työjärjestyksen 77 artiklan ja liitteen VI, — ottaa huomioon talousarvion valvontavaliokunnan mietinnön (A7-0126/2011), 1. myöntää ARTEMIS-yhteisyrityksen toimitusjohtajalle vastuuvapauden yhteisyrityksen talousarvion toteuttamisesta varainhoitovuonna 2009; 2. esittää huomautuksensa oheisessa päätöslauselmassa; 3. kehottaa puhemiestä välittämään tämän päätöksen ja siihen erottamattomasti kuuluvan päätöslauselman ARTEMIS-yhteisyrityksen toimitusjohtajalle, neuvostolle, komissiolle ja tilintarkastustuomioistuimelle sekä huolehtimaan niiden julkaisemisesta Euroopan unionin virallisessa lehdessä (L-sarja). Puhemies Jerzy BUZEK Pääsihteeri Klaus WELLE (1) EUVL C 342, 16. 12. 2010, s. 1. (2) EYVL L 248, 16. 9. 2002, s. 1. (3) EUVL L 30, 4. 2. 2008, s. 52. (4) EYVL L 357, 31. 12. 2002, s. 72. EUROOPAN PARLAMENTIN PÄÄTÖSLAUSELMA, annettu 10 päivänä toukokuuta 2011, joka sisältää huomautukset, jotka ovat erottamaton osa päätöstä vastuuvapauden myöntämisestä ARTEMIS-yhteisyrityksen talousarvion toteuttamisesta varainhoitovuonna 2009 EUROOPAN PARLAMENTTI, joka — ottaa huomioon ARTEMIS-yhteisyrityksen lopullisen tilinpäätöksen varainhoitovuodelta 2009, — ottaa huomioon tilintarkastustuomioistuimen kertomuksen ARTEMIS-yhteisyrityksen tilinpäätöksestä 31. joulukuuta 2009 päättyneeltä varainhoitovuodelta sekä yhteisyrityksen vastaukset (1), — ottaa huomioon neuvoston 15. helmikuuta 2011 antaman suosituksen (05894/2011 – C7-0051/2011), — ottaa huomioon EY:n perustamissopimuksen 276 artiklan ja Euroopan unionin toiminnasta tehdyn sopimuksen 319 artiklan, — ottaa huomioon Euroopan yhteisöjen yleiseen talousarvioon sovellettavasta varainhoitoasetuksesta 25 päivänä kesäkuuta 2002 annetun neuvoston asetuksen (EY, Euratom) N:o 1605/2002 (2) ja erityisesti sen 185 artiklan, — ottaa huomioon ARTEMIS-yhteisyrityksen perustamisesta sulautettuja tietotekniikkajärjestelmiä koskevan yhteisen teknologia-aloitteen toteuttamiseksi 20 päivänä joulukuuta 2007 annetun neuvoston asetuksen (EY) N:o 74/2008 (3) ja erityisesti sen 11 artiklan 4 kohdan, — ottaa huomioon ARTEMIS-yhteisyrityksen varainhoitoa koskevat säännökset, jotka sen hallintoneuvosto vahvisti 18. joulukuuta 2008, — ottaa huomioon Euroopan yhteisöjen yleiseen talousarvioon sovellettavasta varainhoitoasetuksesta annetun neuvoston asetuksen (EY, Euratom) N:o 1605/2002 185 artiklassa tarkoitettuja elimiä koskevasta varainhoidon puiteasetuksesta 19 päivänä marraskuuta 2002 annetun komission asetuksen (EY, Euratom) N:o 2343/2002 (4) ja erityisesti sen 94 artiklan, — ottaa huomioon työjärjestyksen 77 artiklan ja liitteen VI, — ottaa huomioon talousarvion valvontavaliokunnan mietinnön (A7-0126/2011), A. ottaa huomioon, että tilintarkastustuomioistuin on saanut kohtuullisen varmuuden siitä, että varainhoitovuoden 2009 tilit ovat luotettavat ja tilien perustana olevat toimet ovat lailliset ja asianmukaiset, B. ottaa huomioon, että ARTEMIS-yhteisyritys perustettiin vuonna 2007 laatimaan ja toteuttamaan tutkimusohjelma sulautettuja tietotekniikkajärjestelmiä varten tarvittavien avainteknologioiden kehittämiseksi eri sovellusaloilla Euroopan kilpailukyvyn ja kestävän kehityksen lujittamiseksi sekä uusien markkinoiden ja yhteiskunnallisten sovellusten syntymisen mahdollistamiseksi, C. ottaa huomioon, että yhteisyritys on käynnistysvaiheessa eikä se ollut pannut sisäisen valvonnan järjestelmiä ja varainhoidon tietojärjestelmiä kokonaisuudessaan täytäntöön vuoden 2009 loppuun mennessä, Talousarvion toteuttaminen 1. panee merkille, että yhteisyrityksen vuoden 2009 lopullinen talousarvio sisälsi 46 000 000 euroa maksusitoumusmäärärahoina ja 8 000 000 euroa maksumäärärahoina; toteaa myös, että maksusitoumusmäärärahojen käyttöaste oli 81 prosenttia ja maksumäärärahojen käyttöaste 20 prosenttia; 2. ottaa huomioon, että yhteisyritys on yhä käynnistysvaiheessa, ja ymmärtää siksi maksumäärärahojen verrattain alhaisen käyttöasteen; Osakkaiden rahoitusosuudet 3. pyytää yhteisyritystä yhdenmukaistamaan osakkaiden rahoitusosuuksien esitystapaa tilinpäätöksessä komission ohjeiden mukaisesti; 4. kehottaa yhteisyritystä kehittämään edelleen määräyksiä, jotka koskevat osakkaaksi liittymistä ja yhteisrahoitusta ja erityisesti seuraavia: — uusien osakkaiden liittymistä koskevat järjestelyt, — osakkaiden luontaissuoritukset, — ehdot ja edellytykset, joiden perusteella yhteisyritys voi tarkastaa osakkaiden rahoitusosuudet, — edellytykset, joiden perusteella hallintoneuvosto voi hyväksyä yhteisrahoituksen; Sisäisen valvonnan järjestelmät 5. kehottaa yhteisyritystä panemaan täysimääräisesti täytäntöön sisäisen valvonnan järjestelmänsä ja varainhoidon tietojärjestelmänsä; kehottaa yhteisyritystä erityisesti — parantamaan tietotekniikan prosessien ja toimintojen dokumentointia sekä alan riskien kartoitusta, — laatimaan toiminnan jatkuvuutta koskevan suunnitelman, — laatimaan tietosuojapolitiikan; 6. pyytää yhteisyritystä sisällyttämään varainhoitoa koskeviin säännöksiinsä nimenomaisen viittauksen komission sisäisen tarkastuksen osaston toimivaltuuksiin sen sisäisenä tarkastajana yhteisön elimiä koskevan varainhoidon puiteasetuksen mukaisesti; 7. L_2011250RO. 01024201. xml 27. 9. 2011 RO Jurnalul Oficial al Uniunii Europene L 250/242 DECIZIA PARLAMENTULUI EUROPEAN din 10 mai 2011 privind descărcarea de gestiune pentru execuția bugetului Întreprinderii comune ARTEMIS aferent exercițiului financiar 2009 (2011/610/UE) PARLAMENTUL EUROPEAN, — având în vedere conturile anuale finale ale Întreprinderii comune ARTEMIS pentru exercițiul financiar 2009, — având în vedere Raportul Curții de Conturi privind conturile anuale ale Întreprinderii comune ARTEMIS pentru exercițiul financiar încheiat la 31 decembrie 2009, însoțit de răspunsurile Întreprinderii comune (1), — având în vedere Recomandarea Consiliului din 15 februarie 2011 (05894/2011 – C7-0051/2011), — având în vedere articolul 276 din Tratatul CE și articolul 319 din Tratatul privind funcționarea Uniunii Europene, — având în vedere Regulamentul (CE, Euratom) nr. 1605/2002 al Consiliului din 25 iunie 2002 privind Regulamentul financiar aplicabil bugetului general al Comunităților Europene (2), în special articolul 185, — având în vedere Regulamentul (CE) nr. 74/2008 al Consiliului din 20 decembrie 2007 de înființare a „întreprinderii comune ARTEMIS” în scopul punerii în aplicare a unei inițiative tehnologice comune privind sistemele informatice integrate (3), în special articolul 11 alineatul (4), — având în vedere Regulamentul (CE, Euratom) nr. 2343/2002 al Comisiei din 19 noiembrie 2002 privind Regulamentul financiar cadru pentru organismele menționate la articolul 185 din Regulamentul (CE, Euratom) nr. 1605/2002 al Consiliului privind Regulamentul financiar aplicabil bugetului general al Comunităților Europene (4), în special articolul 94, — având în vedere articolul 77 și anexa VI la Regulamentul său de procedură, — având în vedere raportul Comisiei pentru control bugetar (A7-0126/2011), 1. acordă directorului executiv al Întreprinderii comune ARTEMIS descărcarea de gestiune pentru execuția bugetului Întreprinderii comune aferent exercițiului financiar 2009; 2. își prezintă observațiile în cadrul rezoluției de mai jos; 3. încredințează Președintelui sarcina de a transmite prezenta decizie împreună cu rezoluția Parlamentului, ca parte integrantă a acesteia, directorului executiv al Întreprinderii comune ARTEMIS, Consiliului, Comisiei și Curții de Conturi și de a asigura publicarea acestora în Jurnalul Oficial al Uniunii Europene (seria L). Președintele Jerzy BUZEK Secretarul general Klaus WELLE (1) JO C 342, 16. 12. 2010, p. 1. (2) JO L 248, 16. 9. 2002, p. 1. (3) JO L 30, 4. 2. 2008, p. 52. (4) JO L 357, 31. 12. 2002, p. 72. REZOLUȚIA PARLAMENTULUI EUROPEAN din 10 mai 2011 conținând observațiile care fac parte integrantă din decizia privind descărcarea de gestiune pentru execuția bugetului Întreprinderii comune ARTEMIS aferent exercițiului financiar 2009 PARLAMENTUL EUROPEAN, — având în vedere conturile anuale finale ale Întreprinderii comune ARTEMIS pentru exercițiul financiar 2009, — având în vedere Raportul Curții de Conturi privind conturile anuale ale Întreprinderii comune ARTEMIS pentru exercițiul financiar încheiat la 31 decembrie 2009, însoțit de răspunsurile Întreprinderii comune (1), — având în vedere Recomandarea Consiliului din 15 februarie 2011 (05894/2011 – C7-0051/2011), — având în vedere articolul 276 din Tratatul CE și articolul 319 din Tratatul privind funcționarea Uniunii Europene, — având în vedere Regulamentul (CE, Euratom) nr. 1605/2002 al Consiliului din 25 iunie 2002 privind Regulamentul financiar aplicabil bugetului general al Comunităților Europene (2), în special articolul 185, — având în vedere Regulamentul (CE) nr. 74/2008 al Consiliului din 20 decembrie 2007 de înființare a „întreprinderii comune ARTEMIS” în scopul punerii în aplicare a unei inițiative tehnologice comune privind sistemele informatice integrate (3), în special articolul 11 alineatul (4), — având în vedere Normele financiare ale Întreprinderii comune ARTEMIS adoptate printr-o decizie a Consiliului de conducere la 18 decembrie 2008, — având în vedere Regulamentul (CE, Euratom) nr. 2343/2002 al Comisiei din 19 noiembrie 2002 privind Regulamentul financiar cadru pentru organismele menționate la articolul 185 din Regulamentul (CE, Euratom) nr. 1605/2002 al Consiliului privind Regulamentul financiar aplicabil bugetului general al Comunităților Europene (4), în special articolul 94, — având în vedere articolul 77 și anexa VI la Regulamentul său de procedură, — având în vedere raportul Comisiei pentru control bugetar (A7-0126/2011), A. întrucât Curtea de Conturi a declarat că a obținut asigurări rezonabile cu privire la fiabilitatea conturilor anuale pentru exercițiul financiar 2009 și cu privire la legalitatea și regularitatea operațiunilor subiacente; B. întrucât Întreprinderea comună ARTEMIS a fost înființată în decembrie 2007 pentru definirea și punerea în aplicare a unei agende de cercetare în vederea dezvoltării de tehnologii-cheie pentru sistemele informatice integrate din diferite sectoare de aplicare, în scopul consolidării competitivității și a viabilității europene și al facilitării apariției unor noi piețe și aplicații în societate; C. întrucât Întreprinderea comună se află în faza de demarare și nu și-a stabilit integral controalele interne și nici sistemul de raportare financiară până la sfârșitul lui 2009, Execuția bugetului 1. constată că bugetul final pentru 2009 al Întreprinderii comune conținea credite de angajament în valoare de 46 000 000 EUR și credite de plată în valoare de 8 000 000 EUR; recunoaște, de asemenea, că ratele de utilizare a creditelor de angajament și a celor de plată au fost de 81 % și, respectiv, de 20 %; 2. recunoaște că Întreprinderea comună se află încă în stadiu de lansare și, prin urmare, înțelege rata de utilizare relativ scăzută a creditelor de plată; Contribuțiile membrilor 3. invită Întreprinderea comună să armonizeze prezentarea contribuțiilor membrilor în conturile sale, sub îndrumarea Comisiei; 4. invită Întreprinderea comună să elaboreze în continuare dispoziții privind aderarea, cofinanțarea și, în special, următoarele aspecte: — procedura de aderare a noilor membri; — contribuțiile în natură efectuate de membri; — condițiile în care Întreprinderea comună poate supune auditului contribuțiile membrilor; — condițiile în care Consiliul de conducere poate aproba cofinanțarea; Sisteme de control intern 5. îndeamnă Întreprinderea comună să finalizeze punerea în practică a sistemului său de control intern și a sistemului de informare financiară; invită Întreprinderea comună să efectueze, în special, următoarele: — să își îmbunătățească procedura de documentare a proceselor și activităților informatice, precum și identificarea riscurilor informatice; — să elaboreze un plan pentru continuitatea activității; — să elaboreze o politică de protecție a datelor; 6. invită Întreprinderea comună să includă în Normele sale financiare o trimitere specifică la competențele Serviciului de Audit Intern (IAS), în calitatea acestuia de auditor intern al Întreprinderii comune, pe baza dispozițiilor stabilite în Regulamentul financiar cadru pentru organismele comunitare; 7. consideră, în special, că rolul IAS ca auditor intern ar trebui să fie consilierea Întreprinderii comune cu privire la administrarea riscurilor, formulând avize independente referitoare la calitatea sistemelor de gestionare și control și recomandări pentru îmbunătățirea condițiilor de punere în aplicare a operațiunilor și promovând buna gestiune financiară; consideră, de asemenea, esențială prezentarea de către Întreprinderea comună autorității care acordă descărcarea de gestiune a unui raport întocmit de directorul executiv al Întreprinderii comune în care să fie prezentată o sinteză a numărului și tipurilor de audituri interne efectuate de auditorul intern, a recomandărilor formulate și a măsurilor întreprinse în urma acestor recomandări; 8. L_2011250LT. 01024201. xml 27. 9. 2011 LT Europos Sąjungos oficialusis leidinys L 250/242 EUROPOS PARLAMENTO SPRENDIMAS 2011 m. gegužės 10 d. dėl bendrosios įmonės ARTEMIS 2009 finansinių metų biudžeto įvykdymo patvirtinimo (2011/610/ES) EUROPOS PARLAMENTAS, — atsižvelgdamas į bendrosios įmonės ARTEMIS 2009 finansinių metų galutines metines ataskaitas, — atsižvelgdamas į Audito Rūmų ataskaitą dėl bendrosios įmonės ARTEMIS 2009 m. gruodžio 31 d. pasibaigusių finansinių metų galutinių metinių ataskaitų kartu su bendrosios įmonės atsakymais (1), — atsižvelgdamas į 2011 m. vasario 15 d. Tarybos rekomendaciją (05894/2011 – C7–0051/2011), — atsižvelgdamas į EB sutarties 276 straipsnį ir Sutarties dėl Europos Sąjungos veikimo 319 straipsnį, — atsižvelgdamas į 2002 m. birželio 25 d. Tarybos reglamentą (EB, Euratomas) Nr. 1605/2002 dėl Europos Bendrijų bendrajam biudžetui taikomo finansinio reglamento (2), ypač į jo 185 straipsnį, — atsižvelgdamas į 2007 m. gruodžio 20 d. Tarybos reglamentą (EB) Nr. 74/2008 dėl bendrosios įmonės ARTEMIS įsteigimo siekiant įgyvendinti įterptųjų kompiuterinių sistemų jungtinę technologijų iniciatyvą (3), ypač į jo 11 straipsnio 4 dalį, — atsižvelgdamas į Komisijos 2002 m. lapkričio 19 d. reglamentą (EB, Euratomas) Nr. 2343/2002 dėl finansinio pagrindų reglamento, skirto įstaigoms, minėtoms Tarybos reglamento (EB, Euratomas) Nr. 1605/2002 dėl Europos Bendrijų bendrajam biudžetui taikomo finansinio reglamento (4) 185 straipsnyje, ypač į jo 94 straipsnį, — atsižvelgdamas į Darbo tvarkos taisyklių 77 straipsnį ir į VI priedą, — atsižvelgdamas į Biudžeto kontrolės komiteto pranešimą (A7–0126/2011), 1. patvirtina bendrosios įmonės ARTEMIS direktoriui, kad bendrosios įmonės 2009 finansinių metų biudžetas įvykdytas; 2. išdėsto savo pastabas toliau pateikiamoje rezoliucijoje; 3. paveda Pirmininkui perduoti šį sprendimą ir rezoliuciją, kuri yra neatskiriama jo dalis, bendrosios įmonės ARTEMIS direktoriui, Tarybai, Komisijai ir Audito Rūmams ir pasirūpinti, kad jie būtų paskelbti Europos Sąjungos oficialiajame leidinyje (L serijoje). Pirmininkas Jerzy BUZEK Generalinis sekretorius Klaus WELLE (1) OL C 342, 2010 12 16, p. 1. (2) OL L 248, 2002 9 16, p. 1. (3) OL L 30, 2008 2 4, p. 52. (4) OL L 357, 2002 12 31, p. 72. EUROPOS PARLAMENTO REZOLIUCIJA 2011 m. gegužės 10 d. su pastabomis, sudarančiomis neatskiriamą sprendimo dėl bendrosios įmonės ARTEMIS 2009 finansinių metų biudžeto įvykdymo patvirtinimo dalį EUROPOS PARLAMENTAS, — atsižvelgdamas į bendrosios įmonės ARTEMIS 2009 finansinių metų galutines metines ataskaitas, — atsižvelgdamas į Audito Rūmų ataskaitą dėl bendrosios įmonės ARTEMIS 2009 m. gruodžio 31 d. pasibaigusių finansinių metų galutinių metinių ataskaitų kartu su bendrosios įmonės atsakymais (1), — atsižvelgdamas į 2011 m. vasario 15 d. Tarybos rekomendaciją (05894/2011 – C7–0051/2011), — atsižvelgdamas į EB sutarties 276 straipsnį ir Sutarties dėl Europos Sąjungos veikimo 319 straipsnį, — atsižvelgdamas į 2002 m. birželio 25 d. Tarybos reglamentą (EB, Euratomas) Nr. 1605/2002 dėl Europos Bendrijų bendrajam biudžetui taikomo finansinio reglamento (2), ypač į jo 185 straipsnį, — atsižvelgdamas į 2007 m. gruodžio 20 d. Tarybos reglamentą (EB) Nr. 74/2008 dėl bendrosios įmonės ARTEMIS įsteigimo siekiant įgyvendinti įterptųjų kompiuterinių sistemų jungtinę technologijų iniciatyvą (3), ypač į jo 11 straipsnio 4 dalį, — atsižvelgdamas į bendrosios įmonės ARTEMIS finansines taisykles, patvirtintas 2008 m. gruodžio 18 d. jos valdybos sprendimu, — atsižvelgdamas į Komisijos 2002 m. lapkričio 19 d. reglamentą (EB, Euratomas) Nr. 2343/2002 dėl finansinio pagrindų reglamento, skirto įstaigoms, minėtoms Tarybos reglamento (EB, Euratomas) Nr. 1605/2002 dėl Europos Bendrijų bendrajam biudžetui taikomo finansinio reglamento (4) 185 straipsnyje, ypač į jo 94 straipsnį, — atsižvelgdamas į Darbo tvarkos taisyklių 77 straipsnį ir į VI priedą, — atsižvelgdamas į Biudžeto kontrolės komiteto pranešimą (A7–0126/2011), A. kadangi Audito Rūmai pranešė, kad jiems pateiktas pagrįstas patikinimas, jog 2009 finansinių metų metinės ataskaitos yra patikimos ir pagal jas atliktos finansinės operacijos yra teisėtos ir tvarkingos; B. kadangi 2007 m. gruodžio mėn. buvo įsteigta bendroji įmonė ARTEMIS, kurios paskirtis – apibrėžti ir įgyvendinti pagrindinių technologijų, susijusių su įterptosiomis kompiuterinėmis sistemomis įvairiose taikymo srityse, vystymo mokslinių tyrimų darbotvarkę siekiant skatinti Europos konkurencingumą ir tvarumą ir sudaryti sąlygas naujų rinkų atsiradimui bei visuomenei naudingam technologijų taikymui; C. kadangi bendroji įmonė dar tik pradeda veiklą, ir 2009 m. pabaigoje dar buvo nevisiškai įdiegusi savo vidaus kontrolės ir finansinės atskaitomybės sistemas; Biudžeto vykdymas 1. pažymi, kad bendrosios įmonės galutiniame 2009 m. biudžete buvo numatyta 46 000 000 EUR įsipareigojimų asignavimų ir 8 000 000 EUR mokėjimų asignavimų; taip pat pažymi, kad įsipareigojimų ir mokėjimų asignavimų panaudojimo rodikliai atitinkamai buvo 81 % ir 20 %; 2. pripažįsta, kad bendroji įmonė tebėra pradiniame veiklos etape ir dėl šios priežasties suprantamas palyginti mažas mokėjimų asignavimų panaudojimo lygis; Narių įnašai 3. ragina bendrąją įmonę suderinti narių įnašų pateikimą ataskaitose vadovaujantis Komisijos gairėmis; 4. ragina bendrąją įmonę toliau gerinti nuostatas dėl narystės ir bendro finansavimo, visų pirma nuostatas dėl: — naujų narių įstojimo tvarkos, — narių daromų įnašų natūra, — sąlygų, kuriomis bendroji įmonė gali atlikti narių įnašų auditą, — sąlygų, kuriomis administracinė valdyba gali tvirtinti bendrą finansavimą; Vidaus kontrolės sistemos 5. L_2011250FR. 01024201. xml 27. 9. 2011 FR Journal officiel de l'Union européenne L 250/242 DÉCISION DU PARLEMENT EUROPÉEN du 10 mai 2011 concernant la décharge sur l’exécution du budget de l’entreprise commune Artemis pour l’exercice 2009 (2011/610/UE) LE PARLEMENT EUROPÉEN, — vu les comptes annuels définitifs de l’entreprise commune Artemis relatifs à l’exercice 2009, — vu le rapport de la Cour des comptes sur les comptes annuels de l’entreprise commune Artemis relatifs à l’exercice clos le 31 décembre 2009, accompagné des réponses de l’entreprise commune (1), — vu la recommandation du Conseil du 15 février 2011 (05894/2011 – C7-0051/2011), — vu l’article 276 du traité instituant la Communauté européenne et l’article 319 du traité sur le fonctionnement de l’Union européenne, — vu le règlement (CE, Euratom) no 1605/2002 du Conseil du 25 juin 2002 portant règlement financier applicable au budget général des Communautés européennes (2), et notamment son article 185, — vu le règlement (CE) no 74/2008 du Conseil du 20 décembre 2007 portant établissement de l’entreprise commune Artemis pour la mise en œuvre d’une initiative technologique conjointe sur les systèmes informatiques embarqués (3), et notamment son article 11, paragraphe 4, — vu le règlement (CE, Euratom) no 2343/2002 de la Commission du 19 novembre 2002 portant règlement financier-cadre des organismes visés à l’article 185 du règlement (CE, Euratom) no 1605/2002 du Conseil portant règlement financier applicable au budget général des Communautés européennes (4), et notamment son article 94, — vu l’article 77 et l’annexe VI de son règlement, — vu le rapport de la commission du contrôle budgétaire (A7-0126/2011), 1. donne décharge au directeur exécutif de l’entreprise commune Artemis sur l’exécution du budget de l’entreprise commune pour l’exercice 2009; 2. présente ses observations dans la résolution ci-après; 3. charge son président de transmettre la présente décision, ainsi que la résolution qui en fait partie intégrante, au directeur exécutif de l’entreprise commune Artemis, au Conseil, à la Commission et à la Cour des comptes, et d’en assurer la publication au Journal officiel de l’Union européenne (série L). Le président Jerzy BUZEK Le secrétaire général Klaus WELLE (1) JO C 342 du 16. 12. 2010, p. 1. (2) JO L 248 du 16. 9. 2002, p. 1. (3) JO L 30 du 4. 2. 2008, p. 52. (4) JO L 357 du 31. 12. 2002, p. 72. RÉSOLUTION DU PARLEMENT EUROPÉEN du 10 mai 2011 contenant les observations qui font partie intégrante de la décision concernant la décharge sur l’exécution du budget de l’entreprise commune Artemis pour l’exercice 2009 LE PARLEMENT EUROPÉEN, — vu les comptes annuels définitifs de l’entreprise commune Artemis relatifs à l’exercice 2009, — vu le rapport de la Cour des comptes sur les comptes annuels de l’entreprise commune Artemis relatifs à l’exercice clos le 31 décembre 2009, accompagné des réponses de l’entreprise commune (1), — vu la recommandation du Conseil du 15 février 2011 (05894/2011 – C7-0051/2011), — vu l’article 276 du traité instituant la Communauté européenne et l’article 319 du traité sur le fonctionnement de l’Union européenne, — vu le règlement (CE, Euratom) no 1605/2002 du Conseil du 25 juin 2002 portant règlement financier applicable au budget général des Communautés européennes (2), et notamment son article 185, — vu le règlement (CE) no 74/2008 du Conseil du 20 décembre 2007 portant établissement de l’entreprise commune Artemis pour la mise en œuvre d’une initiative technologique conjointe sur les systèmes informatiques embarqués (3), et notamment son article 11, paragraphe 4, — vu la réglementation financière de l’entreprise commune Artemis adoptée par décision de son comité directeur du 18 décembre 2008, — vu le règlement (CE, Euratom) no 2343/2002 de la Commission du 19 novembre 2002 portant règlement financier-cadre des organismes visés à l’article 185 du règlement (CE, Euratom) no 1605/2002 du Conseil portant règlement financier applicable au budget général des Communautés européennes (4), et notamment son article 94, — vu l’article 77 et l’annexe VI de son règlement, — vu le rapport de la commission du contrôle budgétaire (A7-0126/2011), A. considérant que la Cour des comptes a indiqué avoir obtenu une assurance raisonnable que les comptes annuels de l’exercice 2009 sont fiables et que les opérations sous-jacentes sont légales et régulières, B. considérant que l’entreprise commune Artemis a été créée en décembre 2007 pour définir et mettre en œuvre un «programme de recherche» pour le développement de technologies essentielles pour les systèmes informatiques embarqués dans différents domaines d’application afin de renforcer la compétitivité européenne et le développement durable et de permettre l’émergence de nouveaux marchés et de nouvelles applications sociétales, C. considérant que l’entreprise commune est dans sa phase de démarrage et qu’elle n’avait pas encore complètement mis en place ses systèmes de contrôle interne et d’information financière à la fin de l’année 2009, Exécution du budget 1. constate que le budget définitif de l’entreprise commune pour l’exercice 2009 comprenait 46 000 000 EUR en crédits d’engagement et 8 000 000 EUR en crédits de paiement; reconnaît par ailleurs que les taux d’exécution ont atteint, respectivement, 81 % et 20 %; 2. reconnaît que l’entreprise commune est encore dans sa phase de démarrage et comprend dès lors le taux d’exécution relativement faible des crédits de paiement; Contributions des membres 3. invite l’entreprise commune à harmoniser la présentation des contributions des membres dans ses comptes en suivant les orientations de la Commission; 4. demande à l’entreprise commune de préciser davantage les dispositions relatives à la qualité de membre et au cofinancement, notamment en ce qui concerne: — les dispositions en matière d’adhésion de nouveaux membres, — les contributions en nature fournies par les membres, — les modalités et les conditions dans lesquelles l’entreprise commune peut procéder à un audit des contributions des membres, — les conditions dans lesquelles le comité directeur peut approuver un cofinancement; Systèmes de contrôle interne 5. invite instamment l’entreprise commune à terminer de mettre en place ses contrôles internes et son système d’information financière; demande en particulier à l’entreprise commune: — d’améliorer la documentation des processus et activités informatiques, ainsi que l’analyse des risques informatiques, — d’élaborer un plan de continuité des activités, — d’élaborer une politique en matière de protection des données; 6. invite l’entreprise commune à faire figurer dans sa réglementation financière une référence spécifique aux compétences conférées au service d’audit interne (IAS) au titre d’auditeur interne de ladite entreprise commune, sur la base des dispositions visées dans le règlement financier-cadre applicable aux organismes communautaires; 7. L_2011250PT. 01024201. xml 27. 9. 2011 PT Jornal Oficial da União Europeia L 250/242 DECISÃO DO PARLAMENTO EUROPEU de 10 de Maio de 2011 sobre a quitação pela execução do orçamento da Empresa Comum Artemis para o exercício de 2009 (2011/610/UE) O PARLAMENTO EUROPEU, — atendendo às contas anuais definitivas da Empresa Comum Artemis relativas ao exercício de 2009, — tendo em conta o relatório do Tribunal de Contas sobre as contas anuais da Empresa Comum Artemis relativas ao exercício de 2009, acompanhado das respostas da Empresa Comum (1), — tendo em conta a recomendação do Conselho de 15 de Fevereiro de 2011 (05894/2011 – C7-0051/2011), — tendo em conta o artigo 276. o do Tratado CE e o artigo 319. o do Tratado sobre o Funcionamento da União Europeia, — tendo em conta o Regulamento (CE, Euratom) n. o 1605/2002 do Conselho, de 25 de Junho de 2002, que institui o Regulamento Financeiro aplicável ao orçamento geral das Comunidades Europeias (2), nomeadamente o artigo 185. o, — tendo em conta o Regulamento (CE) n. o 74/2008 do Conselho, de 20 de Dezembro de 2007, relativo à constituição da Empresa Comum Artemis para realizar a iniciativa tecnológica conjunta no domínio dos sistemas informáticos incorporados (3), nomeadamente o n. o 4 do artigo 11. o, — tendo em conta o Regulamento (CE, Euratom) n. o 2343/2002 da Comissão, de 19 de Novembro de 2002, que institui o Regulamento Financeiro Quadro dos organismos referidos no artigo 185. o do Regulamento (CE, Euratom) n. o 1605/2002 do Conselho que institui o Regulamento Financeiro aplicável ao orçamento geral das Comunidades Europeias (4), nomeadamente o artigo 94. o, — tendo em conta o artigo 77. o e o anexo VI do seu Regimento, — tendo em conta o relatório da Comissão do Controlo Orçamental (A7-0126/2011), 1. Dá quitação ao director executivo da Empresa Comum Artemis pela execução do orçamento da Empresa Comum para o exercício de 2009; 2. Regista as suas observações na resolução que se segue; 3. Encarrega o seu presidente de transmitir a presente decisão e a resolução que dela constitui parte integrante ao director executivo da Empresa Comum Artemis, ao Conselho, à Comissão e ao Tribunal de Contas, bem como de prover à respectiva publicação no Jornal Oficial da União Europeia (série L). O Presidente Jerzy BUZEK O Secretário-Geral Klaus WELLE (1) JO C 342 de 16. 12. 2010, p. 1. (2) JO L 248 de 16. 9. 2002, p. 1. (3) JO L 30 de 4. 2. 2008, p. 52. (4) JO L 357 de 31. 12. 2002, p. 72. RESOLUÇÃO DO PARLAMENTO EUROPEU de 10 de Maio de 2011 que contém as observações que constituem parte integrante da decisão sobre a quitação pela execução do orçamento da Empresa Comum Artemis para o exercício de 2009 O PARLAMENTO EUROPEU, — atendendo às contas anuais definitivas da Empresa Comum Artemis relativas ao exercício de 2009, — tendo em conta o relatório do Tribunal de Contas sobre as contas anuais da Empresa Comum Artemis relativas ao exercício de 2009, acompanhado das respostas da Empresa Comum (1), — tendo em conta a recomendação do Conselho de 15 de Fevereiro de 2011 (05894/2011 – C7-0051/2011), — tendo em conta o artigo 276. o do Tratado CE e o artigo 319. o do Tratado sobre o Funcionamento da União Europeia, — tendo em conta o Regulamento (CE, Euratom) n. o 1605/2002 do Conselho, de 25 de Junho de 2002, que institui o Regulamento Financeiro aplicável ao orçamento geral das Comunidades Europeias (2), nomeadamente o artigo 185. o, — tendo em conta o Regulamento (CE) n. o 74/2008 do Conselho, de 20 de Dezembro de 2007, relativo à constituição da Empresa Comum Artemis para realizar a iniciativa tecnológica conjunta no domínio dos sistemas informáticos incorporados (3), nomeadamente o n. o 4 do artigo 11. o, — tendo em conta o Regulamento Financeiro da Empresa Comum Artemis, adoptado por decisão do seu Conselho de Administração em 18 de Dezembro de 2008, — tendo em conta o Regulamento (CE, Euratom) n. o 2343/2002 da Comissão, de 19 de Novembro de 2002, que institui o Regulamento Financeiro Quadro dos organismos referidos no artigo 185. o do Regulamento (CE, Euratom) n. o 1605/2002 do Conselho que institui o Regulamento Financeiro aplicável ao orçamento geral das Comunidades Europeias (4), nomeadamente o artigo 94. o, — tendo em conta o artigo 77. o e o anexo VI do seu Regimento, — tendo em conta o relatório da Comissão do Controlo Orçamental (A7-0126/2011), A. Considerando que o Tribunal de Contas declarou ter obtido garantias suficientes de que as contas anuais relativas ao exercício de 2009 são fiáveis e de que as operações subjacentes são legais e regulares, B. Considerando que a Empresa Comum Artemis foi criada em Dezembro de 2007 para definir e executar uma «agenda de investigação» para o desenvolvimento de tecnologias-chave no domínio dos sistemas informáticos incorporados em diferentes áreas de aplicação, com vista a reforçar a competitividade e sustentabilidade da Europa e permitir a emergência de novos mercados e aplicações societais, C. Considerando que a Empresa Comum se encontra numa fase de arranque e que, no final de 2009, ainda não tinha instalado completamente os seus controlos internos e o seu sistema de informação financeira, Execução do orçamento 1. Nota que o orçamento definitivo da Empresa Comum para 2009 incluía 46 000 000 de EUR em dotações de autorização e 8 000 000 de EUR em dotações de pagamento; verifica também que as taxas de utilização das dotações de autorização e de pagamento foram, respectivamente, de 81 % e de 20 %; 2. Reconhece que a Empresa Comum se encontra ainda em fase de arranque e, portanto, que a taxa de utilização relativamente reduzida das dotações de pagamento é compreensível; Contribuições dos membros 3. Solicita à Empresa Comum que harmonize a apresentação das contribuições dos membros nas contas, sob a orientação da Comissão; 4. Insta a Empresa Comum a continuar a desenvolver disposições relativas à qualidade de membro e ao co-financiamento, nomeadamente: — disposições relativas à adesão de novos membros, — contribuições em espécie dos membros, — os termos e as condições ao abrigo das quais a Empresa Comum poderá auditar as contribuições dos membros, — as condições ao abrigo das quais o Conselho de Administração poderá aprovar o co-financiamento; Sistemas de controlo interno 5. Insta a Empresa Comum a concluir a instalação do seu sistema de controlos internos e informação financeira; solicita concretamente à Empresa Comum que: — melhore a documentação dos processos e actividades de TI e a análise dos respectivos riscos, — elabore um plano de continuidade de actividades, — elabore uma política de protecção de dados; 6. Solicita à Empresa Comum que inclua no seu Regulamento Financeiro uma referência expressa às competências do Serviço de Auditoria Interna da Comissão (SAI) enquanto seu auditor interno, com base no disposto no Regulamento Financeiro aplicável aos órgãos comunitários; 7. L_2011250HU. 01024201. xml 27. 9. 2011 HU Az Európai Unió Hivatalos Lapja L 250/242 AZ EURÓPAI PARLAMENT HATÁROZATA (2011. május 10. ) az ARTEMIS közös vállalkozás 2009-es pénzügyi évre szóló költségvetésének végrehajtására vonatkozó mentesítésről (2011/610/EU) AZ EURÓPAI PARLAMENT, — tekintettel az ARTEMIS közös vállalkozás 2009-es pénzügyi évre vonatkozó végleges éves beszámolójára, — tekintettel a Számvevőszéknek az ARTEMIS közös vállalkozás 2009. december 31-i pénzügyi évre vonatkozó éves beszámolójáról szóló jelentésére, a közös vállalkozás válaszaival együtt (1), — tekintettel a Tanács 2011. február 15-i ajánlására (05894/2011 – C7-0051/2011), — tekintettel az EK-Szerződés 276. cikkére, valamint az Európai Unió működéséről szóló szerződés 319. cikkére, — tekintettel az Európai Közösségek általános költségvetésére alkalmazandó költségvetési rendeletről szóló, 2002. június 25-i 1605/2002/EK, Euratom tanácsi rendeletre (2) és különösen annak 185. cikkére, — tekintettel a beágyazott számítástechnikai rendszerekre irányuló közös technológiai kezdeményezést megvalósító ARTEMIS közös vállalkozás létrehozásáról szóló, 2007. december 20-i 74/2008/EK tanácsi rendeletre (3) és különösen annak 11. cikke (4) bekezdésére, — tekintettel az Európai Közösségek általános költségvetésére alkalmazandó költségvetési rendeletről szóló 1605/2002/EK, Euratom tanácsi rendelet 185. cikkében említett szervekre vonatkozó költségvetési keretrendeletről szóló, 2002. november 19-i 2343/2002/EK, Euratom bizottsági rendeletre (4) és különösen annak 94. cikkére, — tekintettel eljárási szabályzatának 77. cikkére és VI. mellékletére, — tekintettel a Költségvetési Ellenőrző Bizottság jelentésére (A7-0126/2011), 1. mentesítést ad az ARTEMIS közös vállalkozás ügyvezető igazgatója számára a közös vállalkozás 2009-es pénzügyi évre szóló költségvetésének végrehajtására vonatkozóan; 2. megjegyzéseit a mellékelt állásfoglalásban foglalja össze; 3. utasítja elnökét, hogy továbbítsa ezt a határozatot, valamint az annak szerves részét képező állásfoglalást az ARTEMIS közös vállalkozás ügyvezető igazgatójának, a Tanácsnak, a Bizottságnak és a Számvevőszéknek, és gondoskodjon az Európai Unió Hivatalos Lapjában (L sorozat) való közzétételéről. az elnök Jerzy BUZEK a főtitkár Klaus WELLE (1) HL C 342. , 2010. 12. 16. , 1. o. (2) HL L 248. , 2002. 9. 16. , 1. o. (3) HL L 30. , 2008. 2. 4. , 52. o. (4) HL L 357. , 2002. 12. 31. , 72. o. AZ EURÓPAI PARLAMENT ÁLLÁSFOGLALÁSA (2011. május 10. ) az ARTEMIS közös vállalkozás 2009-es pénzügyi évre szóló költségvetésének végrehajtására vonatkozó mentesítésről szóló határozat szerves részét képező megjegyzésekkel AZ EURÓPAI PARLAMENT, — tekintettel az ARTEMIS közös vállalkozás 2009-es pénzügyi évre vonatkozó végleges éves beszámolójára, — tekintettel a Számvevőszéknek az ARTEMIS közös vállalkozás 2009. december 31-i pénzügyi évre vonatkozó éves beszámolójáról szóló jelentésére, a közös vállalkozás válaszaival együtt (1), — tekintettel a Tanács 2011. február 15-i ajánlására (05894/2011 – C7-0051/2011), — tekintettel az EK-Szerződés 276. cikkére, valamint az Európai Unió működéséről szóló szerződés 319. cikkére, — tekintettel az Európai Közösségek általános költségvetésére alkalmazandó költségvetési rendeletről szóló, 2002. június 25-i 1605/2002/EK, Euratom tanácsi rendeletre (2) és különösen annak 185. cikkére, — tekintettel a beágyazott számítástechnikai rendszerekre irányuló közös technológiai kezdeményezést megvalósító ARTEMIS közös vállalkozás létrehozásáról szóló, 2007. december 20-i 74/2008/EK tanácsi rendeletre (3) és különösen annak 11. cikke (4) bekezdésére, — tekintettel az ARTEMIS közös vállalkozás pénzügyi szabályzatára, amelyet igazgatótanácsa 2008. december 18-i határozatával fogadott el, — tekintettel az 1605/2002/EK, Euratom tanácsi rendelet 185. cikkében említett szervekre vonatkozó költségvetési keretrendeletről szóló, 2002. november 19-i 2343/2002/EK, Euratom bizottsági rendeletre (4) és különösen annak 94. cikkére, — tekintettel eljárási szabályzatának 77. cikkére és VI. mellékletére, — tekintettel a Költségvetési Ellenőrző Bizottság jelentésére (A7-0126/2011), A. mivel a Számvevőszék megállapítja, hogy kellő mértékben megbizonyosodott arról, hogy a 2009-es pénzügyi évre vonatkozó éves beszámoló megbízható, és hogy az annak alapjául szolgáló ügyletek jogszerűek és szabályszerűek, B. mivel az ARTEMIS közös vállalkozást 2007 decemberében hozták létre, hogy meghatározza és végrehajtsa különféle alkalmazási területeken a beágyazott számítástechnikai rendszerek számára kulcsfontosságú technológiák kifejlesztésének kutatási ütemtervét annak érdekében, hogy az európai versenyképesség és fenntarthatóság erősödjön, valamint új piacok és társadalmi alkalmazások alakulhassanak ki, C. mivel a közös vállalkozás kezdeti szakaszban van, és 2009 végéig még nem hozta létre teljes mértékben a belső ellenőrzési és pénzügyi beszámolási rendszerét, A költségvetés végrehajtása 1. megjegyzi, hogy a közös vállalkozás 2009-es költségvetése 46 000 000 EUR kötelezettségvállalási előirányzatot és 8 000 000 EUR kifizetési előirányzatot tartalmazott; tudomásul veszi, hogy a kötelezettségvállalási és kifizetési előirányzatok felhasználási aránya 81 %-os, illetve 20 %-os volt; 2. elismeri, hogy a közös vállalkozás még mindig kezdeti szakaszában van, ezért megérti, hogy a kifizetési előirányzatok felhasználási aránya viszonylag alacsony; A tagok hozzájárulása 3. felhívja a közös vállalkozást, hogy a Bizottság iránymutatása alapján elszámolásában harmonizálja tagjai hozzájárulásának bemutatását; 4. felhívja a közös vállalkozást, hogy fejlessze tovább a tagságra és a társfinanszírozásra vonatkozó rendelkezéseit, különös tekintettel az alábbiakra: — új tagok csatlakozására vonatkozó rendelkezések, — a tagok természetbeni hozzájárulása, — azon feltételek, amelyek alapján a közös vállalkozás ellenőrizheti tagjainak hozzájárulásait, — azon feltételek, amelyek alapján az igazgatótanács jóváhagyhatja a társfinanszírozást; Belső ellenőrzési rendszerek 5. L_2011250EN. 01024201. xml 27. 9. 2011 EN Official Journal of the European Union L 250/242 DECISION OF THE EUROPEAN PARLIAMENT of 10 May 2011 on discharge in respect of the implementation of the budget of the ARTEMIS Joint Undertaking for the financial year 2009 (2011/610/EU) THE EUROPEAN PARLIAMENT, — having regard to the final annual accounts of the ARTEMIS Joint Undertaking for the financial year 2009, — having regard to the Court of Auditors’ report on the annual accounts of the Artemis Joint Undertaking for the financial year ended 31 December 2009, together with the replies of the Joint Undertaking (1), — having regard to the Council’s recommendation of 15 February 2011 (05894/2011 — C7-0051/2011), — having regard to Article 276 of the EC Treaty and Article 319 of the Treaty on the Functioning of the European Union, — having regard to Council Regulation (EC, Euratom) No 1605/2002 of 25 June 2002 on the Financial Regulation applicable to the general budget of the European Communities (2), and in particular Article 185 thereof, — having regard to Council Regulation (EC) No 74/2008 of 20 December 2007 on the establishment of the ‘ARTEMIS Joint Undertaking’ to implement a Joint Technology Initiative in Embedded Computing Systems (3), and in particular Article 11(4) thereof, — having regard to Commission Regulation (EC, Euratom) No 2343/2002 of 19 November 2002 on the framework Financial Regulation for the bodies referred to in Article 185 of Council Regulation (EC, Euratom) No 1605/2002 on the Financial Regulation applicable to the general budget of the European Communities (4), and in particular Article 94 thereof, — having regard to Rule 77 of, and Annex VI to, its Rules of Procedure, — having regard to the report of the Committee on Budgetary Control (A7-0126/2011), 1. Grants the Executive Director of the ARTEMIS Joint Undertaking discharge in respect of the implementation of the Joint Undertaking’s budget for the financial year 2009; 2. Sets out its observations in the resolution below; 3. Instructs its President to forward this Decision and the resolution that forms an integral part of it to the Executive Director of the ARTEMIS Joint Undertaking, the Council, the Commission and the Court of Auditors, and to arrange for their publication in the Official Journal of the European Union (L series). The President Jerzy BUZEK The Secretary-General Klaus WELLE (1) OJ C 342, 16. 12. 2010, p. 1. (2) OJ L 248, 16. 9. 2002, p. 1. (3) OJ L 30, 4. 2. 2008, p. 52. (4) OJ L 357, 31. 12. 2002, p. 72. RESOLUTION OF THE EUROPEAN PARLIAMENT of 10 May 2011 with observations forming an integral part of its Decision on discharge in respect of the implementation of the budget of the ARTEMIS Joint Undertaking for the financial year 2009 THE EUROPEAN PARLIAMENT, — having regard to the final annual accounts of the ARTEMIS Joint Undertaking for the financial year 2009, — having regard to the Court of Auditors’ report on the annual accounts of the Artemis Joint Undertaking for the financial year ended 31 December 2009, together with the replies of the Joint Undertaking (1), — having regard to the Council’s recommendation of 15 February 2011 (05894/2011 — C7-0051/2011), — having regard to Article 276 of the EC Treaty and Article 319 of the Treaty on the Functioning of the European Union, — having regard to Council Regulation (EC, Euratom) No 1605/2002 of 25 June 2002 on the Financial Regulation applicable to the general budget of the European Communities (2), and in particular Article 185 thereof, — having regard to Council Regulation (EC) No 74/2008 of 20 December 2007 on the establishment of the ‘ARTEMIS Joint Undertaking’ to implement a Joint Technology Initiative in Embedded Computing Systems (3), and in particular Article 11(4) thereof, — having regard to the Financial Rules of the ARTEMIS Joint Undertaking adopted by Decision of its Governing Board on 18 December 2008, — having regard to Commission Regulation (EC, Euratom) No 2343/2002 of 19 November 2002 on the framework Financial Regulation for the bodies referred to in Article 185 of Council Regulation (EC, Euratom) No 1605/2002 on the Financial Regulation applicable to the general budget of the European Communities (4), and in particular Article 94 thereof, — having regard to Rule 77 of, and Annex VI to, its Rules of Procedure, — having regard to the report of the Committee on Budgetary Control (A7-0126/2011), A. whereas the Court of Auditors stated that it has obtained reasonable assurances that the annual accounts for the financial year 2009 are reliable and that the underlying transactions are legal and regular, B. whereas the ARTEMIS Joint Undertaking was set up in December 2007 to define and implement a ‘Research Agenda’ for the development of key technologies for embedded computing systems across different application areas in order to strengthen European competitiveness and sustainability, and allow the emergence of new markets and societal applications, C. whereas the Joint Undertaking is in a start-up phase and had not yet fully established its internal control and financial reporting systems by the end of 2009, Implementation of the budget 1. Notes that the Joint Undertaking final 2009 budget included commitment appropriations of EUR 46 000 000 and payment appropriations of EUR 8 000 000; further acknowledges that the utilisation rates for commitment and payment appropriations were 81 % and 20 % respectively; 2. Recognises that the Joint Undertaking is still in a start-up period and therefore understands the relatively low utilisation rate for payment appropriations; Members’ contribution 3. Calls on the Joint Undertaking to harmonise the presentation of members’ contributions in the accounts under the guidance of the Commission; 4. Calls on the Joint Undertaking to further develop provisions on membership and co-financing and, in particular, on: — the arrangements for the accession of new members, — the in-kind contributions by members, — the terms and conditions under which the Joint Undertaking may audit the contributions of the members, — the conditions under which the Governing Board may approve co-financing; Internal control systems 5. Urges the Joint Undertaking to complete the implementation of its internal controls and financial information system; calls specifically on the Joint Undertaking to: — improve its documentation of IT processes and activities and the mapping of IT risks, — develop a business continuity plan, — develop a data protection policy; 6. Calls on the Joint Undertaking to include in its Financial Rules a specific reference to the powers of the Internal Audit Service (IAS) as its Internal Auditor, on the basis of the provision set out in the framework Financial Regulation for Community bodies; 7. L_2011250NL. 01024201. xml 27. 9. 2011 NL Publicatieblad van de Europese Unie L 250/242 BESLUIT VAN HET EUROPEES PARLEMENT van 10 mei 2011 over het verlenen van kwijting voor de uitvoering van de begroting van de gemeenschappelijke onderneming Artemis voor het begrotingsjaar 2009 (2011/610/EU) HET EUROPEES PARLEMENT, — gezien de definitieve jaarrekening van de gemeenschappelijke onderneming Artemis voor het begrotingsjaar 2009, — gezien het verslag van de Rekenkamer over de jaarrekening van de gemeenschappelijke onderneming Artemis betreffende het per 31 december 2009 afgesloten begrotingsjaar, vergezeld van de antwoorden van de gemeenschappelijke onderneming (1), — gezien de aanbeveling van de Raad van 15 februari 2011 (05894/2011 — C7-0051/2011), — gezien artikel 276 van het EG-Verdrag en artikel 319 van het Verdrag betreffende de werking van de Europese Unie, — gezien Verordening (EG, Euratom) nr. 1605/2002 van de Raad van 25 juni 2002 houdende het Financieel Reglement van toepassing op de algemene begroting van de Europese Gemeenschappen (2), en met name artikel 185, — gezien Verordening (EG) nr. 74/2008 van de Raad van 20 december 2007 betreffende de oprichting van de gemeenschappelijke onderneming Artemis voor de tenuitvoerlegging van een gezamenlijk technologie-initiatief inzake ingebedde computersystemen (3), en met name artikel 11, lid 4, — gezien Verordening (EG, Euratom) nr. 2343/2002 van 19 november 2002 van de Commissie houdende de financiële kaderregeling van de organen zoals bedoeld in artikel 185 van Verordening (EG, Euratom) nr. 1605/2002 van de Raad houdende het Financieel Reglement van toepassing op de algemene begroting van de Europese Gemeenschappen (4), en met name artikel 94, — gezien artikel 77 en bijlage VI van zijn Reglement, — gezien het verslag van de Commissie begrotingscontrole (A7-0126/2011), 1. verleent de uitvoerend directeur van de gemeenschappelijke onderneming Artemis kwijting voor de uitvoering van de begroting van de gemeenschappelijke onderneming voor het begrotingsjaar 2009; 2. formuleert zijn opmerkingen in onderstaande resolutie; 3. verzoekt zijn voorzitter dit besluit en de resolutie die daarvan een integrerend deel uitmaakt, te doen toekomen aan de uitvoerend directeur van de gemeenschappelijke onderneming Artemis, de Raad, de Commissie en de Rekenkamer en te zorgen voor publicatie ervan in het Publicatieblad van de Europese Unie (serie L). De voorzitter Jerzy BUZEK De secretaris-generaal Klaus WELLE (1) PB C 342 van 16. 12. 2010, blz. 1. (2) PB L 248 van 16. 9. 2002, blz. 1. (3) PB L 30 van 4. 2. 2008, blz. 52. (4) PB L 357 van 31. 12. 2002, blz. 72. RESOLUTIE VAN HET EUROPEES PARLEMENT van 10 mei 2011 met de opmerkingen die een integrerend deel uitmaken van zijn besluit over het verlenen van kwijting voor de uitvoering van de begroting van de gemeenschappelijke onderneming Artemis voor het begrotingsjaar 2009 HET EUROPEES PARLEMENT, — gezien de definitieve jaarrekening van de gemeenschappelijke onderneming Artemis voor het begrotingsjaar 2009, — gezien het verslag van de Rekenkamer over de jaarrekening van de gemeenschappelijke onderneming Artemis betreffende het per 31 december 2009 afgesloten begrotingsjaar, vergezeld van de antwoorden van de gemeenschappelijke onderneming (1), — gezien de aanbeveling van de Raad van 15 februari 2011 (05894/2011 — C7-0051/2011), — gezien artikel 276 van het EG-Verdrag en artikel 319 van het Verdrag betreffende de werking van de Europese Unie, — gezien Verordening (EG, Euratom) nr. 1605/2002 van de Raad van 25 juni 2002 houdende het Financieel Reglement van toepassing op de algemene begroting van de Europese Gemeenschappen (2), en met name artikel 185, — gezien Verordening (EG) nr. 74/2008 van de Raad van 20 december 2007 betreffende de oprichting van de gemeenschappelijke onderneming Artemis voor de tenuitvoerlegging van een gezamenlijk technologie-initiatief inzake ingebedde computersystemen (3), en met name artikel 11, lid 4, — gezien het financieel reglement van de gemeenschappelijke onderneming Artemis, die is vastgesteld bij besluit van haar raad van bestuur van 18 december 2008, — gezien Verordening (EG, Euratom) nr. 2343/2002 van 19 november 2002 van de Commissie houdende de financiële kaderregeling van de organen zoals bedoeld in artikel 185 van Verordening (EG, Euratom) nr. 1605/2002 van de Raad houdende het Financieel Reglement van toepassing op de algemene begroting van de Europese Gemeenschappen (4), en met name artikel 94, — gezien artikel 77 en bijlage VI van zijn Reglement, — gezien het verslag van de Commissie begrotingscontrole (A7-0126/2011), A. overwegende dat de Rekenkamer verklaard heeft redelijke zekerheid te hebben verkregen dat de jaarrekening voor het begrotingsjaar 2009 betrouwbaar is en dat de onderliggende verrichtingen wettig en regelmatig zijn, B. overwegende dat de gemeenschappelijke onderneming Artemis in december 2007 is opgericht om een onderzoeksagenda vast te stellen en ten uitvoer te leggen voor de ontwikkeling van cruciale technologieën voor ingebedde computersystemen voor verschillende toepassingsgebieden, teneinde het Europese concurrentievermogen en de duurzaamheid van de economie te versterken en het ontstaan van nieuwe markten en maatschappelijke toepassingen te bevorderen, C. overwegende dat de gemeenschappelijke onderneming zich in de aanloopfase bevindt en dat haar interne controles en financiële informatiesysteem eind 2009 nog niet volledig waren opgezet, Uitvoering van de begroting 1. stelt vast dat de definitieve begroting van de gemeenschappelijke onderneming voor 2009 46 000 000 EUR aan vastleggingskredieten en 8 000 000 EUR aan betalingskredieten omvatte; erkent voorts dat de uitvoeringsgraad van de vastleggings- en betalingskredieten 81 %, respectievelijk 20 % bedroeg; 2. erkent dat de gemeenschappelijke onderneming zich nog in de aanloopfase bevindt, en heeft bijgevolg begrip voor de relatief lage uitvoeringsgraad van de betalingskredieten; Bijdragen van de leden 3. verzoekt de gemeenschappelijke onderneming de presentatie van de bijdragen van de leden in de rekeningen te harmoniseren onder auspiciën van de Commissie; 4. verzoekt de gemeenschappelijke onderneming de bepalingen betreffende lidmaatschap en cofinanciering verder te ontwikkelen, in het bijzonder wat betreft: — de regelingen voor de toetreding van nieuwe leden, — de bijdragen in natura van de leden, — de voorwaarden waaronder de gemeenschappelijke onderneming de bijdragen van de leden mag controleren, — de voorwaarden waaronder de raad van bestuur cofinanciering mag goedkeuren; Internecontrolesystemen 5. dringt er bij de gemeenschappelijke onderneming op aan de tenuitvoerlegging van haar interne controles en financiële-informatiesysteem te voltooien; verzoekt de gemeenschappelijke onderneming met name: — de documentatie van IT-processen en -activiteiten en het in kaart brengen van IT-risico’s te verbeteren; — een bedrijfscontinuïteitsplan op te stellen; — een gegevensbeschermingsbeleid te ontwikkelen; 6. verzoekt de gemeenschappelijke onderneming in haar financieel reglement een specifieke verwijzing op te nemen naar de bevoegdheden van de dienst Interne audit (IAS) van de Commissie als haar interne controleur op basis van de in de financiële kaderregeling voor communautaire organen opgenomen regeling; 7. is met name van oordeel dat het de rol van de IAS als interne controleur is om de gemeenschappelijke onderneming over risicobeheersing te adviseren door onafhankelijke adviezen uit te brengen over de kwaliteit van de beheer- en controlesystemen en aanbevelingen te formuleren ter verbetering van de uitvoeringsvoorwaarden van de verrichtingen en ter bevordering van een goed financieel beheer; acht het tevens van essentieel belang dat de gemeenschappelijke onderneming de kwijtingsautoriteit een door haar uitvoerend directeur opgesteld verslag voorlegt met een samenvatting van het aantal en het type door de interne controleur verrichte interne controles, de gedane aanbevelingen en de ingevolge deze aanbevelingen genomen maatregelen; 8. L_2011250DE. 01024201. xml 27. 9. 2011 DE Amtsblatt der Europäischen Union L 250/242 BESCHLUSS DES EUROPÄISCHEN PARLAMENTS vom 10. Mai 2011 betreffend die Entlastung zur Ausführung des Haushaltsplans des gemeinsamen Unternehmens Artemis für das Haushaltsjahr 2009 (2011/610/EU) DAS EUROPÄISCHE PARLAMENT, — in Kenntnis des endgültigen Rechnungsabschlusses des gemeinsamen Unternehmens Artemis für das Haushaltsjahr 2009, — in Kenntnis des Berichts des Rechnungshofs über den Jahresabschluss des gemeinsamen Unternehmens Artemis für das am 31. Dezember 2009 endende Haushaltsjahr zusammen mit den Antworten des gemeinsamen Unternehmens (1), — in Kenntnis der Empfehlung des Rates vom 15. Februar 2011 (05894/2011 — C7-0051/2011), — gestützt auf Artikel 276 des EG-Vertrags und Artikel 319 des Vertrags über die Arbeitsweise der Europäischen Union, — gestützt auf die Verordnung (EG, Euratom) Nr. 1605/2002 des Rates vom 25. Juni 2002 über die Haushaltsordnung für den Gesamthaushaltsplan der Europäischen Gemeinschaften (2), insbesondere auf Artikel 185, — gestützt auf die Verordnung (EG) Nr. 74/2008 des Rates vom 20. Dezember 2007 über die Gründung des Gemeinsamen Unternehmens Artemis zur Umsetzung einer gemeinsamen Technologieinitiative für eingebettete IKT-Systeme (3), insbesondere auf Artikel 11 Absatz 4, — gestützt auf die Verordnung (EG, Euratom) Nr. 2343/2002 der Kommission vom 19. November 2002 betreffend die Rahmenfinanzregelung für Einrichtungen gemäß Artikel 185 der Verordnung (EG, Euratom) Nr. 1605/2002 des Rates über die Haushaltsordnung für den Gesamthaushaltsplan der Europäischen Gemeinschaften (4), insbesondere auf Artikel 94, — gestützt auf Artikel 77 und Anlage VI seiner Geschäftsordnung, — in Kenntnis des Berichts des Haushaltskontrollausschusses (A7-0126/2011), 1. erteilt dem Exekutivdirektor des gemeinsamen Unternehmens Artemis Entlastung zur Ausführung des Haushaltsplans des gemeinsamen Unternehmens für das Haushaltsjahr 2009; 2. legt seine Bemerkungen in der nachstehenden Entschließung nieder; 3. beauftragt seinen Präsidenten, diesen Beschluss und die als integraler Bestandteil dazugehörige Entschließung dem Exekutivdirektor des gemeinsamen Unternehmens Artemis, dem Rat, der Kommission und dem Rechnungshof zu übermitteln und die Veröffentlichung im Amtsblatt der Europäischen Union (Reihe L) zu veranlassen. Der Präsident Jerzy BUZEK Der Generalsekretär Klaus WELLE (1) ABl. C 342 vom 16. 12. 2010, S. 1. (2) ABl. L 248 vom 16. 9. 2002, S. 1. (3) ABl. L 30 vom 4. 2. 2008, S. 52. (4) ABl. L 357 vom 31. 12. 2002, S. 72. ENTSCHLIEßUNG DES EUROPÄISCHEN PARLAMENTS vom 10. | 25,941 |
https://github.com/tgh12/incubator-kylin/blob/master/storage/src/main/java/org/apache/kylin/storage/hbase/InvertedIndexStorageEngine.java | Github Open Source | Open Source | Apache-2.0 | 2,015 | incubator-kylin | tgh12 | Java | Code | 229 | 606 | /*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.kylin.storage.hbase;
import java.util.ArrayList;
import org.apache.hadoop.hbase.client.HConnection;
import org.apache.kylin.common.persistence.HBaseConnection;
import org.apache.kylin.invertedindex.IIInstance;
import org.apache.kylin.invertedindex.IISegment;
import org.apache.kylin.metadata.realization.SQLDigest;
import org.apache.kylin.metadata.tuple.ITupleIterator;
import org.apache.kylin.storage.IStorageEngine;
import org.apache.kylin.storage.StorageContext;
import org.apache.kylin.storage.hbase.coprocessor.endpoint.EndpointTupleIterator;
/**
* @author yangli9
*/
public class InvertedIndexStorageEngine implements IStorageEngine {
private IISegment seg;
public InvertedIndexStorageEngine(IIInstance ii) {
this.seg = ii.getFirstSegment();
}
@Override
public ITupleIterator search(StorageContext context, SQLDigest sqlDigest) {
String tableName = seg.getStorageLocationIdentifier();
//HConnection is cached, so need not be closed
HConnection conn = HBaseConnection.get(context.getConnUrl());
try {
return new EndpointTupleIterator(seg, sqlDigest.filter, sqlDigest.groupbyColumns, new ArrayList<>(sqlDigest.aggregations), context, conn);
} catch (Throwable e) {
e.printStackTrace();
throw new IllegalStateException("Error when connecting to II htable " + tableName, e);
}
}
}
| 20,861 |
8690737_1 | Court Listener | Open Government | Public Domain | null | None | None | Unknown | Unknown | 958 | 1,098 | ADAIR, District Judge.
Let the record show that Civil P-943, 950, 945 and 960 have been consolidated for the purpose of argument of the motions, all of which are more or less the same, asking for dismissal of the complaint and alleging the same grounds, largely so ; that arguments have been heard and the first alleged ground for dismissal states that plaintiff has no authority to bring this action and is not a proper party plaintiff. I take it that is based largely upon the fact that a new law has been adopted, 50 U.S.C.A. Appendix, § 1881 et seq., and that the new law does not contain the same provisions that were found in the law preceding.
The controversy or the alleged acceptance of rents higher than authorized by law all occurred during the time that the old law which expired on June 30, 1947. was in effect. 50 U.S.C.A. Appendix, § 901 et seq. That old law carried with it a provision that any violation of that law could be enforced even after the expiration of the law. The court does not believe that the law as now adopted as the law of the land could control the violations that occurred prior to its acceptance or to its becoming law, but that any violation that occurred during the preceding law should be determined under the rules and regulations and provisions of that law. Hence, on ground number one the objection is overruled.
On the constitutional authority, I think that has been so strongly interpreted by the Supreme Court of the United States it would be almost foolhardy of me to attempt any change in the law that they have set forth and set down as the law of the land. They have said very definitely that the conclusion of fighting isn’t the conclusion or beginning of war. Neither do I believe it’s the duty of this court to determine when peace has arrived. That is a legislative act, or at least an executive act, to determine the conclusion of the war, unless this court or some higher court could say that it was just an arbitrary ruling and was not based on any facts whatever. I question whether this court would have power to say that. It seems it would be the duty of Congress and the *769president to declare not only have hostilities ceased but also that peace has returned, all of which has not been done at this time.
I realize there has been some statement by the president of the United States that certain controls over foods and so forth were no longer necessary. I realize, of course, the Congress of the United States, in adopting the new rent act, have overruled a great many provisions that existed in the former act, but I don’t believe it is the duty of this court to determine that even when the Congress in session now have admitted the necessity for a rent control act, that by their adoption of the act that we are still under the rules of court that were adopted at the outset. I don’t believe it’s up to me to say Congress is wrong or the president is wrong in a holding that the war has not been concluded, so on the second ground the court feels that the motion should he overruled.
One the third, the suit attempts to collect rent for a period of more than one year, it does so provide, as I see it, but that is hardly a ground for dismissal. It is grounds for the court, in the determination of the issues, to confine the issues to the one year period. I can see and perhaps there are many authorities, you could show even hack of that for the purpose of receiving an injunction. An injunction means somwhat the intent of man, and even though it might not be proof of an amount that might be collected by this particular agency, it might have to do with whether or not there was an intent to violate, that it existed for a longer period of time than the statutory time for the collection of penalties, but that, it. seems to me, would be governed entirely in the hearing of the case, and is not a ground for the dismissal of the particular action.
“4. The action seeks relief hut is not authorized under the statute.” I take it that ground depends more or less on your argument that the new law does not grant relief. The court is of the opinion this case is controlled entirely by the old law, and even though they might not he able to collect under the new act, under the old act under which the suit was brought the right was granted.
On the fifth I was confused, due more or less to the mimeographed copies. Is it meant you have certified checks in your office to pay those you claim have been injured? That is a mild request. The court would have to have very strong-proof or authority before he might grant any such an injunction. I am not suggesting he would or would not, but there would necessarily have to be considerable authority for me to do it.
As I understand the petition now, it asks an injunction enjoining the collection of rents until something is done. That is within the discretion of the court, and is not binding upon the courts and not binding on the defendants in this case and, for the reasons stated, the court is of the opinion the motion of each of the group under consideration is denied and the defendants will be granted sufficient time within which to answer. Ten days?.
| 33,532 |
https://github.com/superhuman/SwiftCal/blob/master/SwiftCal/SwiftCal.h | Github Open Source | Open Source | MIT | 2,023 | SwiftCal | superhuman | Objective-C | Code | 64 | 148 | //
// SwiftCal.h
// SwiftCal
//
// Created by Maurice Arikoglu on 03.12.17.
// Copyright © 2017 Maurice Arikoglu. All rights reserved.
//
#import <UIKit/UIKit.h>
//! Project version number for SwiftCal.
FOUNDATION_EXPORT double SwiftCalVersionNumber;
//! Project version string for SwiftCal.
FOUNDATION_EXPORT const unsigned char SwiftCalVersionString[];
// In this header, you should import all the public headers of your framework using statements like #import <SwiftCal/PublicHeader.h>
| 15,489 |
bub_gb_98ytV6OZyO8C_14 | Greek-PD | Open Culture | Public Domain | 1,697 | R.mi P.F. Antonij a Spiritu Sancto ... Directorium mysticum, in quo tres difficilimae viae, scilicet, purgatiua, illuminatiua, et vnitiua, vndique illucidatur; et sanctorum Patrum, praecipuè angelici doctoris D. Thomae; ac seraphica M.N.S. Theresiae, splendoribus, illustrantur. Opus sane cunctis ambulantibus in harum trium viar | Antonius : a Sancto Spiritu | Greek | Spoken | 7,600 | 47,484 | Αη3ηίπ)ζρβΓΓ£ΰθΓηηοοη(οιηρ1χΐίυ(η’(ΐτηνεΙ νηίιοηυη βη( εχε(ηρ(ζχΙ)ίιηχ^ίΗυ5, νείεώιηί ρχίϋοηίΗαχ ρεπηΓΗχη- τιΒιι& ΐο(θΠβ^αιη ίο ςοβαίιίοοε , νΰΐ νοίηηαιαη ία χπιοκ > ^ΓΜΜΑ /II V Μ. 479 ΑΗ»ΐΗ^ρφ0βιΒ0ηαΛαΗίβηρΐ£Τ$ΜηιΐΛηχηβΐίΗΐη(αιφΐξ4ίρΛ^ ββαΐΐαι ρτπβτίΛΜίίΐΜ χη»φΙΙ»(Ϊμη ίη ίΦ^ηίίίΦΜ^ ^ μΙμμ· ίαίΦΤΛ$Ηβ)ΜΤφ. χΕο Ρτ^/’αΐατ ΤΛί/ΡΜ. 4^ I Ιηβίχ αιηχιΐη/ ίΟΗίΦπ^Ιαί/ιήι ηΐΜΐ/Φηίιίτ^ια ρίητΐηοίΗΐ ρη]^η» Κ4> >/»4/Μκ/ βηητ ρΦτίΗτίΛί'ιηη ηΒηηιητΛίίηιύχ , ^ί»4η» (ηηίΛΑρ*((αίηπχ τμπλΙφ. 48 χ $ί{ηι ίηβίρ·ί(*ηζ -ίίηίη&ΐβτί ΐίΛΛ$Λβ»ρββΗΐη ρπίΛΠηΜτ· ίΛϋίΦΤ. 48) €ηιί«π>ρΙ,ιΐ$ηί^(^ νηΐίί ΙαίφΜ βφΗΜηαρΗίΜί^^ΗΜηι ρ99· ηιβ ρη/ηαι^(^ π>«ΐηι /»(αηΑβριίΐΜ$ρχί»ρΖΑ Β, νί^ρΜΜη^ τία »/ΐΛ/Γ/ 1>·7. 4^4 Αά0»η·πηοι/ΗΗηβΗΜ»*Μ ^ ^ ρ^βΐ9Μαη»Μ*η$ λΜ» (ίηβϋ) ακίιιιαιη μλ Ιλ/φΙμ , 485 *ηι ραβΐοη*! ηβίοΗρβί ^»«4τ/ λ4 μτϊΤΜΦηι ϊλτημ ί’βίΛΛηχΙα/Η Η«((βΛτίη *τληχ. ρ«χίη$ ρτβρη^ΦΜ» να· ίαηίατ ^ Μηΐίτί^ΜΗΛ βηΙ/ηηζΜΗΐΐηφΛηηηί. 4$^ Γν>{« βύηί/χβϊηΛΛ λίητίη φχ ρτ$ηί/φ]ΐιίφ Μη^ηηηι βιηβζ «χ/φΐηΐίβ τφίφΙΙίοηα ρηββφηηηιηίΙίχηΗΐίιηη *ΑΗΦτβια*η»Μύΐη. ΤΝΙοορπη^. ΑηίηιζΜτίεθοΓυηι οοηΚίηρΙχκΐαχηιιιηκΜ 47· Γυη| εχειαρεζ ί ρχπκηίΗυχ ρβηαΗ)χη(ίΒ»$ ίηιβίΐεΰαιη ίηα^(ίυο£,&νο1υο(ΐ(εχηίηχ(ηοκ. ΚχΐιοοΛ» ηηά ρχΩίο- 4^0 ο«5 χηίπ» ί(1οιη Γυα( ςαού , Γηιβ χϋέάίοι» ςαζ ροτ· (ία«(χ()ρχΓ(Γΐη3ρρε(ίΰ(απι> &(1οΓε » &οχ Γαχηχίαη οοη Γυοι ζηχίζ > οίΩ 0(α(εηυ$1 νοίαηοιο ίπιροηη(θΓ , τοί ηοη ρτο· ΗΐΗεη(αΓ) αιπιιααιοοΑίη, νείρπειετ τκίοηαη : ν( ιίι Ο. ΤΗοη» I · χ.’^ηββ.χ^ 4ΤΧ.Ι . ^ ι. Τηιη φΐίχ Γυη( π»κπ2 βχοΤ' (χούζνίηυώ. νααε(1ο1οΤ)& ιπΑΐ(ίχ3(|ΜΕΐιί(θ)ΐΐχιηοτ<1ί· ηιηηΐΓ,νι χΐι ΑροΑοΗ» ι. Αα€οτίη(Ηία$ Γ·κυη(1αιη (π- ηίΐΜ βΑ)ραΒηΐιοη(ίιαιΐηΓ3ΐυ^ ΑχΗίΙοιηορΐηοίΓ.Τιιιηςυιο ίαΑί ηοη ροΠεηί ^ίοοπτ ; £/ Αομχφμ^χ Λμμ ηββφβ , ν< οπιηί· ΗωρΓ3χφί((ΐΓίη οηιΐοηοΕοπιίηία: οτβο Ηυίυίίηούί μ(Γκ>· ηε$ ηοη {ιιη( ίηεοπιρ3ΐ(ΐΗί1ο$ εαιη χηΐσιχηιι$ ίιιΑΐ», «]ΐϋ ΐχΙβηη ρ6€£χη( ηοη ι^η(ηαι^οΠ)οα3ίρ·(1]σηυηι((»ιο<16ρΓίσ»» · Οίοοχ.1αΑίιιηχχίι»6ευηκεηιρ1χ(ίιιί> ΓεοκΝίοΚν· ρΙοΓΐ- 4^* παιηρχΙΙίοηεβςαχκηυχΓαοι ρετ(υιϊ«(ΐυζ χΑαιιπι ηΐΐοηίδ , & ΐη(1αοιη( κ1 ροΓοχιηη ποηβΐβ: ίΐχ ό.ΤΗοαιι^ χ 'α>ϊ)9.ι Ητΐ.χ^ίΛΛΛχ. Οκ£οπυ&·>/'<^.44·ΙοΒ/<^.χ4 <·ΛΡ·ιι·0·ΒαΓ· ΐϊχτά\χ$βΜΜΜκχ. ή ίΛΜίΦΛ . Α1κήυ$ Μ»β(^ ^ η/Άχτφ^ άο 1>4φίχβ. 1 5 . κίεχΓ(1α« ί.ρ*τ{.ί·ρ. * ι . Εΐ Μΐΐο εΑ^υίχβχ νη»· ηοχΙΓ ΰία»<ΗχΓί(χ(>5)θΓί(ιΐΓ|ΗΧ)<]ΐιζ(:Ωοβοέ}ιΐ8 ιΙΙίιβ) 1ί^ η(τη 0( ίη Ηχο νία^νι ιηρχ(ήχ:5ε(1 Μΐοοοΰλΐί ίοτηίο- ηεχρρ(ά(υ$εωηΓΧ()οαβί 1»ηοε1Ιέ)θ«ίθοο« ηκρτοχίιηο ^ιΠίπηίχΐ , ν( 311 0.Τ1)οπ)Μ χ> χ· ^^4 ^*** \ ηΑ I . ίΓ9ο ίοΑί» εοη(οηιρ1χ(ίυί$ ) ν( ρ1ιΐΓίιηυιηκηκ)υεη(ατρχ0ΐο(ΐα« νι Γιβκ ρεηοΗ)Χ(ίυχηϋοηι%*..Οίχί ( νκρΙυΗιηυπι ) ηχοα Ωηΐ( ίϋΙΗ Μεεχη(νεηΐλ1ί(η,ίνΧ(χίΙ1υ<ί; 5ψ*Φ> ίη Λ ϊφ φλΙα ίηβηι. ροΡ· 4Ε0 Γυη( εΐί3παροςαι«ηΐ(}Γ(χ1ί(θΓ : Πςυήΐεπι οοη(Γ3 Οά ίε^τιη χηίΒΐ2 ΓιιώίαιτρχίΓιοηιΗαβ . Είοη χιιΐο[ηεοο(εαφ1χ(ίιιί ϋηι ία ρΙυπιηαιηΙλίΐπΑρχίΠοηίΗΜ» ροπηΓΗχϋιιίδ ρΟΓ ιεη>ρα$ ηιχϋΐ όείιΐί&σΰιίοηειηι ηοηΓυη(ΐχπκηΙίΗοπ1 ρβΩίοηίΙιΐιχ (ογΗο· «ίϋί$, ΑςαϊιΙοηα Γαο( ίη ρεηκίιιο νΐϋοηιπι ειυη ν^^ιηι^Βα$^οο· βιΰυ .. Οίεοΐοηιό. €οη(ΜΒ|>1χ(ίαί«Αΐ:νηί(ί1ΐ|ίρ»(Ι ί^ηηίίείΒρβΟ: 4«& εχ(ί·> &π}οια$ρππ)όρηιχκ)$) ΡΓίαιΐ Β«ί ί οχ ίόιηί(θηοΓαιηΐιιτ. £ΐηάοοΙΙ»!|Η&£αί»Γ4ίΰ 1>3ΐί ^η(υί(ί$, & νιύαβΒΐ] Μ ηχϊοηΙίΗΐΜ > & «1$. ουπ) 0· Ρχαΐυ ιΙρββΜίΓν1οβοχ)Ιχπ2 Ιε^πι )α πκιοΙ^ ΙΜΪ$ : ^τ^ιο ΚχΙΐΜ&ΜίΜΐ&ρβοοϋ· ςΰΧοαίιΙεπιοοΒάΜίί^ «ΟοΑ χ^ηαη ; 1«έ «οίβη ροεηχ, & ικϊζΐΐΐο οοο Αιϋ ίη Βοχεχ V ν> Εΐη£,·Ι)ι^ (χιηβηίη 53ηΰο Ιοβιιηί Βχρϋδλ ^οί η ςοηαΐΒ- ηί ΤΜοΙοβοηι» «ΙοΑτίηχ ί ροοοιο τοαιίΩΙ οοη ϊύί( ίιηιορ ηΐ5 ; 1 ςυο εΐΐχτη ηοη Αιβηιοί ΙηιηαηΟ ΛροΩυΙΙ » ^ χοεβρηιιπ 5ρίπ(υηι ίίυιβαιη : Ωοαχ χατ^ ίι^Ι,^|θρ» Γεύί ηοη εχιοη( Γυιηίιε , ΐ(χ ηοη οχτηχ χΕααίωαΓοοιη,ηκρχΑαιιυιηιηοΐί^ ΤΓαα,ΐν. ΡίΓρ.ΐν. ΐοηο <1 αιιγ «Π^ιιμμΙο <\νοά οοα ροταιΗ)οαια£ & (πΗ»ο( »(- πη/η κ1 οοηΐΐαΐυη πκιτύ&ηιιη. 4<4 Οϊοο 4· 5ϋια» ϊη ίαοΜτηάλ ίόιηϊκπι &ρλ(3ϊοο«ιη 4^5 πιο^υ$^^ι 1 ^^Γ»$ 2 ιι^πΜ 01 ηοιι : <.Βπ 4 ΐαν Οοη)ίοα$ αοο θ$ηϊιοικ$4Αάιηρ1ΐ() ηοχίυιη ΐιηροπιοι,Γοά <)αιΙα μ 1 να-ίαΐαπ ^ 1 ^η^ιο 1 >^^ 4 ^ικ^ 1 ^^IΚ^^I 1 ^ί^^ηαI 1 ςυ^Β ροϋικ ρΓορίΓίοοη νοειηιιΐΓ Α &θί^ί< · νϊΓ|ο ίΐιι«Γ οπτηη 4 ΐ 6 5 «οΑο 9 ρτίυΐ 1 ο^«Μΐ« 6 Γΐ 1 ίοη«ΝΐΙ»οααιηιηΐ 1 ίιχη(ίιιπι«( 1 »η’- Πΐ5 χαίιηιπι ααηςυιιη (αιΓιι £χΙοίηίκρΓθοβ(1«η(ίιιιη; οιηηη »1ΐ; ^υ|^ϋ^x ν«η(ΐ(6 ςαιη Λρ«ΑθΙθ(ϋςααΐ: ί»ΛΛη·ιι$Μ/ ^»>λ ρ*(ίΛ»ι>βα Μη Α«Α#ιην/, ηφΐ {* 4 ΐηά»ηη$ ^ ίητίίη/ ίη ηηϋ» «Μ 0 β. 5 Ε ε τ 1 Ο IX. Αο οοοίβιηρίχΐϊα) νηίοοβ €οα(οη>ρ1«(κ»» ^οςο(ΐ(ΐ <»τ«το ροΟίαι ροςαώ νΓαΐι1ΐΐΗΐ5 } 4^7 Κη/^η$ ^ΛΜ ρΜΜΤΜΜνν ϊηβΜ$ , ^ ζ»Λ{*ΠψΐΛΐΐ·$ηΐ νίηά , «Μ» ψίκΗ Μ βΛη η»ί·»*η (βηηρίη βη» ρ«ΐζβ»9 ν«ηώΑ ηΐβ /^**ϋ ΌΑ ρτ*ηβί*^ϊ * , «/ Β^μλ Υΐγ. 48Α Ηηί χβτΐΐΛΐ ·β β4* 4φηαη {μ(ΐηΒ$9Τ /αίίνη Λ ρ#· η$ηύίη{ (»η>ηύ/βι ** [ηττ·^ '*«μ. 4^9 Ρφ>"ί ίηβί ίΛΤίτψ ν^ηίηΜηι (ΐηηύβί Λ 44'μτ//«/μ ^ Μ^ηβτΐη ΜΛ /»ύίΜ ίη η£1η νηΐ9Μ$ί , βι4 ομλ $τ»ηβη&Λ ηη« 9 Μ, 4Ι7 ΤΛΐ€ο ρηπϊό : Ναΐΐκ ΙκΜοο^ίΜηΚΜπιαίχΐαΛίϋ & Γοη^?π>- ρι2ι^αα^&Α^^ο^^2^ΐ<^π1υ$νιυί^, η^^ν^x^^^ηΑ3(υIη'· (απΒ οοΓταρϋΕ Γπμ ραο(ο τνίχϋ· ηίΐΐΐ Ιρναΐί Οα ργϊμϊΙ^- 488 ίIη1((^^Ε V^^ς^ο^^^η^^Ε^^1^Γα. ^τΑοίι· ιη ΤινΙβαιίοο/ΜΪ.4. ι}. ΥΜ^ιιιχ: Α>μ< ΑΜβτΗ ^ΜηΜν^■ {βηιηαήβφ €Μ ηηΛ ρββΐι ·η Μ$η ηαη ΦηΜΜβ/ίίΛΐη Ηίηηι νηίΛΒη ν^^Λ^9η^βρ·^^ηι^^«^ρ^^η^^^^^ βοΛ 4» Β. Υϊ^ρΜ $*Μΐ Βίζββη^ «ιμ/Αμμ β*, Μη» 3€6η(θ(η ΑιίχΐηεοιιοίΙΐο Μβ1ΐαί(ρ&οθΜΜ/6ι.Ε(οοαβΐ(£χί11ο1οω(χί*ι. Β%Λχηαη·α 4η*4ρ·ί(Μΐηηη»η^Λ^*η)ηι , η»ί /*4η99ηηυ ί & ϋχϋΙοΡίο· %χκ^\οΓανα^ ί·μϊ** ίη£*(»Λί*ηβηι . Τιιη ςαΐιοτΐχιηΠιη· ΑίΑιοίινίηβςθ(ΜΡ·ί£4ΐ€α«: Ι}ΐη»ΐ*ίψη»^ίιΜ^ηη$βτΛ: ΙικΙοεΗϋοοβχιιοορο&ιοΕίίΙιιΙΓί) οίϋοοικκΙλίΒυι οηκΜκίιΙτ Ααβ €θο(αηρίι(ιιιοβρο(εΜ νβοίλϋιη:, £ύ- Μη «X Γκπνρΐίοοβ ν( <1οοβ£ Ο. Τίκιηα»ί»^Αβ.ΐ 4 .ίη*β.χ, ηττ.ί. ψηηβ.{, η4ι. Αβ.α. ^ηβ,χ- ητ*Λ. ηΑ^ρ^β.η.ώ 4μΛ» ΜίΛ. «4^ I). ^ Ψ·*4β·79’ 4*^&· & (^^^ιΚ «ΠΜ» 5ι»άΐ ΡΜτβ : θ|ο ηαΐίι» ηοιηο ςιιιηκυιηΗΰ οοοκπν· ρίχϋαι» νΐυίι ηΐ( νΐχί( Δηβ ροοοιίο νβηίιΐί ίηβίρΐαιΙίΟά ρηυΐίφο. 489 Οκο 1 ^ 0 ^ : 1 ^^^ <χτ(ιιπ} βΕαηϋαηίιιΑαηΐφαηηιιο* ιό* οοακβηρίλΐΐιχιιιη ρο& οτεη νοαάϋΙχΜ , {^ϋ^^οι οχ (ιΐί- χ«ρ(ΐοΜοααιιιιί£ι, ραΟΐικίχπιηαιΟΓΟνβηίϋίΐΜχς^^ οχρ^αβηοκίι&ΐήΐοβπ»: ίθΒαΙ(ΐ Οο^ΙοχοΜ^Αΐαι ρηχ» αρυέ Ετηώπχΐι ύοοηχω φΐήιιιχϋαιη ααρίαπιηι οιρ.7;·Νο· Δη Μ5. Ίΐιοτβδ» Μη^η$ 7. ^^- 4 · Υλίροτοβη 7*^-4* ^.10· «■».¥. ΚχϋοοΔι «ριή^ Ιη^^τΪΜ«ν»<<>·ν· €ί1ΐοπΜΒ« « {χοΒ 5αΐρ<ιι« Δ ιΛγιμιτ > τηίιΙΐ·οχβιτΓΒρ4ίο» μ: οτ9» ίηΑροΐββ ^ητήηαρα:ΑΔιιβ&€οοκια9ίι(ΐ«ιιι ΐ|Ηί «ώητακοΓ βμΙΙρβ «βηΐχΙοοοαιιιηαχΕ οαο ΓοΙιιπ φίχικίο οΔηιΑανΜίΜ»: (νιοβηίη-οοτυια} ββηοοροΠοϊΙχηχΔια* ΙαηνηίοηαηοιιιηρΒεα^οτΕΐΗίΑχΑιηΙΐ^ ηκαΑοσχχυίΐοηιη Β.Ηαιτκο$α£3θ νχ]ρί»ηοη/ίρτΑ μμΑ. ύτ^οάχιοΐιηϋιιΔ» «αίοοβ. Α^υβηο Οοαι ηηιηι οοβ(ο«φΙ«ΐ«ιυ&ΐΜη^ΐΐ|ΐά ' ΜυπκοΜβαιρίΜΧΓ, ϋκΙ <]ΐιί €θΡΜΐ»ρΙ«άοιΔ ιοΧίαιίίιιΐΒή- ι»^αά^άκ»ι^ η4ϋΒξΧΊ%οιβΜχ.χ.9Λτ.^.ι.Λ4^ 8 £ ε Τ 1 Ο X. Αα λοίη· ΟΒίΤΒΗΐρΙχΕίαΐ νηίκί ^ {ρ^ ^·*η ^ τπ ϊΐ“ ρ1»ϋ«αβ 4ΐίαιπιχ ^ ΒΥΜΜΑΙΙΙΤΜ. 490 Τηί ηΜΜφΙηιίηί ηηέίΐ ύ· /ηη ίΜΚηψίΛΑΦΜΜΛ Λ/^ητ. ψ»ηχ. 491 ΡτΦίηϊητ τΛίέΜ. 49» € 0η $ * η ψΙη Η β φβ φφ^ιΛλφ ΙηίΦτηΜ. 49} ν·*Λ ίΦηΐηηρΐή$ίη» Ικ}* ρηηίί^Φ^ίΤ €·ηββΜ μ ΒηιΛ. Βη , ρΦηκΐρηαη Βη^ί ή· ί^ίβη. 494 ηηήΗ£Μ < 9 η $ ·πψίΜΒηηηί | ^3 Ο^ΑβηΜ Ηη$ /^μ, /μ ψΦζ/9 ηηΜ ηίηηι. 495 «ΗΜτ 9*^"* λ/ϊφλΑοημ λΑ ρη. μ-μπι , ^ λ 4 ρΛ /^ βη* ΦΜΐη Όφφ νηΦηηη. 4ρ5 Αηίΐηη ρΜφβ ώ ρ*4η ή^ΜΤΪ Βηίηι ηβΜΐι χτηηβτφ λ 4 /ηρττίφπη^ Β /ηρβτΐβτ· οΑ ΐηβφΤίΦΤΦΐηί 490 *Γ\Ιοο ρτΐιηΑ : νίη €θο(€ΐηρ]3(ίυί ?οί({ ίαΓαχοοηΕοιηρΙχ· Ί-^ (ίοιιο ΓΗ» (ϋίαίΓηιοΐ : ί(« Υχΐβοτηοη 9*<4· ^·> V. ΊαΦ»ΙΪΦί%Μη ΙΑ/βΗηιη. 5εαΐΧ. X. & XI. 91 ηη/η.^. & »Ιί) οοιηιηυηΐιβτ . Κ.χ(ίοο{1> «ριίχΓοηΙύ^ΙχιίοοΔ 49< ηΜ9ΐϊ$ ία ϋΕυπ) Γιιΐροοίίιοίηι^ιίο π»{η««Ιυΐ€(»1ιη)β9Χ(κ1ά<ϋ ^40*: ?( λΐ5 Β€Γ0ΑΓ(1ιι$1ιΙ>. ύβίαίιοΐ^υϋηΐι&ΐ'οΐαίκίοίΐβ ζ)οηΓκΙοη{ϊοηβ ηρ.ι. εβ ι·/τμ^ (ποι/^μ ιμ·<>»/ *Μΐιηα 4* 9·ΐ4η>η*9ηΦ ^Φ , βη* ηρρτφΒ^ηβφ ντή λφη 4ηΒη , νο) , νι «( Αί*· &θΑίαυ» 1ίΙ>. ^ί^ ΓρίΗ(υ & 2η^Iηα^xρ.}x ΐβ ρταί/ραη ρφΗιλι» $ηίηηΑφφ4Λ*τΦίίΦί «1, νΒ ΛκΛΓίαβ 4ο 5. ΥιΛογο, Εβ /ιΒφφλ ιηΦ>$/$*ρφτ/^ίΛΦΪ4 ϊη ββρϊφηΦίη /ρφΗηαιίΛ {ΗηηΑιηιτΦΐΐΦηφ ί"ίΡ *^* ) νοί ϋι ροτΓρίοιχ . 4ί ϋΙχτ χηιηί οοηιαίιαι ία η» κ^ίρκ^^ο^^4$νΓ9α^<Μοηα^(ί^(!Μίυ11) 1«α> νι ααβ (Ιίιίτηω ΐίη- ^(υ». 4ίΓρυΕ.|. Γς^ιοποζ, «β βη^^ $ηίβ»α$ί νβτΐίΛίιι: 4ίΓαυ^ίιι5ηυηρυ^^1ι1I>Γ^^αIη^α)ρ1κί^η(υ^(α νοτίϋζϋ: η:^ νίπ οοαίΒΐηρΙχίαί νηίιΐ ίη Ιια ςοαιοιηρΙχίυοϋ αοη ύιίοατηιηί. Ηίικ 6( 9^0(1 χ]ί(ΐυΐ 4ίοαη( ςυο<ί οοηιοηιρΙχίοοΑ ΓΓ^ακ*Ι·6ο> 49> χαπι« ΓοιηρίΒΐηοηΐυαι ^οίχίοτίοπιιη · ροτίό£)ίο νιπυωοι , ρτζιηίυιη ι}>ηο(χ(ίοαί$ι £ο»οι:»ΒίοηΜ& ι4 ιΠΒ^ιίΒη^ιη πιοη- Ιΐ5 ΜΓίηιοπ) ιαΑηιιποοιαιη οΪΕααίηπυιη. Οίο) 1οαιη4ό : Υί(χοοη(οιηρΙχ(ί»«Ιί€ο( ρΓίηοίραΙίιοΓ εοο- 49{ &Αχ( ίο ΐοΕίΙΙβ^α) ρήηαρίαη ΐχηοα Ι»1κ( ία χίΙοΔα > ία ςιααΒυπι νι4ο1κο( «Ιϊςυίχ οχ οΙαιτίκκο μ] ΟοίοοηχοτηρΙκΙ». ηοπ) ϊηοίαΐυΓ; 9θ<ΐ5χηιοηί^ίο{^({Β(ρπαοίρίθ) ίκίοοΟ ςαο(1 ΟΕίχιη (ογοιιοοχ, & 6αί5νίχ«€οαιοηιρίχ(ίΐΑ«1ιΔ>ο(€Δο ίη ο€οέΙυ )4αηι ίαίίοοτ «Ιί^υ» ίη τίβοοο γο> χπη 120 <^^1ι^£ι2(Η^ ; & ίΐΐ» ϋοίοίΐχϋο ροί νϊΔτ «ηρΙίαιοχοίιχι χηιοτοη : ί(ι 0·ΤΗο- ιηι· χ·χ. ίηΛβ.χΖο·. ****<·^· Ηίαε 6(<|α(κ1 ίιηοτιηίοΜϋκυα· Μΐηρΐ3ΐίυ4αι & οιυ$ ΓροηΓυσι εΚτί&υιη Ιεί'υιη νί|(.( χιηυτ 494 νίαα$) ααί οοα Γοίυπι ίη Ηχ^ίΐΜοΗχτϊικκοχρχ^ίρΰαϋηί· ιηίΕι ^^α4ι11β^α^οη^1ηυορ^ΓΓ^ιι^η^^x^^^ί(ίο: ίηΙ)όοςυίρρό βχία Γ(τυο( νηοΓ νΐνΐυχΰχιηίη·ί€Γυο(1υιη(ΙϊαοΓΓοβοίιΐ5κα' (1α$Γαι«έΙιΐ5, ς11α^^x^.Β^π»^(1ο^^^^η □ ΤΗοιηχ$ 494 4ί. Α: ηοΐ 00 $ ΑλΑ ροΓαίιοιβ» Βφφ ΦφΑπηίτΛ^Ιηίη ^ Α/'ρμλ. 49^ ιΐΦΜ /φίΙϊφηΦ }. <^^οΐ$ ιαίοπι ΗίβηιΙιΚλΠιοηβΓιαΒ ίηΐοτίό (ίίΑίαώί) ν(ίώ<1ίχιΐΌα$, ηαααηχΒηϋο'υηΒί^ιηΐίςιιίηχαί·· π» (Ιο ρΓΪοή(ΙορθΓΐό^ιθΓθΐ) (ίοίηί'οτίοτίϊίίΓαροηοτοβ &Γί1ί* (οΓϋΊηίίιτνχΙαΒ) &Γιηηι1»^ρΓίοΓθ$^ορϋΔοηοΓθ) &«1ίη· ίοηοτο* (Ιο Γιιροήοτο γοιΙιγο: οτηηη^νΐρ^ΓαηΐβτίιΙιιχροι^· Αίοοί$ίη(1οιηοΟοί* ηοοι^υ$4πτοτϋί1ίί$οοΓΤΓΓροο^Μ(θ5 ί(χ Γυα(Μϋηακοηι<1ιίΓΓθ(ΐ« φΐίηϋκρέροπηίίοοιηΕυΓ: 1όύ(ίοΚίι νϊ^ Υιΐβοτηοηπι ΐ"ηβ^- ώβρβΦΛ^ ηη.{. μμ. 4· Α ςαο^ αο» /'ηρτΒ <ϋιίθΗΙ Α*^·Ι· ΜΦίη . ■ 8 ' £ Τ ε I ο XI Ηαα &·α^ ίικίίηηϋ ·»1ί Γιαηηκ «βο^ ΓαροηίΕΑηΙαι 40« αααί οοηηιαρίχΐίηΐ ίη^( ίο οηΐίβΒΟ οχ θο ΓοΚίσι 9^» οαα ροτ&^ ία οιοηί^οροηαίαΓ. ΒΥΜΜΑΙ^ίν Μ. 497 8 * ** 4 ^^ ηΑρηίί ΦΦ»ΗιβρΙ*ΐηΛι φ»(*Αλ» μ ηΗψηη «#< ηΐηβη βΦ· φΒ ·4 » β ^ η η βηρβτηηΦηΦαίφί ΦΦΦΦριί ίη Φτη· ί$ΦΗ*^ φ$·Λφβ βφΐ Αη·Μ νηΐΦηίί ίΰ^βφηιι ^ μΑκλφ* 4φ^ Βφμ ρτφφφώΜη Β μφΒφ βΜιν. 498 ΡφφΒΜΜ ΓΜΧβΦΜ. 499 ΟΦίρί^ΜΦΦητ βτιηΦ. Ι00 ΰΦΛβπΜφΦβΦ /ίκηηΑφ. 5(Χ ίφφΑΦ» ^04 ί(^"ρηΛ ψηΦΑ ΛΑριΑί ψΦΦίρίΛ Ληίηαι ΦΦηβφίηίίΦίΦΦ ^3 9ηΦΑ βΦη τφλΑφ* γ0ΦΤίΑ»φ νμ2</ , ^ ·Μ{» φΑ ρα^ ίΐΜΛΦΦη. 50) ΡτφΒφφηφ τΜΐηηφ. 904 ηηΒηΦ φφμ φφΑ Β ^«ΝΤηιρ/«/·Μ# ρφτ/φΒλ ηοα* ΜΦ/ΗΛ Αφ*0τηΑηΦΦ»ΦηΦ ΦΦββφψβΦβΑί η>ΦηίβίΦΐ·ΦηΦη» ^ ββφφ ηίηηξφΐ , ηοη η»ηίΐιαη βΑφβΑηη* ^ Αφ ίηΒ φφο^ ΦΦηψίφΦίΦΦΦ, Ό Ιοορήιηό: Ηοηοχοοΐ}Βο^ι1ί4αί$εοο(θΐηρΙι(ίιΐΜΑ35ΐιιι 499 αοο 0( ροιϊίΝΔη» ) &ηηιΗαϋο$<ίο6άχ(,&ίκ1ώΐ(ηχΗ· φΜ ροοαιΒι?οηί«Ιί»} ηοαοΒίιΙΗΓρΑηχΓυροπιιηηΙοίΓΟΓοριί ίη οηΐίοοβ, «ίιΐηϋ 6ικ νοίοηΜ (Ιίιιίοκ ίΠυλαΐΜ^ ΐαύίήΗ Μμοε ρτο^ηηο» Α ιηιΐο ίρίτΐχυ : ίο Ν. Μ. & τΗβγΗϊιμ νάφ /μ « 4 ^.}Τ> ήιηα ομ νηίτίηΛ (Φρί*.χ 1 . ηηΜ.χ. Κχϋοοβ,ςαα ( η οίο Ο. ΤΗοηιβ ι. /·η»·η·. Αβ.χ^· Ρ·*β· X. φτφ.χ. ^ (5" *· *· *■ ι»ϊ· ·'**< το, « ΦΦ^ΦΤΦ ) 498 ιηο(ίΐΗ οοκΗοοαί*, & οσηϋιοΐΜ οηΓΒι»1υΔΗκ»(ίοαί9θ(ί, ν( ΐ:^ ιηοαοΒ(ο Ηΐ(ήία$χηί(Τ»ιη Ηο«ηο <οηυθΓθ(τΐΓ>^Οοιιπι: ρηηο<ιαΗΐί^οοηικτ()οικίι«ρη^ νκροΑτηο^υπι ·4ροΓ. κ^ηροηιοοίκ : «{αί* οΙνΗοβ ίηοΙκΜΟ ηοΓΟΐιΐΓχυκιί: οτ> |ο {Ηαι ρο(βΟ χΙίςυή τοτέ οοηΐηηρίΜίΒΜ > χ («ήβη λ»(ίιη οαα(ί^ο(η«1πι6ρο^β^^ . ΡχΜοοηίοςηοαίάοχνοιίΜ» Ό-Τ^οτηκ: <|υήρο(οΔ^€Η*τίΒΜΐηοΗοιθς»«αοηβ€ροτ- Ιο^: ί«ί οιηη (Κβηοκ ίαο^ο ροΔιπκ εοιηριη ιηυΙο νβοί·* Β»& ίιηρη^ίοίΜχ: οτ|ρ<£Η ροοΑ Εΐοο ίο αη(ίοηοχΚ4ΒθβοηέΗυ(ΐιροπη(αη1θ5&ιιηιβο<|<^ ■οηβΒροτίΐ^. εοαβιηιοιτ ρτίΑό. Οαίι» ηιίΐΟ.ΤΙιαΒίϋ ^ V 4Μ ^ Ο ΒΐΦΦΦχη. 98 ϋ£ νία Υιιίϋυα. ιη. ρι^β.ι. ΛηΗ.%. λΛ %. Ου{^» <1β(βΓ τηίο ιαΐιηχ (οτη Πα>: «1» Γβηιη^αιη ςυι^ι Κοτ ηοη ρτΗ'βέΙι; «1ϊ» ε Γ(1-ύ4ρεΓΐηη5Κνπ»ϋοικιη: ναι^ίπρο^ΙιάωΙι&,&λΚλ ϋίη»1»β: 1(0^ ^^Β0 νηΐο 11ιηρϋπ(«Γ α1ά&ΗιΙ>ΐηιιΙΐ$ικΜΐ ίηυουίίΐυη οΐύ ^α^οη(^Π1ρ11(^υίι ; ταϊοαιηΜ ίκαα- ^απι ()υί^&2άια]ι$ ^ηα^α^^^ ροΐ€ΐ( ίηοοοκπρίκΐαοίιηρα^· Μ(αχ1«ιη,ηοη ο ςο7 ΓυΒΙβςαίΕυΓκΙ ΗιΙ>ι(ια1«η . 3 ΜυΙ> (υπ οιιίιη ^ΐ(ΤΐτΓ{λ(ΐιηί^Γβ ι<1|ΓΑ(1υπ) ρτίιηυηκϋυΐηζ ναίοαΐ5 ΡΟΓ πκχΐυπι (η^Γι^α&,ΑI>νο^ο^^ρ^^11Μα1η>£(α$,&τ^Iα^ΐ^x ρ^οί^(1ο;ι^(I»ι>να^οη^»Αυ2)^ιςι^ζ βϊρβτίηηϊΓοπηιάοηηη: ντ εβ ίΐΐι φιχ Γιιί>^^υίΐ(ΐΓ ναΐυποη ι)λΒ^(α11^Iη ; ιαιηϋΐβ ςυΐΓο1αίηιαΐη£ί(<]ϊιιϊ(»πινοίοηίΐη,& ίο ρηηοίΙΙίΜβΓχΙα |Μ(ΐη ροηΐΓ,ΙΙχίϊηι ιΙ> ΐΙΙοντΓύςυίηρΓυρυϋΐυ, & ρχ ρπ)^}ό)& ρεΓ πΜχΙαπι Κ2ΐ>ί(α$,νε1 ρ«Γ (ηηιώπηαίο^ Μπ ώΐκι Ηαικ ύίιυηχιη νοίοηρπίιϊώ ϋχκρρ^ριηι&Αΐίιπι <0Γπΐ3Γη ΐη<)υΐ(: 1ίε^( η%ο ΠΙρ ςυίΓοΙυιτινιηοΓρίΐ,&νεΙικί ΟΓίαίΙορο λεοεύίι ζά <1ίαίηΑπι τηΐοαεπ « νι Αιςιπι γκ«Ι«( , ικη Ια^>ιοιηηρϊ1Ια<1 ΐ'υιχίιιηακυοι νίηα(αιθ()υο<1 Γ6<)υιπ(ΐιηι1 ϊαΪΗίαιΙεηΐ) νεί (ΓλΟδίοτιηΧίυιιη ναϊοηειη , οοη Μοό ρχέΐυ> ^εη(}ιΐ5 εΟ ιΙ> ΗΙα: οριίπέ εηΐιη εοηριιϊροΐΗΐ(Αΐϊίνοΐορετ ιηαίυπι ΐΓ2ηήΐϋ5 ευπιΑιηιεΚαΓΐαϊ» ΐηρει^^ο: ϋΙίαιοεη ςυί ιυηε νηιοοεπΗίιυίαζιπ Η2ΐ>α)(Ι)χηρ1ίεί(εΓ)&ρεηηυ(1απι Η3()ίια$)& ρεΓ ιηοϊίοΓπϋΐοηειη, <!εΙ)εο(ί3ΐη1υίΜτευιηηεχ Η1>ί{(κ νιπυΐΒΐη ίηΑιΓο$ι<]α»νί2θΓ<1ιη3ΓΪλΐο(Γηιίοιι»&ρεΓ- ΙεάϊοηΜ ΚιΒίΐυυιπ νΐΓ(υΕαιηϊη(υΐ3ηιιη3ΑΗιηε νηίοοεπιαίιά- ηυη ρεηκ ικΓυηΐ , & ίη ε» νεΙαεϊ ΙίκΙεηι εοϋυε&ηιο(. 500 ΟοηήΓπιιΐυΓ Ιιχιιικίό. 0^3 ιηυ1(οΐίε9θοΒ$ ρηηεΐρίλοΐί· 1>υ$νϊ3τη ^υιηεη1ρ|3^^οη^ι,^ο(ηIηι1η^αι^ ε«πι ΑαΐΜίοεπι «νεί η»κη9ΐη ριπετη ιΙΙίιυ^ςιαπιρεΓίε^ϊχ Γοΐεε εοιηιηυιιίειΓελΑ εο« »ά ίε 2ΐ1κίεη<1ο» ; & η ίρΰ (ιαα^^2^^ νΐιζ Γρΐπηίλΐ» ιΑέώι ΜτπιοϊοϊΑεέΙυιπιρΙεί^ΐκυΓ: & Γ>ενίιϋπ)α«ςαο(ϋηεοαυεΓ- Αμιρ 61ί) ρπχΙί|ί ευπιευιπ 1χιΐ(Ϊ3)ευιη1)'Γη|Α>οιιά& ιηυ(κί$ )ηΙ>ηιιηεηιϊ$ ΓεεερίΓ, Αοίι ρηηια ιηίυΐί ιΛίιη,ϊη (>ηεΗί;{«1 <1υ1· εετηλπιρΙεχυιη&οΙεΒίΒΐηΓεεορϊΐ,εεείϋίι ιυρειεο11υπιείυ$) &ο1εαΙχτϋ&εΠευ(η,νι π;(εηιΐΓΐ>«4'^ ι^· Ιηι^υΐΐΜ&ί^ηαίιΐΓ Αίϋείβε νΐΐ3!νοκίυζ; Α«]αΐ1ϊ1ίι»ρτιχΙι^ηοο<1υιηεη(ρεΓ· ίτΰα»,Γε(ί ηαΑΐΒ 2ΐ> οιηηϊ οπηιυ νίηαιυιη : δ: ϊ(1εό ριίετ εΐ ρΓ^ οερίοβεΓΓΐ Αυΐ2η)}&ηΙεε2Π}εηΐ2, ιαηυΐΐΜί Ιϊ|μΗ(ιαυιΐυΓ νίΓ- (ϋΐε$ ςυ ίΙιθ5 ρει ροεειηιη ρΓ^αηΙεηβ Γρο1ΐΑ(υ5 εη( : ετςο ορ(ί· ιηέ ροιεΑ <1ΐΓί ςυοΑ ιΑΚυε ϊΐίςαίι Α( ιπιρεΓίέ^α& & Αε ρΐΌχιιηο 9 ρεεε4ΐο ιηοΓαϋεΓερ{υ$«& (£ιΐΐηι ΐηίηχίΜΟΑηΐΓ λΔ οΐ'αιίαιη & ϊΟΐρΙοΛαιη ειίιιη <ϋυϊοζ νη1οοί$. Ι4 ειΐιηι εεπιίΐαΓ Ι^α'αίά τΒί Οειΐ2 εκΙεπι εεΐεΐκίαιε ρΓζεερίεϋΜ ο6 εηιιπ ρηιηιπι (Ιΐειη νΐιΐπηη ΑτΑϊ αΒεπΗευΙοΓυηιιΑ ίΐ{ηΐΙκΑθ(1ιιχηςυο(1 ΐηρπηηι<1ίεςΜ)2ΐιΐιη9θεοΑιε2(ΒΓ,& εοπϊειηρίηΐοηίίεΐη- «ϋι,ειενκίειη 1ΐΐ2ΐιΐϋ(επ) ΓζρέεοηεεΑκ^υλΠ) Ιοίει ία Γυτηπιε ρΟΓΓεθιι εοπεεύεΓε: ΓοΑ ιηρηπΐ2<1ιεςιιοαΐϋ2Γεοηιιοηι, & εοηΐειηρΐ2(ίαοΙ ιη<1(ϋ(,ροη ροιεΑ ιιιηείΓερεΗεάαδ : ιιηιηό εί Οευ$ εοιΐ£ε(]ί( Κιηε (ϋ«πι εχιπιίαιηΓυΐυϊΐαΐεηα τίειιιηλΙ) ΙπρεΗε^ίοηιίηιβ «υί'επί; ργ^ο ιΙιηυΙείΙεροΑϊιηκΓυπιιηΖ Οεΐ 4)ε1ίειΖι ίπ)σι6&&ΒθΓβνίζναϊιίαζ1ίπ)α1οαίηΐιηρα^ίο· ρΑη» ίηείριεηιίαιη. ΟοοΑππιΐΒΓ (εηΐ6. Οκ*> ηοη ίερυ^ΐ ρυοιΐ αιπυηϊηοΓί ε^ιπίαιε ϋ( πιϊΙογ (έηιθΓΐρΐπΐυ$,&<1αΙεα1οΑιαίαλταιηεηο· Γοΐ2(ΐυηϋη: ίίηιηόΚοενίΑείατακυΓλΙε: ν( νί^εοΜίιίοιηιϋίο αιιο<1 Γευεη ιηίηοΓειηαΙυΓειη ΚιΙχΐ φΙΑιη νίοαιη ^εαετοΓιΐίη ; & (ΑΓπεη ιηυΑυπι ΑΜυε(,&;εηιρεη(.οοηνβτήνιηαπ): ςαί» ηηιΑυιη ιχηκίαηι εΑ ίη ΓυΑρετΑτΰίοηο,^εηε αιηεη νίαυιη :εο· <1επ) ετ;^ ποΑο ια νϊ» Γρα-ίιοΑίί ίηειρϊεηΐβ νί^εηΐε$ Οεί Γυιυί· Ι2(επι ΐΒΑϋίαεε ΑυΙεεΑία» Γρίηια$ »(ίιηίηιη(υτ,&νε1α(ΐΓβ> ρΙειηυΓ Αυροεε & εεΑιίΐ ; ρυΑςαιηι τεΓό ιαπι ρετΑ^ΐ Γαητ,ΗΑπε 'ιΑπιίηΐίοηεΐη ηικιΚΑΒεοΕ^οεοΗιϋυΓηκκίίεοαίοΐΑείοαεβιςυά Οευ$ ε9$ ία ρΓίηείρίοοβ Αχίι, η ίηείρίεαία έ χαΑίΙκ» ιεΓΓεο» & ϋΑεΰίΐΜΐβ πηια(ί3ΐιΙ»εχίΜίε( : &Μ^^όώ^α»1^λ^ο^Ρ>^^^«·£μ· ιηίΙί»& εοπςΒεΑυβΓαικ ΑεΡκτεΓυοςαίαιπη (οεετΐΐεοοαιαΐαπι Αΐίο ηίουπ <1ερεπ1ί(0) 6 εοοαίαίαπι ηαηςυιπ) &εί( : εαί ραιετ νείροοΑίΐ:^ι4ΐ««/ή*ιρετΜτ^ΜΜ,(|7·«ηΜην«;Μ/Μτ/ βρ^Ιβή {ΛίβΔηψ »ρ«(η·^Λ»^ ρ$ ’%ΛρΛψτ ϊηη* ϋί «μύ»»/ εΜΜ'χ·/ , ρίΤΜΤΛί ρ >ΜΜ*ιαΐ 0 ί*β.· οοαει^ εΠ εοη(ηοΓ<11η»· ηαιηηοηΑυαιΑΐιιίη.τεοπιπιυηΪ€>(ία(Μ3 ςαοΑ ίηείρΐεηιΑΗΐ>& ύηρεΗεΑά 6αη( ίΙΙί Αιαοιο ,ςαΐ Γοΐεηι 6εη νίΓΐΑΜτϊεάίβ : ΓοΑ ροΐΐαβ Οειΐ5 ΙκαΑιαοΓει ΐη ρηηαρίοεοηκΓΑοηίβ^ ςιαοΑοΑΑ- ΐΜΐε Γυη( ιηυ1(ζ ϊπιρ(τίεύκΜε»,1ο1ε( ΑοιηίηίΐΗκε&ετεΑΑεοε »Α Γε ιΠίείεπΑο», & (ηΚεηΑοβ. 502 ΟίεοΓεαιοΑό: ΐ2εΑ(οοα(ί(ίη|^οΑ%ί1ε(ΐυοΑΑεη(ιΐΓΑίιιίαχ α»ίοΐ2ΐίοηΐ5 & ίΐΐυιηίηιίοοα νιη οΑΚαε ΐιηρεΓ^ο ; η- ρυ^ηκ αιηεη <]ΐιο<Ι β1ίςυΐ5 ιτεΐρΐ( Αίαίηα εοαΓο1ΐ(ίοαο & ςα^αοηκεα(ΐ2((ΐΒθϋΑιειη2βΐ»κιη25ί< ίΑρεκΑ^ίοοεαι: ία Ν. Μ Β,ΤίκηίαΐΜ»/ίΜίΤί/>^/!»Μί//·^ρ^^^ί. Ρ»Ιλο^£Ρ.^. 50} ί*ρ.Λ^.» ^.^^^·ζ8· ΚΑΐίοεΟ· <]υ»£ηι»()ΐιειη Οευχίη(εαΑί( ί11ί5 εοπυηΜπίεΚίοηίΙκκ & ^ΠαΑΓ2^^οα^ίΜ15, εβ ρεε^εετε Ηοιηί· Μΐη εοαίεπιρίΑΐίυυιη: & ίΑεό Αηι( ίΙΙυΑηΕ ^η^^Πά^υπ) & εο§ηϊ(ίαηεπι Αοοο Γιρίεηΐίζ Γαρετ Γαυπι ιηοΑΜη εοηαχαηι- Ιειη,εοΑειη οκχΙοείίβίϊτοΙαηαιειη,&ΑΐίΑβνίεεοηίπιζΓαρετ ΐϋϋΐη ιηοΑυιη οτΑίοΑΓίυιηϊΑλΙίςαΑππίΑίοΐΥΐηρετίεΰίοηεπι, ^ «ίι Ρ. ΒίοιφΑα» β, & Ν. Μ. 5. ΤΙιετεΑε^· «^/ΪΜ γ. ρ λλΦμ 4^.|.εη Α Ηοσο οοο εοορεηίατ εχ ρνιε Για Αΐαίηχ ίΐΐιαηιακίοι^ Αίαιτ ϊθ(ϋ^υ5 ςαοΑ ΟείΜ εί ίατατη α1ε$ ΑΙυΑηάοοεχ εΑκ/χε. Τίηιι οαα ηεΐΐοηα αοώ ΑεΙκα ^ εεάιη είια ιηεΐΐοητ ΐ εΐΕοβυ^ & η«ΐΜηεΐκρο(εηιί)ΐΑεΑεη(ιάΐΗ2Βείιρπ)εει1εοα$ιηεΙ«οε^ η: ΙέΑ νοΙυηΐΜ ρετ ΗΒΐαΓηιοΑί Οεί εοτηπΜΐηίεΧίοηειρε^ &θΓ6(,&ιηε11οη(ιΐΓίοεΓατΐαιε*. ετ£0 εοΑετηΐηοΑοΑεΙϊαιε ιοεΙίοητΐι^οΙίιηιπιροεεηιάηιηίΑΐ^ειίιηρεηϋ: η Μ^^. Τ}»ναη^"·*ί·ρ·^β.ι.Λ^ττ. Ηϊικ 6ε ,φΐοΑΗΜ.5. Τ!ιει^»»ηί6ίηε Γ ερε Η εΟ»οο«^4». 504 ιβ. Αοεεε ηυοΑ <]ΐαοΑο λοίοα οοο ε&ίε ί εσηεπηρΙχάοηερεΗό· Οι εαιη αακοχ Αείεποίιαϋοοε εοαΓεςυεηΑί ιαοτεΐ6α(ιοηειη &μ 1 Αΐίϋ νΐΐΏιεει ΟΓζείραΑ αΑ Γειηί((ή>Αλ$ ίαΐαΓίΑΧ ηοη ηαΐ* ΐιιιη 6ΑεηΑαπ) εΑέ Αε ιαΙι εοηΐηηρίΑΐίοηε νε ετςο ΑίΓαιηι» αα εοαίοΐΑεΐοοε» εεεερεζ ία οηείαοε Γιοε 1 Οεο νεί ηοη, ηοη Α^κτ ιεεεηΑί εΑοενη αΑ νίαιη ρτηεπίΑιη ςυΑοεηιηΑΑρΓη&άυιη νί(ΑΒ Ακυεζ : παπί Α εχ αΐΐ εοηΤοΐΑείοηε οτΐειιτ ΑεΑΑεΓίαιη ρπ>· ΑείεοΑί & οοα6ί1ΐ$ ΐη τίπυείΙχίΑ ρΓοίεΑΗιβ, Ιΐεεε Αΐί<ρΑ]ΐ$ ία εά ΐηαεηίΑεΒΓ νεαΐΑίά ΑείεΑλα; ηοη ϊΑεύ αΙ» οοοεεπιρίιείο η ρο· ηηι1οΓΑ,ΓεΑροάίί5ηίΓυΟΐΜΑιίαΑϊεΑθΑΑεβ. ΛΑυεπεεΑίηεα ςαοΑηοοεχεο<ιυοΑΑυ()αί3Γεη)ε)& ίιεηιη ηείρίεΙίΑΑεοαΓο- ΐΑείοηε$,βΑΐίιηείιιβορεηείοηε$Αε&εαεεΑέρεΓ&ί^, ΓεΑΓυί^ είε ςυοΑ Γειηρετ ΑΐίςαιβρΓοίεάι» (η εο ιερεπιεκΓ η ορείιπΑ εχ· ^(Αε Η. Μ. 5. Ύαα^ΜΜββΛτ^ί^.^. Ε € Τ I Ο XII Αη Αοίη» Αηιη εΑ ίη εοαΤαιηπίΑείοοε εοηεεηφίιείοιώ Ιί· Ιζεέι Αο ηεεεΠ^ίό ορεηευτ, οειηρέ ίηΐεΐίί0ΒΒ^ Αε νοΙεοΑο <ρκ)Α Οε» τυ1(. ^νΐίΜΑΙ(_ΐν Μ. 5θί Λ €·Λ»ΛρίΛΧ99ηβ ^μνμμτμη^ Μν ηίτ^ «ΜΜΜ Μ«Τ^ ρ αοΛ (β^ΜίίοΐΙί βρβΤΜβΤ. 50Α ΨΛΙΙ0ΙΗ. 507 ρη0Μ Ρ^λΛΛλ Μτϊμλ, 508 ^> ^Α Μ I Α» βΚΜΜΑφ. 509 ^*·φηΛΛ$ατ ϋτΐί» , Ο ΙεορηιηΑ: ΙηεοΒεεοφΙιείοιιβοιίΑΜειιεαιη^ιΙεΙβΐ·» |οχ Ηαίιι$ τίεζ,ηυη ρΓίιαευΓΑηίηΑπαεηΑηΑ ίη(εΐ1εΑΓιβ& νο· ΚΜνΑεβορεηείοαίίΜΑ,ΓεΑΙΗζΓΑ & εαηεαχαίείοαεορεηευΓ: ία Ο. ΤηοοΐΑΑ ρ·μρ/.| 2. ^ ν***ίΛΐβ βη.\. λ 4^ Ρ χ.χ,^^β. 1 75· λΔ ^εϊο εΠ ,ςιιίΑ τεΐ ίαεεϋεΑΑίΕ ορεηευΓ αιη α 1>· 5θβ Ατ^οαε ί ΓεηΑ6ι» εεΐΑΠίίοεεπιΐιίοεΑεσοεεηιρίΑείοαε, νεί Γεηαεο οτΑίοε οΑειιηΐί ρετ οοοηετΑοοεπίΑΑρΗΑηαΓιηΑα: 6 ρτίοΜ ηοΑο αιη εΑΐάεοχοίείο ηοη ΑερεηΑεαΐ ι ΓεηΑΒυι,ηεε ΐη Αετί , ηεε ιηεοοΓεηίΑηηαΙίΑιηείροΟαηε ίοΑτΓτεοεεεΑιαεειη* οιιοπϋηΜ Νοπμ ΑυΑ Α^πηιεοΑ, ΑυΑ τίηίΑηδ ίιηρεΑίΑεηε λ {κτΑν ^ νΓιι ηεΐοαή & 1Α>εταεηορεηαΑοϊοΑερεηΑεηεετΑΑΐ11ΐ$; ίιη ηόεχ ίπίαεΐοαε εζΙεΑίαιη ιηεηείηπ) ,εΑηιοΜυε ρατεΐείρη·· ΐΑοοε ρετΙό^ιίΑ ορΜΑίειιτ,ςΜΑΐη 6Αε ρετ ηΑευηΙοη νΤαχη η- ΙίοαίιιαΚοιηΐηενίχίΐΑαΐε. 5ί ρεΓεοηηετΑοοειηΑΑρΗΑηειΓιηια ηοη ^ ΑίΑειιΙαχ,ουΐΑ ίο Γοοχοο ρτσρΑεΜο,εεΑΑΰ & ΑηιίίΑαι ιηοιχΑσΙιιΐειιτ,&εηεχρεΑίείατ,αηοο ίπίΜΑίευ/Α^ΙιιΤΑοΐπιβΕ ςυοκΙ ρετίε^ιιη ίοΑίαηπι ηϋοηβ : ίιηηιό Αιρεε^ ροιϋο ΐηίε- τίοταίυα^οοε$ΓεαΓυααιίηρεΑίε: ηαχ^εΒτηΑηΑαιίΑΐίίιι· ΑίαοηΑ ιΐϋι ηοη ΑερεηΑειε : & ίχείιολ ΓοΙα εοσοετΑεΐο ρΐααε^ ΑζεχοΑεητλΙίιιιοΑοίοεεΙϋβεηΑί Αααητίεζ. Τηης«^ΒτΗϋ ΙΜ» Αε&ηιίι οΑευιιηΗ ΓεΑ ρετΑεϊε: ίέΑ οΑειχηίΜηηίηίΑ εκ, νεΰ· ^ετΑορετεεν : ετχο ία εοηεειηρίΑεϊοαειΙΐΐβηίΑ Ιιαίι» οβα ρήιηεαΓ Αοίπ» Αυ ΓηΑΟΑ ίο ιεύο^ Αε ηοίΜΜί· ορετΑείοαίίΜΐι. ΟΜΑποΑειίΓ ρτΐιηό. ΙίεΑείΜεΙΙεΔαετεΓιεηκηια^ 507 ρΙίεεεατΙΟοοΑο εοοεεα^ΚήΑκίΒ,ίατε ηοΙΙοηκιΑοεϊ τεΑίΒε •πΐπίΑ ) ΓεΑ ΑΒεο εηΐιΐ Αηιε· ϊΑα απκη Α{^ίεΑείοηοο εοϋίε 1ί> Α^εεπι:ηΑΐη ίΑι εοηΑίο εχρνεεΟεϊΑαηίεετορετΑοεήΓο- ΙαηιεΑεχρΑΓεειηοΑίορεΓΑοΑί ρετ ΑΒβηάΐοοεη έ κηΑΐΜβ ςαί εΑ ΗεοΓΑΐ» ιηοΑ· ορεηηΑί,οβα εΑ απκο εο·αίοςαο^ ιε^ ιηίοοιη : ΑςοΐΑεπι ςιιοεΑ εετπιίοΒίη ΙίΑεταιη Οευ$ τεΐίηςυίε •πίπίΑΟ), η ορεζεεοΓ ΑκβηΑΑπ) ΓοΑίη οΑειιηηα ρετ ίοεείΐε^η £^ νοίαηαεεηι: ετ|ο ειΐή ΑρρΙίαείο εχ ρΑτεεΟείηαοεοΙΙίε 508 ΙίΑεταεεη. Ταιη ςυίο εοοίίηβίε ιηιιΙεοΐιε>Α**ηΑϊο εΑΐίε» επηρίΑείοοε ρΐαη τεηεΐεοεατ , φΐζ ηίεηοεΒΓΑηεΑοηααΟα τεχίΓ^ΐίι : η &£ίαπι εΑ ειιπι ιτοείΑα Γααε ιη^βετίΑ χτΑί^ μ ςηζ ετεΑεηΑΑ τεςυίτίευτ α^βα ΑΑεΐ: ΓεΑ Αύιι$ ηΑεΐηεα··^ εβ ΙΐΙζΓ,Γηρροηαη ίαεεΙΙε^αι&νοΙυηεΑεειη: Αηαεοηεεηρίιείοηε ΓειηρεΓΑεΑεείηίεηιεηίτεΙίΒετΜ· Τατη 500 φΐίΑΠύετεΑ$εΑαΑαΒεηείί ααοεΑΑοεεηνετοΑοιίΙεΟεαια νεΙΙε ρτίιίΑτε Ιιοηιιοετη ίαίΐηπι αηαρετΑ;ύΐοοεεεΐΜε1εια· εαιο Μ ΑίΜιΠΑΐη εοοεεπτρίΑείοαετη Α χΑ εεΑιΑη,νεί τΑραχπι: τε Αίχίοιβ^'^.ι. ^·2· ^.10. ι.^/^μμτιΑ·/. $ Ε· ΤΓααΐν. ϋιΓρυΓ.ν. 5€α.Ι. 99 $ Ε α τ I Ο χπι νοτύιη «οίπΜΒ ΚαίαΓπκκϋ €βο<«ΐΒρΐ3ΐ(1>ιοιιιιη ταΐΐοηιη ι(» ταάοΐαΓ Οβο η ϋη( ^xβ 1 »ρ{^ «Ι>οιηιιιΒ(ΐ&τίηαηιπι»^ΐΜα α«Γηηάΐ« ) & οΙιαΙίοηϋΑ παοάιεοτυη Οτί & £»ΐ€ϋα? ΐνΜΜΑΖΤν Μ. ^10 Α£ρή αΐ*ΤΜ$ Ιβ)Ι$ΦβψίΜί»4Ι 9»$$0ί /νΠΗΜξ^ βύΐΗΜ ^ίΦίΐίΐίΑΜίι νΟίΛ» ΐΛηΗ$^ΑΜίιι<ηη«0ηίίΦΜ, «II ^ΜΦΤ β»φ /ρί(ΪΛίΐ ΌΗ ρΜ·β Μ4(π·« Μ ^*ί 9$ί* ^ίΒΜβΙΛ ^φΛΐφίΚ. 50 1(«^Ιίβ/βΤ Λϋ) 0ΤΤΟΠ4 ^φΤβίϊίβΤΜΜ , 5Χ) ζ0 Μ ίΒ^ΐΛ$»β$ ιι/βΜΒΛαια νιιΜ «λ%4«»νρ ρφ*9^ 1»^1ί ΛϋίΜΦ, 51 ^ Ρ^ΜΒΤ ψΒΦί/Λοι ^ /φίναισ. •ΤΟ Ό^ο Γβί^ϊοοίι ίο(ί11ί8«οιίιβο(3ΐκ1»ηβΑι1ί^υο<ΐΜΒ- X κϋοο$ (Ιίχϊβΐ; Ιΐ1αβ£οα(οΐ]ρ1ι(ίιιθ5 λ(1βι(απι6ηϋ(ΐΐ(1ίαί$ «η ρτπιβηίίΐΰ, νί^οο(θ(1ίαίιινη6βαϋλΐη; ς«κχΐ4}αί(1βιη6ΐΓιιιιι βΑ: οαΐΐυχ βηίιη νίιιοΓ ροιβΑ ία Κκ ▼ΐανϋβτβιΐαβΓρααιϋ ΟήρτάϋΙτβΐοΟίϋπιρεΓ^ΟηιίΜ)- ίυχαϊΙΙαΑΕχοϋ^ν^** •ΙΑ νΐ^έΐα Λ* 2^ ^ Αϋ) ^άβτυαΕ ΐΑα$οοο(βπιρΙ>ΐΐιιοι αίΤβΓβ<1ϊ^ χ1 Α3^υ^η^αοο^^η^ΐζ; 9ΐιο^ιι^^>ηβ(^>ηΙ)ΚΓ»· ιίοαη βΑ) ςαίχηϋΙΗ τϊαιογι ύ^αιπιοΑ) νΐοίΙΑ^ζίηηοοβα· ώη ρβπιβηίκι Γιηβ Γρβ€ΐι1ί Οβίρήαιΐβ^ο, ν^ρ 2 ^^^^χ^αι»· €Ϊ1ίο Αΐίί «£πη4ΐι(ϊΑο# €θο(βιηρ1«{ίυοβνηίιο$χ(1αΐ1ιΐ1ατηιοϋ|ί; ςαοα <ιαί(1βιη ϋΐΐιιη ^Γυπ «Α : ολΠ) Α αΐΐιίίαιη βΑηκ* «ϋβ οηΕΐιποιηίκβκαι; ({αοΑ ςαΐΑβια ΙβΓβϋαιιη ^ι^λιη «Α. Αΐΐ] χ£ηη>ο(ίΑοΐ€θΐι> (ααιρΙι(ΪΜο$ νοί^οβ αϊΗίΙ ιέΐΐυέ ιβ^ι^ι Γη αοτέ ραΑΐυ^Οβο «ραηηια Γοΐαη ίο ίρΑβ αοςιχιο) οτ^ίιοιηηίι Για οροηβΑββ* τβ: ςυο^βιΐλΐηΗζκ(ίαιπΊ(Α; ςιιά οιηηκ^^^1^α^3^ρ^^^^^ νΐηα(£π)ρίορΓά$Α<Ρ6αιΙαΓββίαηχ(ΐιη, ίηβηΐά. αίοβΑ^ τα ορ«πιυο(Κ$ Ιαίιηι . Αΐίί Αίχβηαι ί Αοβ οοο(αηραιίιιοι νοί· (οβ αίΚίΙ οκτατί) ςαού οϋ^αι ΙΐΒττιίοοηϋηοΑ) οχκηΑΙαιΙ ίβταηίχ^ι.Β'** ' &Ρ£ϋπκ>δι.^#^^ίτ/««/^ ^·φβ€ΒηΑ·ια4·ρβτΛβ·. Α1^^<1^x^ηιαι^Αα^^οο(^ιηρ1&^^(1Μ^Α^ η(^ίλ1ίο(ίο, &ςαί«€β; ααοι1β€αιη &]ΓαιηβΑ: Γοτίρΐυιη ΟΑ αηίη . ·ί·»ηί μ#, ά4^< φ/ατΐ0β$ { ^ *ηβτ ΖΜ Μά^/ »»ι*·ρ. ΗίΤίυρροβή |ΐ) Οίο) ρπιηό: νίιί οοο(τιηρ1α(ίαί ςνιιηβιιηυ» τηίιί οΜ}- ρο(ατρπΒε€ρ(α 1 ο^Αίαίαζ : ΗοςοΑΑτΒΑα. Κιιίο^Αιςηα ρπΒοίρα Γυο^ τυ1υηα(ί$ ΚυπαοΒ : Γ«ί ηαΙΙια ίια· ιηοβΑ) οαηίιιη Λοιμοί ^ι 11 α$νο 1 αοα(ηη οοο ο^γΕοαι ΐο. ΐαΐνίΐ^α^αϊοχ: ^^βο Ιιηρο(Αί>ί1τ ΗΙ α1^ςα^πα Ηοη 1 ^ι>^ 1 ηρπ^· ςβΜίι [>£ΐ 000 Γιώ^ί : ία Ο. ΤΚοιηα *" ι> Βρ$ββΐ4οι ο. ΡφβΛ ^14 ΦΦ θΦτ·Μΐ^ί*ί Νβε ο1^(ί11α(1ςαοι1λί( (^'ΡλϋΙαΐ; ΥΒι 5ρίπΐια Οοιηΐοίι ίΙ)ί 1ίΒϋΓθ5, & ϋα >1(«η Ιαοαιίυ : ΙαΑο ηοο οΑ ίτηροΑα ίεχ . Κ,^ΓροοιΙβΐατ ηχιο^^υί οιιιη Ο. ΤΙιοπα « τί>ί ΓοοΓυηι Ηοτυτη Ιοεοηισι βΑο> Ιεΐ'ΐη οοηΐΠνίιη· ροΑαιηρΓορΕ(ΓΪαΑοβ) οοηςααλύαηοαίοκιαίϋΓ, Γίύςυα !η(βτ) 0 Γΐ ΙαΜΟί πΜθ«η(ατ ςιΟΒ Ια 0«ί ρτζείρίιϊη ρτορατ ίηίαίΐη. Ες ΠπιίΙίαΓ νί>ίΓρΐιί(α$ Οοτηίηί> Α>ί Ιΐίκηα ΐη(£ΐ1ί> Βϊ(ιιγ; ςυαΙίΐΜτβΑ^υίβΑααΓιΓαί: ιαπι Γβηιαι «Α ααΟι Οο> ιηιαί : ^ί^υιηςυβ α^ο 9^ι α ΓοίρΓο , ΙίΙχτύ ΐ|ίι ; ςυϊ ν«τ4 οΑο ι1ιοιηο(υβ« οοοιβίκ ) 1 ι>^^ύ: ιιIβ 6 ^^ςαίνία^^η 21 «ρο· φΐά ηα1»^ρΓθρ(0Γπαη(ΐ3(αιη Οοτηΐηι. οοο βΑΙΑκ-τ: Γτί ςαίνίοίπαΐϊ, <ι«ά4παΐ2> ίΠεΙίί)βΓΰΑ: κκ ιακιη £ιοί( 5ρΐ> τί(05 &η£ίιιβ« ςαί ηηκαα ίηαΓΪα$ ραΑοί(ραί>οηυηι!απϊ· Τ11Π3: ν<Αοα>ιηοκ«ιια(> λε & ρπΕςίραα Ια ^ίαίη>: Αε ίϋοό ύίαωτ ΙΑζΓ) οοο ςυά ηοη ΓιιΙ^ύχυΓ ύίυίηζ ; (οΑ ςιιααί>οοοΗιΙ>ίοιίοΓΐίια(ιιη(ΙΙκχ: &£ΐ«ο^υιη> ςαοΑΙβχΑί- «άαοτίΐηκ: χΧΛΌ.Τ^χαααίΙ»*^ (·***». 5 Ε Ο τ I Ο XIV. Αη 0(10111 (λοέΚιιη οοηαιηρίχϋοοίι κηοΓ^βίατ β 'ηα^ (ίοοβ νίΟΒ χΰΐοζ ίαΟΑακΙο £Ααα ρΓοχίαιοίΟιη & <χ ηααιίοοο οηιίοοαιη νοαίίοιο. τνΜΜΛΗ,^ν Μ. ν*ΐΛ φΒίΦΦ μμμ) ίηφβΑ$ »Η·μ €»Β»ηφρΪΛ»ΐ·Μί. (^ΪΜΦ £/ΡβιΙΦ φ 4 (Φη/ΦΦφΙφίΐΦΜϋΗ ίβ λ^ιβ^ιφ /Μ* «ΜΤ«4^νΜ ψφφ β» ρβτ ΒΗφΨΦ φίίΐΒΛΠ». 517 Ρ«ΜΤ«τ ψΦΦ^βφΜ βι^β^νΑΤΜΗ* «· (·βιτφτ$ιαφ(ι^ /φ6ύ$ΦΤ» 5X5 Τ%Ιοοριί^: νίαιδ1υΐφαα<»ιραιπ)φΜρβτ^&οιοαίο& Χ·/ίιη^ί(οΐϊαιη εοηχοηρίιΐίοοίι: ία Ο. ΤΙισπη· ». ». 5 ·^Αι 8». Κ.ΐ(1οβΑ ) ςυά ίιηροΑιΒίΙο οΑιςαο^ι1ί^οά&. ιηυΐ οοοοροαίΓ οίτο αιβήοτβ» >αίοοα· &<1ίοίΒβ<:οο(αιν· ρίχΐίοηί Τ3€α: Ικ>τ αακα ρτοα^ίχ α οοΑιο^βχ οοτροτά βηαίαχβκκηΐιίοαατ χΒιΗίιο^ίοβοοοΜιηρΙκιαοίι: «αη Αηρβίί & λΤοβα^υΐκ &Αίίαοάιιο(; λίοβοίααιρβΓΟβο· (βηι^(ΐοα«ο&<1οΓοαι^Βη(ροτ»1ιοίοΐΑη(ίοαβιη: ςαοΑρα» «ίοα Λά τίαοΒ ^ιαιη . ςοίη ρήοβηΐοτ ίηιβπιχιοοοιβη^· ϋααί«βιαιϋ)ΐ, ηλΐ(Ο.Οτο|οηιιι>.Μτ«^Μΐ &Ο.Ί1ιοαιιι Ι^ι'Λίτ^ ί^βΐίΦΜ, ». 2 . ψΒφβ ι9ι· Φτ*.^Λ^ι. ΕχίΜίαοίβΒοιι^ίΑίτιρΑοίΓτίΕα α^ΐιαίοοοαηρίκϊαι* ΓκυχίααοΒίιςαίραοροηιάϊαζίια- ρτ (1 ιπηιτ 4 οοαατηρίι ι ίοηβ. Οίοο Γβοαοάό: Οριΐπα ώΓροΩιίο ιΑ οοαιοηιρίιείοοβπιοΑ ·η|υί(!(ίο νΐηοκοπι ηοηΐίϋΐη ςαζβιρβίνίΐνηχάίιιιιη: ία Ρ. ΊΙιοπιμ α. 2 . 5ν^·<{ο· «'Χ.^ΕχηάοοΑ» ςα» 2 ΰο»οοο> οιηρίιΐίοαίι ίο αι 1 ο^Α^η 1 αI^ι^^^ο^ΓιΑ^Iν^α^υ^^^ 1 ηρ 12 ^^ια» ίσιρηίχατ ροτ τοκιηοη(ίλΐη ηΑίοηυη ρα ςιαπαΙϊΑηΚίηιτ ίοαηχίο ιοίποΒ >Ι> ΐηαΙΙι&ιΒίΙίοαι λΑ ΓαύΜΙϊ» « Αχ χγ (οιηα1? χχααηοτα: Γο^ νΪΓΐοιαιηοΓ 2 ΐ;$ιηιρΰ« 1 ίιιη(νοχτηαι(αιιι ριΑΐοηιιη&ΓοΑιηχαιαίοΓΜίηοχυρκϊΜίκη αιηιιΐιαι: οτ· ρο κςυΐΓκίο νϊηαιοιη ηοηΐίυη, ςιιζΒιρ 6 χνί»πιιΑιιαιιι ω<»(ίπαύίΓροίί(ίο24 «ηαη^ιίοικιη. Να οΝΙ»ι Π^ία$2(ίι^Γαβκεκνίηοα9ίηΑιΓ2$<)αζίαΑιη> 5 Ι) Ααηΐατ(θΐη$η(» 26 Γ(]υον 11 οααα(ίο νΐιζ «Αίαζ: αβοχ* ςυίιίιίο νίπυαηι οαοήΐϊοιη ςιοΒ Κ( ρ^^ τίαιη «έΐιυιτη οοη οΑ «00 Αίίροϋιίο «Α νίαιη οοοιοιηρίκίυιπι . Νοο οί>Αχ( ίη· ^ 10 . Κ.αροαΑοιαΓ ιαηςοβ οιηι Ν. ΡΙιίΙίρρο .4&ηέΗ(Γιη2 ΤΓίοίαΜρ^'Χ.ΐ- /γ-Λ.ι. 4 *’^(.ο^ηύυ 2 ο(οόοΑθΜ. Ει αΐίο οΑ) οαά Ιίοέχ γίΓ(α(αηϋη1αί..ΓυΓζΐιη(ΐη«ΑοροτΑ9ΓΙΐοι«9 κηοίιίϋΐί οοο Οηεη ζςιαΙηη ΚΑχηίχΑπιοΑοηηΑαριΠίο αη & ΓώιοΑχ οχίαίοπιαι χαιρχιίΜοηι ιοιηυΙ(α$ οβία» ςίιπι : Αακ χ<)οί Α ιζ ροτ ρτορηο· ιύαχ ο 6 οοη(ίηαοιο οοοίη- ηοηιη ^χοτοίιίυπί) μο Αιεηιηι κςαίΰιζ > &&πηι 1 ^ραϊΕοτ οίται ρϊίΓιοαΜίη ο 6 ίι;^ <ίς|>ιΐΑ Αλίι χΑιιαιια. ΟΙΧΡνΤΑΤίΟ V. Οφ ^φφί^βηηφ Ε·€^*τΐβΐφ 5«ίΤΜνη/« ^ΒΛίφηια ψβ ηιΑιαα. αΙφίτΦΐιιτ ηΦίτίΦΙΦίΗβΜ /βίτ'αΗφίφ. 5 Ε α τ I Ο ι Οο τοίοοο ταΐί ιΐοηο^αα (ιυίχίαι χΑκία , ςια ιμΑι- χηα χΙοϊηΧϋΓ ααιηηοηίικη Γρίπ(ια1β ίπατ ροΗΠΙπΜΐ ιηίιιαχ & ^ι 1 ηΑα 1 ^ Οοαιΐιιυη ίο ΕοοΙατίΛιζ 53 θΐ> ηακο. ίΥΜΗΑ'^ϊν Η. |ΐ 8 ΟικΦΦΐ ΔΒίΐΨΐΦ Αχη} βφ/ζΐρΐφηία ΕΜίίβτ/βΐαιη βφ*ανηφΐΛ η>βταΓ$ατ ρφψ «^/7βη* Οτίβφ. 5 X 9 α·β[*'ίΒΗΗ ΑφΟη ΐηίφτ νηίΦΒΦΦΦ ρ$Φ φ^φ^φολ ΔΜΜΦίΦΐηΌΦΦ^ΛΗΐΐΦΦίΒηΐ Οίττΐβφ ΐ» ^^ΦίΤΛΟΙΦΙΟΦ, 520 /* (ΦΟΦΦΦΐφΜΦ ϊΜΐίτ βφ ^φ( Λφ 9Φ4ΦΜΙΦΦ ρηφτφ η. ρΓϋΛίΒΤ. 521 ^ρΦηϋφτ /φη/ηι ^Βφβΐφηΐι. 522 Ι(ί%Μίαήΐίτ ΛΦβ 4*ΐατ ρμϊφ ψφφΛφ (ΦΜ €Ρ$βφ $φ ψϋί Αίφη^ *ί(»ώ»ηί φ4 Ιφφφ ίφφΤΦηιβηΐΒΐΦ ^ βφ4 ιλμΟολ ρ*τ λ^Άβιφ. 52 ξ ΡτΦ^ΛϋΐΦ τφΦίΦΜΦ. 524 ΑΓ*^ΜίίΦί ρφε^ίβϊφύί ηβαηφίφτΐφό ρφίίτ νηϊβΜτη ρφτ αβίίΐϋΐη ίπα» ΟΡΐβφ μ ί«φ5φ£τβαΦ»»ΧΦ {φβφφΛφφφχφφφ τΦΛίίι €Μτη ^Iη^βφ, 525 *^"ββ** **·>* ψφφΐυ > ΦΐφΒΐΦίΦτ. ^χ6 4φή Βφφί νηίΦΦβΦΦ φφλΙοφ «η«Μ «μ οΒφ^φ «· Βφ€ $β€ΨΛΙΛΙΜΦ ΛΒίΒφτΜΜϋΒΙ βφ^Τφ ίφΤίρΦΜΤΦ. |27 Ρ**Βλιβψ φΦίΒφτϋΦΐΦ ^ΦφβφτΒΐη ΡαίτιΐΦΐ. |22 Ρτ*ΒδΙβφ ΤΦί$ΦΗΦ. 529 ΡφηίΐΒΤ 9 βφ44φφι ΦτηαβφηίβΜ , βφΙιάίυΦ, 5)0 ΜΜΙΜ ίΛφΙ^Β! φΙφτ}^ ^ Μΐ·άπι/ ρίΛί ΟΜ* βφφ» 4ΦηάηΦθ* $μ ίφ{^φτ%βΐφ 5*ηΦη»ηί9. 5)1 ΥφΙφΜφφ ίϋφΜ ρφβφηΐφΜ ήηκΜίβι^ ΦηψΙΦ^ίηΦ , ^ 4φφβίαΙφί$φτ : ^ ^Ββιηφ4φ Βφφ βφί ^ 5)2 €Βτίβ(ϋ 7ΐΜ««Μ φβ η βφ ^ ^ΡΦΦΦί φβ Αμτ μμμη βΦ ΗΦϋ ηι (0φίφ4φτφ ΦΦΦΐ 4 φ^ ψφ<»ρφφΦ»'ώΒΐ ^ β(4 η 4φ, βφΙΗ$ 4ίβρφ^$φ»ΐφ η ρΦΤίΦ ίΛΦ^ρίΦηΐίΦαη , φφιι βι «μη^ Βία ίΦΦΦΦΦΜίΦίΦΨ. 5 )) %βφφ4φ 4φ»φφ Βφ( νη$Φ τφφΐίτ φφφφφ ΟΒήββΜ. φφΒ, ΙΜΜ 1 , βφτΒ βαΦψΦΤ 4ΦΧΦΤ Φ(βφβ· ^ 7ΜΜΜ4Ε» } Κ.0 ΐΗΐία$Γ«Αΐω!$ίηαΐυ^ϋ2Γορροοοοα)αη2η)ΐηι«^ί·· 5>Ι βηύ ΓοΓαρίηιη Ιιοε Αίαιουιη $χηπΜηαιη 6 «Γί τηοαι οΑιη Οΐιπ Αο ηοηΙΐΜτ ρβτ 2 ΐΤοΰυιη οΙατία(ίχ . Γιιρρο- οοιΙατι (ίίΓοΓίηχη ίηχα νηίοχηρα 2 &Αυη£Κ 2 πα(αιηίσιζ αιιη ΟβΟι & «ηίιηζ αιη ΟΒπηο ία Ικκ 520Γ2ΐη«βχο. Νιπι 5<9 ηίοραιβοΑυιηοΗΐΓίαχίιαιπιΟοο Β2ί)β(ρΓοο6ίο^(Ιίαίαί· ααπ ΐρ(«ιη 2 «αιη<ια 2 €ΐαΓίαα ιηβ< 1 } 22 αίαα αχοΙΦη^ οοο· ΐίικίχιατ: Πΐχτοτόςαζ ρ^τχΑοΑιιιηβΑ) οιη ΟιΗΑυ Ιαίκΐ ^ο 6 ϊβΟοίρΓοιη€ΙιηΑοπ)) οιιη <ι»οϋιακ 5 χΐ’ 2 α)βηΐονη 4 &ι« 2 ΐίαταίΑαιαίοϋιι»έχΓ 2 ΐζισΓαη ο«ίυη| 1 (χ. ΑΙαη τηίΐ Γρίτΐαιη οοΑπιιη αιη Οοο Γχυο^Αιη ΐΙΗι^ : «ΑΙιζιοκ Οβθ)Τηα$ Γρίτίχια 6 ( αιιηβο. ΑΪαητατόαιηιΙριηχαίρΑιιι ΟιτίΑί ΓχομΑιο ίΐΐα^ &αηαι· Α. £τ φφφμΛκφφφφφ ^ ίφ 9*φφ$Ρφ^φφμφ: 1 οχιο(αητηΐορτοριί^οοα£Αί(ΐηιΑοαΒ 0 »οηίιω(Τβτόίη(αΓβ 1 ιΖ€ναίθ(υιιηβη)α»ία«οςιιοιΐΑ· ρο η( ναίο αισι 0 «ο ρα ιιοοτααίηίυΑίχί^οΙαηαοτιβίτ^ η ρΙΰτΐι&οίΒ ρβχΑςίΟυ: ία οχήιη ναίο αοιτ ία ΕοςΙ». α 2 «ιοίβ ιοο Ρε νΐ3ΐ πΑί3’5ιεηη)εη(οιιο$ΟΙ»!Αοευοίαη{ί()ΓΓε(|υ«ηΕεΓ£Εαηΐυ(η ίο · 5^^οο^^ο^ο^^)^αη( 9ι1ν<^ <ά νηίο ρεΓ ίίΓεόΙϋοι εΐΜΓΪΕ2(Ϊ5 ευίη 1>έθι εΕί^πΙι ικ ϊηΕίπιερΓηεπ$ρκãÒ Γπι(»η) οιηοίϋαδ ίαΠί$> οοη οΙιεαυΓ πτιΐ» νηίο, ςιιΪ 2 Ρ» ρΓΖ> ί^(ί»αοηρ<;Γ{ΐ]ρίΕυι:| πε<)υε 5 α(ΐ 2 ΐυΓ, Ιοί ^ιυζη ραΊΐ(1(ΐη ούοεεαηυΓ Οοιιιη Ηΐε ΓλΕίοηε Ιμζ ίι»Γηαιϋ(4ΐϊ$ ϊο οπιηίΐΗ» πΗηυ ίοιίηιέ ρΓζΤεηιεπ), »ε {κτίςπΕίΑΐτι ΐα^ιαΙηαΕοΐηεοΓίΙΐ· Ιχι&ΐαίΙοΓωη, Ιΐ»ι οπκη ροΐΙρηαειηοοΟπίίη, ίΐ42ΐ>Γ(:οΐΗ 4^(1^9ν^νίχ^^1^ρ^^^(|ς-ΰΜκηΕ1X, ευ^οΙε^ιιχΓ: ίϋ ΐονεηε- ηΙ)ί1ι ΕοεΗιτίΐΙιχθαεηιιιεαίο· <]υ4η)αϊ$0]]πΐΙυ»ΓΓ9ΐΐΕεΓπιβ' ύίϊι Γρεεΐείχι» Οι ίαηιηέ ρΓζίεχΰΕΟΓρυπ&βηίιηχιϋ^αιιη ϋιΓαρΐεηΐιυπ>,ηυΐ)( 2 ηιεη ροΐν^ιίίοΐ Ηχς νηΐοΓπΙί) ηοΙίΓΐ Γρί> τίΕυ$ αηη ιροΟΗΓϋΙυ: ίΐαΐ2θίιΐ5ρΓ7{<.’ηιί!ηοο§ιιιΐ9(υΓ, ηε· ςοεεχρεηιηπκιΙίΕεΓροκίρίΕυΓαϋοιηηιΙΜΜ, ςιΐ)94 ϋΙυπκΙί ώέ ϊοεν^ιιηι : ςυίΓε (αηΐΜΐη οΐΐ νπκ> & εαηίυιΚϋο κηλε· }ζι ϋυι». Οα(κί ΐη ΡΓχΙέπΐι <»ζΓίηια$, εΚ ; Λη υαιι ιΐί- ςϋ9η4ο 2ΐροΓΪ$ ιοΕεηαίυπ] ^Γ^ΐ!>α2ηΐΓορεΓαοηίΕν(αοίη9ΐ(1 νοίυΐίειη Γηΐνιη ίηΐ[ηε(ίΜΐ9ηΐ) & Γηιί(ίαλη>εαηι υκο&ΐία- ΐ^τ (Ιΐυίηι ρηζιΐίΐηι ^πΕίι ρεηίηβ^Ε , νι 1 ίιρεΓίυ$ΐ 2 Γό< 1 ίχίιτ)α$ ; ϊ(ΐεΕ 14(11 νηίοςυκ ΐη ΕυςΐιΪΓίίΗχ &ΐ£ηπκη(ο ηυβ 1λ*οοοηΐιιη· |ΐ(,4ΐΐς»4η<ίοΓο ρεηίη^Ε νΐ4ΐκ]ηκ ιηεηΓεδ & ρα· Γϋκ 2 ΐζ ίη εδίύα & ΓεΑίίεοηοεχίσηεϊρΠΟΗΓίΙΙο ΐπιιηήϋΑΚ & Γ&ιΙΐ ΓοαίιιηάκΜε Γ. ? ΗϊϊΓυρροΐΐ(ι$ Οίου ρηιηό : Οπιιπι εΐΐ κ§αΐ 4 ΓΪ(ΓΓ οοη (ίΐΓΪ €Εάιη ιη Κί» ςαί (ίΐ^ικ' ΑΕΕΓΐΙυηΐ κΐ Η« ^βεΓΑΠίεηΐιΐΓΠ >. νΙΙιιη νηιοηΓπι ΓηΙειη ρΓαιΐ'Ε εαιπ ηυα ίρΓι ^ΜίΠο χηιπιΧΓΟΓυιυρεΓεΗίπυιΐίΛήί- ίΐυιη νίηιιΐε ΐιιυαι 4 ΐη«;ηΕί ρεεαΙίαΓί νηίυοε Γοηκιη^ιιη· ΐϋΓ: ^^ί^ )ρΓί 9 ηυ^: ίίτ/ηοη^ ^ ίι/Μα Β^/πΐ/ιί, 5. 1 > 4 [η-ίϊι·ηιΐ 5 (*ρ.ι^. Ργ. ΤΪΗίηαχίΜ'ιιΛ^^Λΐ'^ ΟΐιιίηΜ/ίί.^ 5 Ζξ ίϋ§η^ναιι·ηΙ)ΐ 1 οΗοε $3ΓΓ4ΐηεηιυπιΓυ(αρΙεη{ί'$ηοη1η)Είυητ ΑπκηχΓαζουΓηόΐΐΓί· Πο λΠαιπ νηΐοηεα» Γ€ 4 ΐειη, ρηιεΓΟΑίη ^αχ 6 ίίερεΓ 2 ίΓίΙϋ(η 2ΐη4ηΕί,$9(ΐ4>η3ΐαπιΠΑΐ>:1ι(υΓ, <]υί4 πκΙΙα νηιοΓΓβΙκίηΕΟΓηυ* Αηιαι ΓρίΓΐΐηπΐ) &€1ΐΕΐΑυ(η, πίΐϊεΑςυχΐίΕρτΓΑΐίο^υπίΕΗΑ· Γία(ί»} &4ΠΐθΓί$, ΐοεείΐιςί ραίοΠ : ΓΓ^ΓεΐϋΙαπιεΓηυΙίΑίΙίΑ «ΙαιαΓρηείετεΑΓη ^υζΗ(ρ^-^^Η4πΕ4(15 9^Τ^Ε^ι1^η. 5^4 ΟιεοΐΓΕΐιη(1ό: ΡγχΙογΗαικ νηΐυηοΓη 9(Τεϋίΐ$εχίΑίιηό(ΐ4Γί ιΐίιιη Γεαίεπί) & ίηεβ 2 ΐ>ί 1 ειη εηιη ίρΙο ^| 1 ^^Αο^η{κ<(^ίιι^ηυ 59εΓΑ(ηοΐ)(ο, ςυ5Τ<1ε/Λ·«ί«ΐ4ηΕΜπηηοηιίΒο$ 4θ€ΗηίΙυ(η|ρ- ίυιηβΓ(ίοηιΐΐΓιιη6(1οίί(ίεηοοΐΗΐ5 εαίηίΓοΓοΙοΕ. ΗχεΑυΕοπίτ- 51 ^ ΙΐοϊιΙίιηΑνηΐυ ηΐΗΐΐ4ΐΐυ(1εΑ, «ιαιπι ίρΠυ$ ΟιηΠΐρΓχΓακίζΐη Ηοε54εΓΑΐηΕηΐοΐ4Εεη(ί9ίηΕΐ(η4 τηιηιΓεΑΑΐΐο, ηοη (ιπι ρτΓ νΐ· Αοοεηΐι ΜΚΓΠίεΐΑΕΐοοεπι, <]υίιη ρ^εοιηρ1εχα$(ΐΜΐείΐ!ΐτηο$, <}υίί)α$ 20 ΪΠ 11 ΠΙ ί» ϊηε&^ίϋΐβΓ κ ΙίίΑυίΕετ «Ατΐπςΐο, ν(ΐ^« είυ5Γο1εΐρρΓχΓεη(ΐαηΐ| οΓουΙα, & 4ΐηρ1εχυ5 εεΓ(ί(11ίηέρεΓ· ειρί». Εγϊε ί^ΐιαΓ, Γι ρΓορπέ ίοςιιΑΠίυΓι νίΕ4ΐ·$ ΓεηΓυ$, & |1ι1^υ^ίρΑ««^ΗιΐΠί^ο 54εηπιεη(ο εχΐΑεηιί5 ρεΓ«]υεπιΓεηΓαιη Ιιαύ <1ίαίηί(Γιη>ηιη εοαΕβ^υηι εία$ ρΓχΤϊτηιί» ΓηΙιΕετρεκΐρί· ιυτ 1 ειυ$ Ιχ>ηΐΕ45 & ϊηεΑι&ίΙί) (ΙυΙεοΐΙυ ϊη Ιϋο Γοη(εβΐιΑ4(υΓ»& Ηζεείΐ νεΓχνηιο, &ηο(ϊ(ί9«χρεΓίπιεηΕ3]ι$ΐρ(ίιι«έ^πΑί ^ηοη «Α^άοιη Ιΐοηιπι , ίε<1ρεΓΐπ:4οιιιηεοη(4ΰΜπΐΜ; νηιοηοιπ {ηιηοϋχαια^Ε ΓβχΙεπ) χοίπ» ηοΑπΒ εαπι ΟΙιτΐΑο. Γι(ΐι( νηίοηεπι Γηιίΐίυιτη & εοΑκίαιη ιηίιτκΓ ςυιη Ρεο εΙΙε <1ίχΐιηιΐ5 6χ ρ^ε Ρτί ΐΙΙχοΓικη & ιηιηΐί^ιίοηεπι. ςιηη^ίπΐτ ςαοΙ>θΜΐ4ηΐ(πχηοΑηΕΪΙΐ4ΐ>ίΕυΓ,ΓεΐηΕΪ(η^οοηΐιιιν ςεηδ εαιη ίηΕβίΙε^ ίο ηΐίαοε Ίίπιηιζ ΙιιεΓ^ευοι νοίαηαιε, ίη ηΐΐοηε ΓαπίΓπι ίκιαί) & Γαιηιηΐ ^Ιε^ΙχΒίΙίΧ) ςηΐ ΐΠ4ρ(ύ»βρ· ρε1]4(αΓ <ίεοΓουΐΑ(ίο Ιΐιιέ νηρ1βχιΐ5 Οεί βυ( οΑεηβο Μΐεΐ Γμχ 1(ΐΒ πίΕίοηο οπιιήι Ικιαί : Εχ ρχηε νετό «αίπιχεΠέ ρεΓΐεριίοοειη εχρετίτηεοαίειη οιηοΐτιηι ΓεοΓιηιιη ϊηΕβιιιοπιπι ίΑίιβ {υπιιηι οΒίεΟί, ηεπιρύ 0οί) *ά ςίΜη ναϊοηειη εχροτίιηεηΕχΙεηι Γε* ςηί(υηηο<ίόηη4ΐ|ο; ί)υε11<}ΐιε£ιέΙΐο χηίιηχ, 3<1 ΙΐφίεϋΏΐο- χί αε&^οηετη νεΓ6 «1»ΓυΓρΐΜ Οεί : ίΐΑνοΐν Ηίχ πάΙμ ΟΗπΑί ΐη ^ΑετΑοκηιο « ςυχ ηηίϋιηίχ ηιαν εί6ιηευπ)ΓυΓαρΐεη(ΐ^εοοΕίαβΓθ2ΐί9θ40({οίυΙεΕ,ηΐΙιίί χΐίικί βΑ« ςαχηι ΐίΙχρΓνβ, Αυε ηιχηίχΑχΕίο ιρΓια$ ΟιγϊΑι εχΐΑεη(ΐ$ οεευΐΕθ)οΙκκ5κΓ4ΐη€ηΕο, οΩεηςΙεπΕίι Γ«π»6θϋ^χριΐΓ£4ΐίΓ· Απιίχ ίίιΒ ηιίοηεΓυηοιοχΙικΓΪ·) «είϋιηπιίΒοηΐ, χ|υιχΐ4ΐη ύίαίηίΠϊπιο κίοε&ί>ί1ΐ ΑοαΓοΙιιαιχάοηιεηι, Γε^χ! ΙρίπΕυη ρεΓΤίηςεηΕ». Αύαεηε «ιηεη <]υό(1 ΗίεεοΐΕ«έ}Μ$« & Ηχε νηίο ηοητοηΠ· Αϊε ΐη εο ρΓχεί$έ ηαοιί €ΐΐΓίΑΜβεχίαιΐπ)οχίΓεΰαρεΓΠ)θ(1ιιιο €ΐ1>ί ίπΕη ηο5 υρετείιΐΕ, νχ χΙΐηυίεχΐΑΐιηχηιηΕ; εΟεηίηιίΑχ νηίοΕηοηΙ» (ΜΕυπιςιιχ ηυΙΙχ ηΕΐοοε ^ίεί ρσίεΑ τεχΐ» ; ειιη «({ίιαΓ ΟΚτΐΙΙι» ίρΓε ρετ ιηο(1υπι είΐιΐ ΐηΕΓχηοβορεηικπίϋΐΕο ίεηΓα ρετείρΐχΕοχ ζαΕ ΕίοςχΕίν : Γκί ίκΙε ΕχηΕυπι ετειίίΕυΓ δζ εΜοοΠτίΕυΓι νΕρτ7Γεη$; ΓειίεοοΟΩίΕεχρβΓΕε €ίιηΑϋα(1ιιΙ> εΐ^ιηιο & καΙϊ εοπιρίεχΜ Λ (ίεοίευίχϋοιιε ΟΗηΑΐ ςυο Οιιί Αυ$ ^ηΓχ Ωί)ϊ (ίίΐεΰχ οΓειιΙυακίυΙείίΓπηοιηεοηευρίΓεηίΕί Ιαγ^ϊ- <βί : Εχ ρίπε τετό«ηΐιηχ'εοα<1Λίΐ ίη ιηυΕυικ ΓεεΐρΓοεχ νηίο- οε, Γιο^λΐηρίεχα,χί ςαιιηεοηΙεφϋΕαΓεχρηίπιεηΕβΙκ&ΕίαΙ- εί Αίιη ροεεηΕίο ίρύα5 ΟίνίΩΐ^ρεΓ ςαχη Γρίτί ΕΐΜΐΐ$(1α1εε^ο ίη ίρΐοΟεοροίΤιΜ οοηεηχιη ^ αηΕΐιιη & χβε^ ι ΓοεΙ τό ίρίΐι ραηΠιηχχοΐπινΙρ^ΟιάβίεοοΓιίΕηπιχίΜίεχείη^ ιιοιιηρΙεχβίβϊβηΕνηβοεϊη. - γ. ΗκιιιεβΐΒνβίοι««1ΗΙηώι»{ροιώΒευι»ιρο(»οιη5·χιΙμ Γιιόο ΓιιτΗιπΩίχ ^ΓηιττητηΓΓοΗιίτΐΓ; ρείπιοΜίϋιοηΐΐΕεΙο· νηΐϋυα. εΓΧ&ΓίρΕαχχ: (ίείηύεβιη^οηιπιΡΑΕαιηι : & Γα^επιηΕίο- ηε· ΕκϋεΓΪρΕυηρη>ΐΜΕΜΓεχί11οΙοευΐΜηηί5 ι^Ιηί/Ιί^ΐ^νΦί , /ιαηίηρΛίτ* ^ (^ν^αηΛΜ ^ ι^^ ϊην^ϋιι ςυχΥΓΓΐ}|οοηΓο!ιιιη<Ιεχ1αεηΕυ5ρίΓΪΐα5 59η£Ηΐυηι ίοι^Γφχτ- ιιη(ί4, νε Γμρειίύ$ εχρο(ιιΐΠ)ΐι$, Ιΐκί & ΩεΟίΐΓΪΠΐάΰπιίηίχί. υοικυ Μτ ΕυεΗΑΓίΩΐχ Ιαπ^χ Γ 111 ηρΕ^οη^Π 1 ΐηιείΐί^ΐ ρΓοριίίίΠ· πιε ροίίαοΕ: ςυιΐΐ <ϋε3Ε . Ιη ίΗχ (ίιεςυχη<1υ£'^ονοοεΓοχίν« ίιιί» ΐρεείεΐΗϋ ρχηί$ νοΐΑΕθ5, εοξηοΐεεΕί^Επβίΐζε: πεπρείΜ εύό ίο ρχΓιε πχΌ, είΐ, ηιεεΐΐέϋεί ϋΐίιιπι, Οαιπι ννπιαι» είυίιίαηευπι ΡΐΕχε1υΙ>ίΙ«ηΐ»· Ιϋιιίυ$ εο|ηοιίαηί$ νοϊΓίΙείη ηιο, ήίί ε11> ρεΓεΐ^ΐεΕΐΐί ΙρίπΕίιιη νεΙίΓυπ) ΰε εΑτηειη νείΐηαι ΠΗ*χ ΟΓηΐ χεΟΐοιπίΕΐΕί ιπΕίαιέ ΓΑεναχΕΑΐη;.40(ίΓπιΐΐηιεχρε- ΕΪεηιίιιί(]Κ(χίε£υεΕί3ΐη1υπιΐηνο6>$, ιεΙεΩ, νυ6ι$οιηηίηΛρεΓ ιαΕεηυΓεπ)>ηιρ1εχιΐ(ηνοίΕυ$> ΐΕχ^Εν^Γε ροΐΓκιϋεΐςαιχΙ νο$: ^4 τηΛηώΐζ»(ιι ηααιη αιτηίηι^ ^ 1>ιαΐι$ τη^αιη /αηχΜίΗτη)^ ηΐί π>Λη»αΐ$ι^ ^ ·λ %^ϋ${ <)υοι1 εοΓοπιυηεεΠ οχηηί))α&(ίί- {ΐιεχί ηιοεεε^'ηΕίΐΗκ: νΐΕεΓίυ$ίο ίΙίχύιεεο^όΐεεΕίχ, <]ΐΐίκί ε^ο ςυί έ ΡχΕΓερηΐοείΓι , πιχανο ίο νοΙ>Ϊ5& νοβ ίο ιπε : (τιΐ)^ ςϋίεΙχΏ εο^ίιίο ςυχ ρυηυπΙ)ΐ» χηαηχΒι» εαπΕίο^ίΕ , ηιΗϊΙ ύΐικί εΩ, (]υ4(η ευ^ίΕίο εχρείΐηιοηΕχΙί& & ρ^Γ^^ρ(^ο^{ 1 χ^Ω^ χε^ΙίΕεί νηίΕί εαηι Ιρύ$: <1ε ςαχ νηίοιχ ίηΕεΙίί^άκΙχ ΓαοΕ ϋΐχ νεΓ- ί>χ: Εοβορ4ΕΕτνΕνηυηιι·οΕΩειΐΕ(;^υΰΕΕυ νηιιηι Γυπιυ». Ηχε^αΐ(1επι ιηΕετριεΕΧΕίο πιιαίΙεΙίεεοΙΙίςίΕυΓ εχ ΙΙςυεηΕΐ- ΐΜ$νεΗ)ΐ$. (^ϊΗχΒεΕ (ηχηΩχΕχ ιηεχ* δΕίέπΜΕεχ, Κίεε/ίςαι ύΐϋ(ΐ( ίρε: ΰΤρίΕΐΓΓ πκ*υ5 (ίίΙίβεΕευηι, &ε§ο<ίί1;^ιηευπι« δ^ ιτΗηίΓεΙίχΙκ) η οιείρΐϊκη- Νυοεαπι, ίηςοιΕ: ρχΕι-ΓΐϋΙί^ίε ιηιικίχεΑ ηιη ο6Γί'Γΐΐ3η(ε3, {ε<1 &ο^εχί3ηιηοηνΕΐ)εϋ5Ε4α- ΐυηι, Γιε ι-ηίηι νηχ&εχΙειηΩιΙοϋίϋηεευηιΡχίΓεώΙί^^ ΓεχΙ νΕ Κοπιο ειίχπι ηιεχ εΗχηΕΐΕε ιΐαχιηνΕίιοπιοΚχίΜο, εο$<ίί1ί- ^ηι« ηοηΕχίΕΐιιη εΕΜΕίουχκΙοχιηοΓειη^Γε^ ηουίδΓεηαρετεο- ιπϋΐχο'ίο Ιιεηείΐεί;), ιΐυϋιαβ ηηχίΕίίΐπχπι &εοπΕίηυοπιεο$4ί1 Ωαο4(ηίευ«, ΐηΕετςαχ ρΓζείρυυηι ΐΠικί εΠςιιο(Ι λ/ηχηιΩν ΩχΙό εί& πιε ιηΐίιιη : αυχ ςυί<ίεη] ρχοιηίΩΐο ευπι ηοο Γοΐαηα <1ο (Ιίΐεϊρυΐίδ, Γοαε^^4xη(]εοη1α^ί>ι^$ρ^^I^^έ^ίι^^Ωυπ1 «ίίΐί^εΐ- (Ηΐ$ίηΕε11ί£4ΕυΓ·) ποανϊΩεοιίεχΙίιπΜηίΩτίΙχΕίοηε ίοειιπι^υηο ΐηίεΓρΓεΕχπ ροΠε , €]αχιη Ωε η ^|ιι4 01ιιίΑα$ ϊοεβΑίιιϋΕεΓ ία Ηοο 54εηηιεηΕο χϋςΜίηΩο ΙχηΑΐΩΐιηίχ χαίιηχΗια ρν Ωίιιίηιιιη ίΐ- Ιχρίίιπ) Γε η»ηΐ(1-ι[ΑΕ, χε ρεΓείρίεαΩϋΠΐ ρετνοϊϋαηπιχιηρίο. χάπι Γε ρΕχΙΐοΕ. Εχ ΡχίΓΐύαχ νεΓ6 ΕεηεΕΗ>πεΓεηΕεηΕίχιη5·Ιοχηηε$€ΗΓ^ι>> Ωοπιιι$, ΗαηίΙία^^. νΗί χίΕ : νΕχυΕετηηοπΓοΙϋΐη ρεΓ Ωίΐεάίυηεπι, ΙεΩ εείχιπ ιείρίχ ία ϊΠαειί εχΓοεηι εοουείΈχ· πιαΓ ρη είΗυπι , ίΩ εΐΗείιαΓ <]ΐιεηι ιιυΗι$ Ιχτ^ί Ε05 εΩ : ευπι εηίαι Γυυιη ίηηο$χπιοΓεπι ϊοΩίεχΓενεϋεΕ , ρεε εοΓρυ$ Γαυηι ΓεηοΗίο εοιηπιίΙέυίΕ, & ίη νηκιη ηοΗίΓευΓηΓεΩΐβίΐ; ΗοεεοίπιχπιχΕλ- ιίυπι πιχχιπ»έ εΩ.ΙΩεηι Ωοεετ 5.Ρ.Ν·0'>’Γί1Ια$/ί/.(ο.<ν^Μ·· Μ<·4η νΗίχίΕ : ηοηΗχΗίΕυΩίι^ΓοΙαιηςυχρεΓεΗχΓίΕΧΕεπι ίηΕεΙΙίβϊΕυΓ ΟΗχίΠικη ίη ηυΗίι εΠε> νετυπι θε ρίΓΕίειριϋοοο ηχευΓχϊί: ηχιη ΐ]ΐιεπιχΩπιοΩαπ) Ω ςαίιΐ^οεΙί^υε^ιπιεεΓχη) χΗ; εεεχ Ωπ/ιΙΐΕετ Ιί^αεΓχ^ ίεχ ΕπίΓευετίΕ, νε νπυπι ςιιίΩ βχ νεπϋΓςυε Γι^πι νιΩειίυε : Γχ εοηιηιιιηΐεχΕίοηε εοΓροη$ Γλη§Μίηί5 ΟΐΓΪΩί ίρΓε ΐηηοΗίιεΩ, &ηϋ«ίοίρΓο: ΐΩεπιΩοεεε ΗίΜΠΜίΤΓ. <Λ· ΤήηιΐΛΐίζ. ^Γεβοποχ Νίεεηα$. ΗαηύΙ.'ί. «« ΒαΙτ/ίΛβ^Λ. Ο, ΤΗοπιχ5<^/^«^ 6ο·;Ε^<«<Λ 7· ^ β. ΒοηχιιεπΕυη Λί»,6 ΛΙίτη. /1ίβ.6· Ιοχηηεχ ΟεΓίοη. ι^*^.^Ό^^ηί^να ΟίΓΕυϋχηαχ/^Μ^ 4*βτβ« («τρ^τΐι Οηίβί . ΤχοΙεη* αοηβίη (ορ.^ & χΐι) πιαίεί ηυα$ γοΓογΕ & ίεφίίΧΜΓ Ν. ΤΗοιηχχ Η ΙεΤυ ^ ίϋαίηα οτΛίΐβηί (αρίίΜίφχ^. ςίιοιΗκηΐΕχϋϋεχαΓ· οηιίΕΕο. - ΟείηΩε ργοΗχεογ ηΕΐοαε> Αιηοε ίαχρε^ αχεηΓχ εεηΩίε χΩ /χ/ νηίοηεπι ηοη ΕχηΕυπι ρετ χΩε^ηι, ίεα εΕίιηι τεχίηηχπυο- (ίυπι ίηΕετ Γε; ίιχ νε νίτευΕε ίΙΗυχ &εχίέ(6Ωετίο^Ε)εχ »τηΙχιΗα<χπιχηΕίΗιι$6εΓεΕναυχ: η(ΐοΩευηιΩΕίπιροΩκ>ί1εμΕΐΗ» ιείρίχηιιχΓίΕνοίυοεηιςυχεοπυεαίΕ, &Ωεεε(, νε εατοΑτν- Ω<»Ηχηο& ΑΓίΩοΕε1εηοΕχιιίΕθ.ΤΗοπιχ$ ι.χ. ς»Λβ.ζΖ.βη.χ. 5εΩ νηίο ςηχ ευηυεβίε 5ε Ωεεεε, εΑ νηΐοΓεχ1ί5ςυχεΑ χπΐ 0 Γί$ ρτχεί ρϋυ$ εΩεάίικ & εοηΓαπκηχείο ; ετ^ ρτχΕετ ίΙΙχη νηίοηεη <ριΐ χπΜτρετ αΩε^αηι εΗχπαεκ ρτοΩοειεμπ^χ οπη»- Ηα$ ΟΗηΩαηι Ωΐ^ ΓυπιεηΕίΗαχίη Κοε.$χεηιιιεηΕοεοιηιηιιηί$ εΩ; χΐίχ νηίο ΓεχΙΐςίηχηίπιχΗοχρηηβέχΕί^&ΓσιρΚίεήίαιιε- ηΐεί ροεεΩ : ςυχ εοηΓαπιπιχΕχεΩ & νεηκ εΩεύοχχπιοπ' : Ηχε χαεειη ηίίιίΐ χΙίυΩ εΠε Ωίχίπ)ΐι$, ςυχπι ΐρΓια&ΟιτιΩηΙΙχρΓυια φιο ρετ τηίείιηιηι χηΐ|Ωεχηα} χηίπηίχ» πεετοΐεί» νίΓΕυεΩη» ρτχΩίΰΙιΓεπιιηΗ^Ε : εΐϊΟΕίΙίίνοΐοΓεχΙίδχΙίςαι^οΛΕίΐΓ, ςυχ τεχΙίεεΓ €ΗπΩυ$χηίιηχ εοηιυηκίευτ, είςοεοΓεαΙχΓριη- ΕηχΙιχιηιρηπιίΕ&πιαίΕόετίχηιχΗίρΙχ χηΐπαχ οΤεαΙχεοΓ, ντ- είριΕϋΓ, χΩπηβΐΕυΓ, &ΕεηεΕϋτ, ιρρεΩχευτςαε ιηεΓίΒ^χο εοηίαπΑίο πΐ3(πιηαηίιαη ίρίπΕίιχΙε ιηιετ ιπίηιχιη & Οιή- Ωαη; ίηεετ ςαο» ηιαίτΐιηοοιυπι οετ εΚχπΕχΕίχ χ0έύ>πι εοο- εηΙϋτυΓ. ΡετΠΙχρΓαιηνετό€ΗΓίηίίαχηήηχηιδε ρειείοδυα- ρΐεχιιπι εβιΑιιιιπΜΕυΓ Ωε ρετΑεπυτ. Οΐεαςυχ ηείοηε €ΗηΩχΐ8ίηΗοε5χεΓχπκη(οι«χ1ΐαΜί»ι^ 5^9 έίίοοε ΗίδχηίηιχΙχίδεοηίυα^ίΕυτ; Λη ίαςαχιη ρπΗ· Γυχ εχηε ηοΑηπι αηιεοΕε & Γυχ νϊΓΕυεε χΩ Ιρίηταπι νΓςοε ιμΩτμ ^ ΐεηεε, Γευ ροείι» ίπιπιεΩΙχΕέ χαίπιχτρΑίϋχίΑ(ητ,νείΒ· ρτχΓεοΕϊχιη τεηΙεπι εχΗίΗεχτ,ιΗφίε χτΑΐίΤιηιε νηαΕηχ^ Κείροη* Ωοθ| Ηχος νηΐοοεη ίηρηπιΐιεΩΙεϊοε&1)ί1εα> ροΟε Τι-ααΐν. ϋιΓρϋί.ν. ΧεΛΙ. ΙΟΙ ραΠ<:€ία$πιο^υπι«χιΑύ»{^ΐ»η:ΚαίΙιπ ρο(ΓΠςυ<κ1ηρ1ίαΓΪ β^ίι .€ζ(οηΐΓπςυ 2 τηυι$ρΤΓίνύς η((ριοΐί11ιυ$νηιοιή$<ϋαι- αιΠιπΐ[ΐ$ αοχα5?!α€ΐ^Αίί,1)Γαιί(£ΐ αηκη λ£ ΓαΒ ροπίοηιιη ^ϋ^· ινρυυικ* ^ ιΗα() ΐη ρΓ^ιη^5Γ^ηι^Iηα$ ίη νοίοοε εοΓρυιΟΚηΠΐ (Α0£ϊ, Μΐριη & ΙόικίΓΪ {υρεΓοιίαΓλΙκοΓ ρο<1εβιΐΑΐηέοοΙΐΓ« οηιε & ά^ )ΐ^ο ΜεοηιΐοίεΓε,νΐ {ιίΐη»* {«^»*ηιί (1ιεαηυ$. <^π)οι1ό νβΓ6 {Ιοπέοιαιη εοτρα& αιτςί ςυεαΐ « ευπι ΓυΙκ ϋΐβ ηε^ιαο ηεςιιε ιτικη ρο^ιΐ^ Ιιοε(1ιαιηχ Οιη- ηΐροΐοο(ιχ «ιΐπίκιειχίιιπι ΐΓθίΐΓθΓ:ίαηια5£ηίίπΤΗοπ»ηι& Κ 1ριΠ(;,&ν{<1ίΠέ]ι(υ»ΟΗπΑί. Ιονιηί$ ζο. /^(ττ^ίίαηίβιιιη νί^τΑΜΜ/ »»«/, νΒΐ Ο. Αυ{αηίηυ$ & «1^^ Ρ»ΐΓ«ρίΓΪΐ- ΙιμΙ να^Ηΐπ), ν/4(τ, ίηιεΙΙίριηΐ, ι·Μ(' ) νικίεα ΛυςυΙΗοο « ζΐίιΐ Ρ«(πΙχΐ9 ΐηΗτΓ( ΜζΜοηιΐιι> ΤΚοηιιη) κιίρηίεΐί^ίΓεΟΗηΠί εσηχ»ι ικ» εΓ|ο<]υιι κΙοποΓαηι ίιίεόί ηοΑη «Γπε Ιέηΐϊη »3(ΐ( ρετείρί ύυέ (3η§ί <1ΐαϊαζ νΐηιιΐε Μ<|υΐ( . Οζγο ϊ^^ίιυΓ ΟΙιγ ίΩί γο· ηιπι ΟΓηΐ ^]υ 1 ζι^Γπ(ΐ(ΠπΜ ΐηβ&πίιηκί ΟΙιαπιζιο οιπιΓιιΓγϊ- ρΐυηίγΓεζΙί εοηίιιηϋϊοηβνηί(υι;& {υικ(1ίυίιϋ(25ι ίιηπιόΐο· Ιυ5 ^ΗηίΗ^! ζηΐηιζ ίΙΙζΒίΐατ^χ ϊηΐίηιε Γεζ1ι<]υε εοηϊυαέΐίυηο ίηΚιτΓει . Ηχε εοηΓυιηιηζΐζ α ρεΓίε^ζηιιη €ΙιγϊΙΚ> νι\ϊο> ιιηι ίη οιτης«φΐίιη ΐη Γρίπΐυ ΐη Κζε νία ΐηεΗαιΐυΓ )ρετ&ΐιυΓ νετ6 & εοηΙυιηηϋΐιΐΓ ϊη ^οιΐ« . Ηχε νηίο ίιητηοίΜϋ ηοΩηε εζΓηΐ$ αιτη ΟΗπΑι εΐάιηνΐυ]6εζηιεηΓθιειηζ^εοα1οο«Ριΐηιηι1ο· ιΐαεη(ϋ ιηο(ίο νί(ΙεαΐΓ. ΡοΠύΓηυ$επϋη ίη ίζενηίοηεΐΠυ<](ζ(Ϊ5ρτοΐΜΐ)ΙΙί:εΓίυ<ϋη· 1V«ν^^ρ(^^Ηπ1ΐι15 Ωηε2ΐίορΗ>'Πεο»ζυ( γοΠ ηοΐΙηεεζΓηίδεοα· ήηεΓίοη ίρίηίικηοΐΐπ ε1χαΩ5εο^Γ»ίζηαΐ9 ίο^Γ((1(ζ(υΓ ;ΐί>ΐ<)αε ΓρΪΓίαιι {ϋκηΐΐίιπιε ,Γυπι ΓεεΐρΐεηιΐυΓΠ ηιζ· ηϊΜίεοιτ: οΐςαο ζτέΐΐΐΐαηέ ευηί^ιΙϋΓ; ΐ(ζ νε1ρι1ιι»ααΠεΓ ρετίηίεποΓπη ζπιρΙεχϋΐη νΐα1ί1εηΐζΐίοο&1η((11ο£Ηι>ΐ'ει1ιεεΐ) & νοΝιηΐ 2 ΐείρΓυηι€ΗΓί 0 υπ)Ω 1 )ί ναΐΐυπι («)(ΐζΐιϋα( 2 ΐ «ρετ· είρί 2 ()< 1 ε£ηΑει; : είςυε ίη(ίη>ο »ΰιΧΓΤ»( : ζίςυε τηη^ευιη ϋηΓΪ· Οι 5ρίΓί(α &θυ5 ν|υι( : ςυιχΐ ζρετιε Ιοηζτε νκΙακιΐΓ ίΐΐζ τεΗ>ζ 1 ο·ηηί$ΐ 4 · 4·/^η 4ν4ρτιητ,44/^/ΐλη’^/^«ΓΓ«Μΐ«ι^ΐ)(#<Α·- /^«Μ €»η ^ βίΛΜφβΛ^Φ ή Μτ ·ρ]'ϋηι : ςυχ ςυΐύεπι ΠΜαϊΙΐΗΐιϋο ( VI Γύρη «Ιίχίπιυ» ) ηίΐιίΐ ζΠιμΙ εΟ αιαιη ΐΐϋφΐι» ΟΗγϊΟϊ ία ιηί- ΠΜ5 ίζη^ίΟίιηζι ρεχ ζιηρΙεχυπι « α ύεοΓαιΙζιϊοηεπι ΓιααίΠΐ· ΠΜπι:ςιιηηζπ>ρΙεχυηιεηιη4ε£ΐίθΑΐΓΐ(ροα'ζ. ία· 9ηΐΐ >/μ^ €Λρ '*ί· Μ## ^ 4η»«ΤΛ υΓιϋΐ Λ/ηρΙιΧΛίήίιη πμ. Ιη Κηε νεΓόεχρετϊηιεηίζΙΐ ΐρΩη$€}ιηΠί(ηηροτεΙιηίιι$ΐ11ζ* ρΤυχρεΓεερειοηε, ςυχ Γιηι νΐ(ζΙε$ ατη ΐη^ε1I^<3υ><]Iι^η1 νοίυη· ΐζΐΐ$ ορεηΐΐοηη ηιρίΐεειηι» οροπει . Ιο ρπιηίδ ίηεεΙΙεΑυβ (αηε Γεηιίιζε ν^ϋIΐ^^Γ ρετείρΐι ΟΗπΠί ρεχΓεηΐίιπι : ιΐζ νι ηαΙ· 1« ηΐίοηε ρηΟ>( ϋυΙιίηΓε ^I>Γ^0υη} είκ Γρίηηΰ ρηιρτΐο νηί- (υιη : Ιΐεει ευιη ΐηΐηΐιίυε^ εΐζτέ οοη εοηίρΐεΐκ : Γιειιΐ Γροη1α« οοάυπιο (ειηρατε Γροηΐί ζίηρίτχιι^ οαεπι νιηετε ιιεηυίεΙιιΐ, Γεη· ΐΐΓβ ροΐυΐι Α Ηεείυ$ ρητΓεηΐίζ ι«(Ι()ΐ εεΠζ,νι ΐ{^ ι^ιεευΓ Οη* (ΐεοΓ· $· ΌίΜίη ΠΜ·/ ηιβι ηχΛίινιη {^*ηρ4Τ βφτΜηιη , ^ νί€»Μ ΐι»ηηίΜτίΗηήίΛ^$4$ίΙιιηι»ΐ»Φΐ. Α)ΐ(]ΐαιί(ίο νεΓϋρίο θΗηΟα$ ε1ε(ηεη(ΐ0ίπιυ$ ζηιηιζηιπι Γροηΐυδ ιαηε (επ)ροΓίιρεΓη>ί(ΐΐ( ηυα ΓυΙυιη ζΙ> ΐηίεΙΙεϋιι ΓυΙ>Ω> <1εΐ ηο^ρετεΐρί ,Γε( 1 &εΐ 2 Γ 0 ,& (Αΐυίιΐαε νΐ^Ιετί οοη τηυΐιυηι <ϋίΓιπιΙ Π νίΓκχχ ( (^αιηιαιη ζ<ί Ηοε ) «Β η ςαχ ηυοε έ Βαι» Γρί· ΓίιΐΒιΐ5 νί(ΐΓΐιΐΓ ίη ΟχΙο: (^πηιΐχηοηεζρίεηκιιςίίηεβίοπχι ε|&Γ2<]οεε0αηΓχ ^ίιιίηχνίΠυηε . Ιη νακηΒιΙΙ ί^ΐυΓ ΕαεΙ»- πΟΐχ &εηπκη(ο ριχχΠ^ι ιΙΙιρΓηι ιΟυε νηίοαίι (ειηροτε νιΩο ίαιείΐε^ιαίή οεοΐΐ (ϋυίι» νίπηιε εΐηαιΐ ίηίρΓαιη^ΒηΟυιη ΐεπηϊηζΐυΓ,οοα ιιο(ιιιη τ( ιΒι ρηκΙείιίεπίιΓοιΙ ν( οιηηΐηό<Ιϊ^ ΓηΓαρΐοηιΐ νηί(ΐιαΐ)λε ΐηϋιηέ ρεχ ζιηρΙεχυιη ΐ11αιη<1ΐαΐαι1Ι> παπί ακήυαϋαηι : ςαι <]ηί(1επ τίΙιοηε ΐη(εΙΙε^>Ηΐυιηαΐη6 εετηΐ5<ΙορΓχΓ(ηηΐ«θ2ΐΐιΐΐ αη ΓαΒΓρεεΐεΒαχ&χηιηεηαΙΐΙκ», ? [θ1π) ΩΒί ζιΰιΟηηύ εοηίηη^ί,ΟΜίΓ Γζηά εεηίιυιΐο ρτο Βττυιΐ· ιοΜ ίΙΙο εηηρθΓε0^ειηεηζΓΐιζκςαζηΐυ(η2<ϋ11(ΐιη2ηίεα1ιιπ) Οε ρτχΓεαίΐχ ΟΒγΙΟϊ ίη 5Αεηιηεικο 0<^ύ(1 νετοροβ'ιΐίοκείΐε- ^ ιίίϋϊηζ νίηιιιε ^Iειυ^α$ν^(ίει^^ΚIί0υπ}^ΒI5ζ^^21η^^α· ΙίιετεχίΟεηΐοη « ι^ΐστίοΐϋιη & Ιιεζίοιη ί ιιηπιό ειίζιη Γιοε πκ>· ^ &εηπ)«η(·Η.ο·αΜααιιίυΓ εΟ ΙΉεοΙοβοηιηι Γεηεεηιί». 55 * 5ΐ »εΓ0 « νοίσηαίε ΙοφηιηοΓ, εεηαιη εΟ ίρ&ιη (ειηροπε ίΟίυ$ ίΗζρΐυδ ίπιιηεχΙήιίΟΙιΓίΟΒπι ιρΙ'υιηΓιΒιριχΓεηιεηχΙιιΙ· είβιιηί ζιηρίείΐί,ίεείϋί ΓιαοίΛηΜη ρΓχΓεηΐΐίΐη&οΓευΙϋπι <1ε{α0λτε;«ε(1υΙείί1ίιη^1ηιΐ:ςΐΜΚ τ<0»ηΐ25 (υηερετΙέΑίΟίιηε Ι>εοναί(υΓ, ίρίαπΜυερετΙέάίιΙίπιεχιηκ,ί^ιί* ,&|;αί^ι : & ΓκυιΒει(ΐ(αηοεχίεΟι&εοαΩΟί(ΐηιηιηίΜχ(ίσοε,ΓεαπΜθίίε- Οχ νίΟοηε ί|^« Οεί^κ νηίοηείηιεΠεΰη&νοΙυηΐζαχευπ* ίρΓο : ί(ζ ΐΠιτηίοι Ωηερετεερίιο νι(ζ1»^ ΗηΩί ,ςαχ Βεκίΰκϋ- ηί$νεηίηεΗοα*ίθ(Ικιρο(εΟ,ηίΚί1 χΐίυ^ εΐΙ ςαχπι ρετεεριίο , Γεη ΓεηΓαι νίαΐή ΟΒτίΑί ίη &τηπχ'η[οεχί1Ιεη(ί$ :ςαζ ηοο ιηί· ΟΜ ηχε1Ιε^Η5 ({ΐαιηνϋΐΗηΐχχίρΓιιηιΟΗΓΪΟυιηίιπιηεχίΐκέΐΝ ΐίηςυη*: Γαη( εηίπ* ίΟχιΙαχροΐεηαχςαιΩίΙυοΒηεΒαιςυί’ 1 x 1 $ ζηίηηχ ΟΒπΟαπι εοπιρ!εΑίηΐΓ)εΐςιιε νηιΐϋΓ. Ιη Ηχε ί§κιΐΓ ριχε)<ηΩ1ηυι νηίοηε χηίπηειίιπιΐηΗχενία ρτχ χιηοΓε εκ (η Γε ηρο ίοροη*ηΓ> ίΒίςυε (ίυπηΐι Ιοπιηο ρίχεί· άίΐΩπιο,χε ρεΓ η>εη(ί$εχα:Πα*ηεχ(η Γε ηριί οτηηίιιό είυι Γεη- Λΐ3ΐ2ηι ίη(εηοΓε$.ςιι1ηι εχοετίοτη ιΙ>ΓθΓΐ>εηΐϋΓ : ΗιιΗιΓιηο^ί ίπροΓΓΓη εεΟιΩπιςιιε (ΙεΤι^εηΒχε Γροηίχ ίη Οζηϋείκ εΙιΟΜη» χρί<1 ΒεΓπχτ^αιη: />ι^^«ητ>ι^/ΐί, Λ/$^ίτ «Μ$η»Λΐη€Λ 'βΐ^\ ήΓει$»νΙ>ί ευΙ>ε$ίηπιεη^ίε,τΒίαιΙ)ειηΐεευηι· ΗυίυΓεειηοώ 1οροΓε<εηεΙ>»*ΐΙΓΡ·ηΐΙ^ρίϊί» ^ηΐιΤΜ, εϊΐτη Ιηρΐιιςρρ^^^^ΠΙΙρ. τ» Ιχύε & ηκΙΙε π»ηχηεε ιεεαηΙ>εη$ ίηεοτηρ*εΗεΒΩΒΠετη ί1· Ιχπτΐ2ρίεηιΐ2Π)εχΙυχΐ()αυ3ηιροΐΙιηο(ίυιη 2 ά «κίυιπιυηιΐΐτε· .0>π1ΐ2ήυηεαη ζΒαινΙέ επιιϋΐ: Ηυία1ιηο(!ι ΓοιηηοοΙχΙοηηΙιιίε ' Αϋαιη »" ρ^Λώ[φ $ΛβΛΐΗ ϊηηκφηΐίΛ . ΗαίυΓηκχΙί ΙόρυηΓαρο- Γ2103 Οιίι ΡιυΙα* (]υί ηρ(η$ίο ιεΓΟυπι ϋχΙυπι ιυ(ίηιί( ζτε»- ηι νεΓίΜ^ι^υχ ηοη Ιίε^( Ηυπιίηι Ιοςαΐ . Ιη (ιίειη εεΟζΩιη Γυί( ηρ(ϋ$ ε£Γ^α$ ίΙΙε ΡισρΗεα,ηυί εαιη Οεο ςακιίηςίοο ιϋείχιι ΟΓε λΛ ο$1<χινεΐΜ*υΓ, ηοη Γαοο ροΓ νιηΒητη »υ( ίο χηίςπΐ 2 (ε/ει 1 «ρεΓ*ε>Ιϊειΐ( ΙοΙείιτηίευχι^βιηίειιιηΙοςαί. ΕιίηΙη· Νεειηίηι^ιιπιείΙεαΓίοροΓειηΗυοεηοηηοΟυΓ- ηϋΐο,ηοη ιηιιυΐίηυιη,ϋ»! πιεΓί<ϋ 2 ηαηι ΓρυηΓι ηιιηειιρεί: ΪΜίαΑΐη,ρΓχίει π*ίυηειη:η 2 ηιίη ιοεήύίεΙΰΙοπιηίυΓη Ιεηιεο» ΐίΠιηιε, >ρ 1 εηιΙί(Ιι 0 ιπιε» 2 ΐ{ί 11 ΐιηέ|ίοίηζΓρΙιεηΓείιιΙ{ΐε(; Ωεία (ίιιΙειΟΙπιιιπι Ηυιαι εχεεΠΰ$ Ιόροηιη (ΪΜΐη1ζρεΓυεηΪΓεηε(ΐιιίΐ{ ηΐιΐ ΙεηιεοΐΐΟϋηλρτίαζεΙατίαιεΟεί,&ρΓοιίιοί Γαοεεπίζιοίΐι ΓρΙεΐΜΐΐ(ίιίΓΐ(ηΐ$Γο1ι$ίιιΟί(ίχχούίϊ$ίΙΙαΐίηα^ίβία2ΐιίίηπκ>νίΓ- (υίαιη οπιρίυπι ΙοΙίο ευηΐίΟεηϋίΟυιΙ ρΓοΓε^όεραΙυιη οιηπίυιη είΐ ιίεΙχιοΙΙίΓιηιυιη, ί'υρΓεηικςυε οπιηιυπι Οτί ΐε1α$ , αυχ ιη λοε ιηυηΐίο Γροηΐΐε εοοπη^ετεροιεΟ· ΟιιίΙα$εηίιηαυί<ΐ 2 ΐηεΟεχ· ΙεΟίαπι νοίαρίιΐιιιη Γηιίκίοςαε «ηρΙεκυ$ ΓρυυΓι . ιΐΐηίΐ εΐΕααοιΙ ρΓΧ οπιηΐΙ>υ$ροιι<Γιιηιιπι (Ιεΐ'κίεηι ΐρυηΐ» . νετυιη ρΓοΗαοΙοΓ ! «4εό Γζτό, κΙεόιεηιιίΐεΓ) ζειηοπιεηικηέέ Κζε ίΐΐί ΓαλίιιΐκίεΓηιί Ιιεε* , ?* ε»ιη ρΓίιιΓ<}ΐαηι ίε ρεκερίΟί· Γεηίί** ,βιηίΐϋΐ . ΗζΛε- Οϋ) Β.'Πμπ1ιι$ : Νϋοεηϊοιοαη* ηχε Γείίείιϋιη» ΓροιιΩ ρΓχΓεη- (ίλοιΩ ηυκηΐιίΓη Γρεεΐε$$2εηπιεηΕ2ΐ» ηοηεοη'υιηαηιαΓμπιιηό ικχρετΚοε1χρε(επ)ρυ$: ηηεοίηιεΟ (ηΐαςακ ΒεπΜΓίΙα») 1κ)η ) & Βτευί$ πιοη. Εχ ιΙι^ΐ$ ίηΓείο ρίίιηό ρεεΤσ^ιπι νηίοηετη εχτηιχ ΠΚήΑί οιπιηο(ΐΓθ|ρίιΐΐα>ηοηεοηΩΟεΓειηεο ρΓχεί$^ ςαο^ΟΚηΟα» εχ ίηιίιηο 2 Π^υ ρεΓ πχχΐιιηι είΒί ίηΐη ηο$ ορεηιυί,νεχίίφΐί εχίΟίιηίΓυικ >ε0 εηίιη ίίΐ» νηίο πηιγχΙ^ αηΐυιη ,ςαχ ηαΐΐχ η· (ίοηε (Ιίοί ρο(εΐΙ Γε> 1 ί$>&ηχ(ΐΐΓ 2 ]ί$νηίο:ευπ)χαΙιαε€^ιίΗι$ ίρΓερετ ιηοαιιιη εφί ίηιη ηοβ υρεηη^ ηυΙΙοεεηία ρεκίρίχίαι, χα* ιχο^ιΐκΓ ; Γ«Ι Ικΐϋ ιχαΐυπι εεειΙκιΐΓ, & ευβοοΙεχίΟΓ νι ρΓχ. 1εη$.ΐύεχιιΐεηινηίο(Ιεςια Ιοευη<υιηα$,ννΐύΓεζ1Ϊ57ΐιΐΜ}χη- Ιίχ1ϊ5 & οχ(υηΗ$: (^ίχ ηοη ϋιΙειζηίαηι&χΙΓοϋυ,ΙειΙ ΓεΐρΤχ ρυπίΐόηχ χηιπιχ ιρ1ια$ ^Β^ί1^^ εοαΓυιη.ιιχ(χητ εχεΐα$^ίυίηο «ηιοΐεχα Ιεοιίιιη* νηίυηεπτ. ΐ>ίχί εζπι ταίοηειθΓε^νοε3πηχ*υη1ειη)ηοηςυο(Ινηχίη ηκυΓζχηζΙιεηιιχ εοηαειίχιυΓ ; ΓεκΙ ςαιζ ΟΒπΟη$ ^ε^αη^^^^ιη νε- ιΐιχΕείη ηχΐυιχ &0Γαί5ΐϋχ,ιυ6Ϊ3 νηίοηε ιτεχΙίρεΓρΒγΩειιηι εοη*ζάυ(ο«εο ιηοιίοςυο ΟεΓί ρο(εΟ(ηειηρ^ρεΓνίι«1ειηρετ· εερήυοεηι )εοα>υη£καΓ·ΟΐΓΐΟϋ$εη)Πΐ χηίη)χηοΙΐΓΧ& Γροπ- Γυ$ι & νίιζίι^είΐχ» ιη Κοε 5·εΓΑΠΐεο(ϋαιίΓθ ςυο(1ιπι ιτμ^ο νηί' ΐυΓ : 111 VI ΐοΐυηι Βοηιίηεπιχιί ίε ΐηίικ Λ ιηηΓοηηε* : η ηαΐ- 1χ ροΐΐιι νηίυεοαιααέΙίοΓ χε *ηη$ίοΓθΐχΐίϋ νεχΐοΓ,ρεΓίε^ίοπιαε εοΒΪΐχπ ιη Βχε νίΐχ: $ΐαιι εηιηηριί$υιηιιετη1ΐ£ηίιηχ(εΓΑΓη 1 ^ 1.0 χΒ υπιι* ν( ίχηι Ιί^ιιαπ) ηυπ κχιη Ιί^υπιςιιΙιηΐβηίνΓίΙέ νί(1εχΐαΓ>νιηιπνιυεευπιί(ηε νίίίείχαΐΓ)υπιιη({ΐιε()ερ'Γ<ίίΐχ 1ι* (ηιΐί(ηίϋ(ΐκϋ»ειηιΐρκηη(χ*Γχη»ίΰΓ(ηε(αί, ν* ικηΐνειιχιηϊη ηοπιίηεηκΓΐΐυχ^ΙΙείαΓ :^ιζxη1[ηx11ο^2^^xηα^Η^^0^^οη^x- ^ (οΐχ έ1(:ίρί3αΓΗείεη$ ΟΚτϊΙίο ιρίΐ νηιΐυν χε ίηεαιη ίικΌχΒίΙί πιοάυ (ηηνΙοΓίηχίυΓ : ΐιχ νι ρευ ιΙΙοΒΓευϋΙίιηο ιειηροτε ιΐΐιιίηί* ΟΐΓίΙΐι ΓρΙεπ(ίοιίΒα$ ΐοα ΐΙΙυΙΐΓχίχ,χε είιι$ χιηρΙεχιι {ΧΌΐΐιιΐ ί$ηία ία ιρΓυιη ΟΒπϋαιη ΐΓχηΙίαιΟε νίϋεχηΐΓ^αιη ΑροΟοΙονε- Γεύΐεεη$:Ι^ι«^«χν,ΜΜΜ«/^.'»ΐΜ/ ΐ» /Λ/Ο^τίβΜ» : όπαίΐι ίέτύ εοιηρχΓχΐίοαε νηΐοηειη Ηχοεεχρ1ίεχ(5.€>τίΙιΐ$^5^.ΐ5 Ιφλμιφμ €*ρ. 1 4 · & χΐυ Ρχιιεχ. Αιίαεπε (χΜίεπι όΒτΐΟυη) ςιιιηηιτη εΟ εζ ΓερχηκυιηεΟε ΓαΐίρΩίϋ πιχαΐΓείΙχίίοοεπι ΙΐΒεΓχ1ϋΓηηέεοηεε(ίεΓεε»οπιηΐΒ«ι$ ςϋί ηοη ΓυΙυιη ίη &η(ίχ,Γε<ΙςΜίΓε(1ΐςηο<1ίΓροΓυΓτίη(χ(ίΚχικ Γοχίεοηνηίοοεη^&χτηρίεχυιη: ηηΠιπτΐ (χιηεη χ^ιηίηυηΟλτ οΒ ^είε^αη ώΐροΠ(ίοαί$: ΒιΒυηι ηχιηςυε χιηίείι Γειΐ ίυΙαπ* εΗχιίΑίπιί ιηεΒηχηιαΓ: ΡεΙίχ χηίιηχ ςαχ ίη ΚχεεΗΙχνίηνα ίοεΒΓΐχιοΓ : νιχίι $ρυοίϊΟχη(ΐα>ηιπι ι. ίηΐτφ^βτ·* ηπ ίη {φΙΙλλ % ΐηΜτίβΜ). ΡεΙίχ ιηίηιχ ςυχ ιηΗχειηειιΓχπυρ(ΜΐίηΓΐχΐΓίιηοηί) Γρΐη(ΐιχ)ί$ είΒαιη ίυΐΐυιη οιηηίαοκΙεΙίεχιΐίΓιηιυιη εοιηεύί* , νκ χί* $ροοϋ Οχηιίεοηΐπ) χ, Ρη»ίί»ι/ Η»/ βφΐίίίΐηαατι «Μν , ^(ροΜφβιηΛίΦρΜΦϋίτ : ίϋχΐχ ίΐίαιΐ Ρίχΐιηί : Αιιγηϊιι Αβ /φίΛί^β/ ^λΑιλϊφτΙι: ςαχ ίηΗοεοΓ*οεαοε1α(όευιη5ροηΓθΓε· εΓΟΧίαχ: ίυκ(ι ίΠαιΙ Οχηιίευιαιη 1'φλ$ ΐη^θιηι>ηη$ι»/ 0 τφψ ΡεΙίχ χηΐιηζ ςαχ ία Βοε ΟοτΜο 1ε^!ο(ίοπηί(οαηι ίροοΓο»ν( χί(5ροη(χΟιη(ίεοτϋ(η ι . Ι,^ίίιιΑη ηΦβ/τβφτϊΑΜί : Εα« εΚχΓίΟίχ εηΐιη δχοΓχτηεηίαηι εΟ 1ε^αΙυ$0οπ^α$ίαςυοεοο> ρεηα$&ιΒίεοη^ί(α$ ίί^Γαβ Γεςαιείείι εαπκίίΙεΐΚΓυχνφυε εοηίυηκηχίιοαειη ΐχευίί . ΡεΙίείΠίιηχ χηίπΐχ ςυχ ίηΐιοε (Βγοπο 8ΐοηχ^ηηίοΓοείχ(αΓ. ΕαεΗχηΟίχεηΙπιεΠΙεΓεαΙαπι ςυο(Ι ίεεί( ΩΒί 5χίοιηοη (1ε Ιίβηΐι ϋΒχηίευίαίΓεεΙΐηχεοτίυπι εΓχ* χαΓεαπ) & χεεΓυα$ρυη)αΓεα$(ηε(1ίχεΗχΓίιχ(εεοα(Γχ^^ ρι^εετ β|ιχ$ ΙεηιΓχΙειη; νε (1ίείιυΓθ<(ΐτ/»ν^η« ). ώ ςαο εοοεΙθ(1ίιυΓςϋθ(1εαιηίεηιυΓεΒχπ(χ(ί9 (χηΐυνΠιία Βυε^ίαίηο(Βχ1χπ)ο ηυρ(ίχ1ί)ΐηΒοε(ΙΐΓοηοβΙαηχ€ΒπΠί,&Γί οαηααχιη Ωηε εεΟχΓι ΒχενοίοΓηιίείιαεοα(ία§ιε; ίη<1εΐχαΐΜ ηοη Ιίείί ίηίττΓεςαο^ ΓεηιρεΓ ςυο(1εε0χΩ$εοηΓί§ί( ιη ρΐίοηε Βαία$ 5χεΓχτηεηιί,χηίιηχ ευΐεσιρπΓεκΙίΑχπιΙεΙ^^”** ηχιη ναίοαετηεΙεαεηΐΓ :Γχτρ^ εηίιη εεί1χΩ$Ωηε ΐχΐί νηίοοε^· ιώβειε ροΐεΟ>νΐχΙΐςο4[χΐΒεΐάπιχεεί(1ίιίααρίεη*ΐΒιι«^^ί^ α 1 «*·* . .. Μ ΙΟΙ Οο νία £ά1ί ύυΙοοιϋηβ φίλη ιΙίαμίΑ^ό κο*ρίυο(ίοΓ«£ρϋοοο1)υίυ« «ϋαΐοίϋΐπιι &I^ηIηη 1 X ^ : Μ νΐΐη ι^αίτίΐαΓ οζκτίηκηεϊϋλ ίρύυ$ ΟΙιτι^ΐ ) βΐυΓςυο οΓοιΙί & «ηρίοχαι νίαΙΐ$ ^1Iηςα^ ρη- οβριΐο. Ρίΐίκ «οίαι» ςυζ Κ.Ρ£ιζ^^^^ο^Η^^Iιορ:;^Γιπ]^1^$^1>· ρ(ΐλ» ίΐΐ οοραΐλϋ Ο £ιαιΐ)Ϊ 2 ΐη>& 1«3(λΐη ΟΚτΐΑι & ιηίιηβ ^οη^ι 1 η^οη^π 1 ςυζ ίλΙι», (ληΐ3ςιιοοΑ,?( ΟΗΓίΩθ5 ύι ιΙΙϊ οπιοίι ίαοηηί^,ςυί Γ2ϋιΐ5?1Ι |Iοιηνν(Iη^^^λ Κΐ£5ζίΓ>π νίηί*ί« .ι^ (Ι^ΙΑολναίοοβ Ιιοπ)ο6ητκΟα(5. ί Ε ς τ λο 11 Οο τη1οοοΟοΓροπ$€1ιτίΠίαιηιαηκ(ϋ§(ΐέβαηΓιιΓαρίβο(}5. Μ ΜΑ 1 (_ΐν Μ. 514 ·ΊΙ*' ηίβτΗ/η {οτρνι ^ (»τριυ €^τ$β$ ηπΙΙύ ^Λ*ι»τ τίΛϋι νηΐβ νηΐϋί* Εϋ(ϊαηβ 'ι^ ^β»Λι»ηί>ίΜ ν/ύ* η>ύτ*ία ΐΛ^β 'κΛ Μψ£)·/ρ9ίί4^ι 5αίταηϋΐηαΐα»α. ΑΓ·^·/ΛλΛο »χ[ρ*<ίά1ϊ Ό· '* /4Μ#Ε#, ^ ΑίβρίβίΜΗ* (βΜί$1Ι^$ί 4 λ· τ$ ^ΛΛ( 9η*·η4>ητ«Λΐ*Μ %ηϋΓ*> Ληίη>αΙ>ι*$^^ΛΛρ^Η·ηβτΜΜ ρ*τ ί»ηιψηιρΐΛΐΐ«Η*ιη »Α τιαίβη» ΛηίαιΛ νηΐοΗψηΐζκτηΟίτΐβ· ίηΈΗζΙιβτιβίΛ. ΑίΜΛΛ ρβη$4ηΐί λΑ Ι>Λ η< νηΐΦΜίΐΛ^ ι·ΐΛρίηααιβ*Βίΐβ. βοΛΛ ββ. Ιο(*α>9η«ι ΡΛίταηβΜ ίηαΙϋι·η4Λ ΑέίΙ*. ΤΛίατ. 5}9 ^ ^ (9Η!Λεί$> ίβτηίι Ο^τΙβΙ ίη Ηββψβη ίΛτηβοί ιΡίΤΛ^ΐ/ΐι νΐη$α ΑβήπΛίίη, 540 $«»Αη»ρΐ 0 χ ρ9ί*β Αβτί νη\β ΐηίη /μ/τ^μΜ#/ Ο^Γ ί^ βϋΐΛ ^ ΐρβαιη Ο^ίβΑη^ ^μλ ^xρ^^^αι^^·ι^. 5}4 ρτίπιό: Κ.({χι1λτίςίΓ Ιοηυοα^ο ΐηΐίτηοΩπιπιοοΓριιβ XV & οοιρυζ ^ΚΓ^Iι^ ηαΐΐι (ίιηίΓΓηΙίβ νπίο νίηιιςε ΕαοΗιή- ΩίΖ) ηϊΓι αηΐύπι νηίο πιοΓλΗδ ιη/ΑΪΜ^ ΑχικΙαο ζΐίαυο πκι^ο ϊα οοΓροΓλΙΐ νίικυ]ο,Γηιοοηΐυηΰΐο«(θθΓροΓί$0)ΓΪ(\ι ιηοιϋ^ίΜ·· εϊ€έιι$ 5λθΓΐ[η€ηάΐίΙ>ιΐ5ουιη ητηο ηοΐΐη : ςαιπι Γι νο1υ^^ί5 ιΐΪΓί ηλίοπι; 1οΙυιποΓΪ(,η «χ€ΐυ(Ιλη(αιίΙ^λ>&Ιί|υΓζ;ΓΜ>ηνβΓ0 ςϋίλ Γ£ ίρΓλ'Πι Γοΐϋ νηϊοίηΐ£Γθπκιη€Κιίηι&<1ίςη6Γιι(οί· ρϊ£η(ΐ$: ί(λ 5αλΓβζ ·'·\· ΡΛ^ι. 1 ν*β.^^Α^β.$^.βιίι.\.^, Λ\ΜΐΟΧ&ΛΙί/βΑ*0ΨΛΐΪ0Λί4ΚΗίΗΛ ί^ρ.^ο ΚίΐΐοβίΙ· (^λΐηΓΟ- οερ(ίοοο Ευ^ι 1 λ^^ηίκ οοΓρα$€ΗΓΪ(ΙΐηκρΗγ(!οέΓοο(ι^Γ>(Χο <οπ>υΓη>λΐΚΐοκ11«Αϋ»1κί«(1 οηΐι^πτϋ^οίοςιιΐο νΜεΕίιτ : μ- ςυοΙΐςυολϋοΓίαΓιι ^ε^]λ^^κ^ρ^ζ 1 ^ο(ΐ 11 ί^^^κΓ^^ρ^^ιι ^;$^(1 ηο· ροιεΛ (Ιλπ ?ηίοΓθιΠ$ ϊη(6Γ εοιρας^ϋ^αΰ Γιιίςΐρΐεηώ €Κτΐ· {Ηιπι & ι-οΓρα^ ίρ4ΐα« ΟΗηΙΙί Γιη« ζΐίααο (τοαει^α & λΐΐςαι Γοη- Γυ$ρίΓθίρ(·οηβ:€Γ£ο Γ« 2 ΐ> 1 ^πε(ΐτ ϋ1ΐ5 νηίυ ίαΐβτ οοΓρα$€ΙΐΓΪ- ΙΙι ^0Γρα5<1^^^ΓυΓ^^ρ^^^^^« ηοο ιηη?οΐηΐΓ. όΐοο X. υοό( ΓβςυΙχιίΐίΓ ηοη (ΙβΐαΓ ο 1 Ϊ 5 νηίο,η< 1 ίχΐ ρτζοβ- (Ιβη(ΐχβθΓ(ο^χΙίςαχο(1ό £χιη«) » ('ρΜίιΙΐ 1>ί £ιιιοκ & (ΙίΓροη- Γχήοηο ουηΐιηςίΐ,άΜΐ Ηχος νηίοικηα,ηοη ίη ο<ηιιί6υ5 ΓαΓοίρίοηιΐΐΜΐι έΒΓίίΙαπί) Γοιΐ ίη Π1ί$ ( 2 π(ιίιηι<]υοΓαιη πιτη$ (1ίυί· ηχ (ϋ^ΐίοηβ κ 1 νηίοικτη ί 11 χιπΓ^ 1 ίάΐΠιηιη)(( 1 ΰςαχ/>^}ΜΜ ^4^<4Εη«ι/4^^ΐ^>^πιυ$)Γιι61οιιχη(αΓ :ΐη Κί$(ηίπιοοΓρυ$ 0 (ΐΓί· 01 ί(ηπκ(1ΐ«ΐέ ηοη ΓοΙι^πι χαίοΒίΐιΐΓ χϋουηιπι Γρίπ(ιΐι 1 β(Ι & ίο- χιιιη οχΓο Γοη(ίΐ ίικ^χ^Ηί £οηα£Ηι €Κπ0ΐ ρΓζΓ«)(ΐχιη · ·:(ιη Ιίοο ΓίηΓϋ ^ΰΙ> 6 ηΐ ΐοίίΠιβί Ηί1χηα$ Λί 8 · Α/Τήη$»Λϋ. Ο. Οίιητ- ΓοΠο>ΓαιΗ«"η/'4^·^^^'<’<·*^"'·5Χ/πΗα$ Α1^xxη(1ηηα5 ίχ ΙοΛΛΛΦΜ (^Μλο, (9ψ.\. & χΐί) $χη^ί Ρχΐτ«»,ςιισ$ κΓ.η Μι1- ^οηχ(η$ *<* (βρ.6. μ/μλ/·#«. VxΓςυ^ζι>^.ρ<*^/. ^α*β.η^, βπ.ί.Αΐβ.ιο^. €*ρ.ί. Μ/«#,ςαί ^x 1 ^Iη νηίοοοιη νί^εα. <χΐΓθοηοβ<1ΰκ ίηίΓΓΓΟΓραιΟΗήΑί & εο[^»<ϋςηέ ΙΙΙαπαΓυΓά· ρίοηΕίυη . Ιϊχ(ίο (Α,ςαίχ ϋοέ( 0 Μρα$ ^ηπIΗ ΐη Ιιος Γx^ΓλΠ 1 ^Iι· <οΠι ίο( 4 η^ 6 ί)Ϊ 5 & ^ 1 ηρ^^^^ρ(Π>^I^$ « (Ιίαίηχ νίΓΐυΐο 6 ( ^νΐ (χη> ψχ, & κιυμΕϋΜΟ ΐηηβ^ίχΕέ ροκίρίχηΐΓ , ηοο (οίηιη ί ρατίΓ- Ιιιηΐ$χορυΓεχ(ί^ιπ)ίι ηηιΐί^αΐι Γ^(ΐ€Είχιη > 1 )€θΓυπιοχΓηΓ. Οίοο («Γ(ίό : Ηχε ηιίο (χη> Γρίήηιι^ιιΐιη εχηιί» ποΑγζ ευη ΐρΓο€ΙΐΓίΑο,&είυιε 2 τηε«ΠβπιίΗ 3 ί 11 ί,<]αχ[ηηαηείαε(Β]ο χη 1 < ιηχ Γερχτχυε & ρο0 ινΓϋΓΓεΑίοηεηι ΟΕίχιη εοεροη Ι)βχ(οηιη) εαπτιΟηΓίΑοί 1 ΐεϊ(εΓβχρ?ηβπιιΐΓ. Νχη&ευΕίηεηΙοΟΗΓίΑυχ ΐηεΚχ 6 ίΙί ακχίοιηεηΐίΐΜήΐιεχΕοΓαιη Η1«!)ε(υΓ & ίρΓοηιηχηίιηζ ιη ΟΙιΓίήϋΠ) ΐηηδΙόπηχΙχιηΐυΓ ; ΐαη <ο ϊΗί$ ροΓ τηίοοεπι γ 6 «· 1 ^ 1 ην^^^^Κη(ια{ν^α 9 ^β^^Ί^^^β^^ρΩ ίηίρ(ό(ηχηεη(ηνίυιο( ία ^Η]^Αο)& ρΓορΐβί € 1 ιχίΐΗιη: εοιραβ τ 6 ΐύ€ 1 ιήΑίνηίε(αΓ Υηίιΐυα. εχηί Ιχλίοτυπα ίχη Γε(ίιπ'εΑθΓϋΐη> ηοη ρα ρεηε^ηιΐοοαη Μ ρετ ααού<ίχιη <1α1εε χ^Ιεχαη : & αε οΓευΙχίΐοηε εαΐεπ ιπο^ο ιεείαίΕ ΐη Ιαε νίαχΙΐςυίΙχΐ5ίαΠ($ραΓ5χΐι1&ηιΐ$: ηοηεαίσιίο» Ιιιπ) εοηιηα αιεο(ίΙχι$ ίυx 1 )ί(ι 1 ^^Η^^ 0 α$,&^ρΓοη 1 Π) χηίιηζία ΐρΓητη (ΓχαχΩ)ΓΐηχοΕΐΐΓ, ηο(1ο<1ΐέ}ο : Γού ε(ΐχπ) ^ 2 η.^^)πΑ^ εοΓ· ροιΐ ηο0π>εοηΐαοΒΐ(υΓ,χείεχΓηεηοΑηεχΓθ€ΐΐΓΐΠί ίηε&ΐΝΐί οκχΙο Γεη(ΐΕυΓ,& εοηιρίειχίυχ χο Γηΐΐιετ νηίΕϋΓ :ΐΐχ ηρο& εχο(ί<1ίΰΐοΐ &εΓχπιακί ΓαπιρΕίοαεπι (Ιίυΐαχ (ϋ^ηχίίοηεεειχπι εοΓαπιεοτροΓχ ζεετηζ ΐεΐίαεχιίχ ΐΓυ£ΐα$ ρεΓείρειτε ίηεϊρΐχηΕ. ΟεχίΙίί&πιΐ&ραΓΐόίαιΐχαιρΙεχιΚι&ΡεΙίζοΐευίΜΐηι »ε0α· $υ ρεη^ (ϋρηχΕΐοοε ιηΪΓχΙ>ί 1 ε) νΒΐ ρεε εοοαΰυπι ΙχΙ^ίοηιη ι & εοIηρ 1 ^xI 1 Π 1 ^ρι(^ι 1 $^Κ^^η^ ΕΓχηχ 0 ιη^ίΕΐΐΓΓρΐηΕΐι$οΓειιΙχοιΐ$ποη Γοΐυιη ίοεοεραι, Γε<1 & ρπεείρυέ ίη ίρΓιπι χαίπιχπ) . Νχη ΰεοε εϋχηι Βί ςηϊ Γείηαίεεπ) οΓευίχαιυΓι ηοη ίΐιαΐ Γοίχ ΙχΒίοτιιπι ίοι. ρεείΠοαεεοοΕεοϋ, Γε<1 ρΓΖΜΓεχ& ίρίπΕυη ΐρΓϋΠΐΩΙ>ί ίηαΐεεπι νί(ΐεη(υΓ ΙηΤαΜίεΓε: ικχ ίιοε ΟιΓίηί οΓειιΙυίηποηΓοΙύιηείΓοβ ρετείρΐευε , Γοιΐ & ΓρίπΕίιι ίρΓε €Ι)η 0 ίχηίΓηζΐηΐτιη< 1 ίΐιΐΓ:νΐΜ εοΓροηχ εοαεχ^η χηίιηχ Γροοίζ χ^ ρΙεηίΩΙπιχπι ία ΟΙιτϋΙυιιι ετχηχ&Γποχίίοαεηι ΓαϋΙϊπαηχε. ΥοΕίε ιιαιη(Ιο Ρχίεεβ ρτοεχρΗεχη^χΚκνίεχϋνηίοηείιιΑο· ηιο) ΐχη ΟΚείίΙο ία νεηεηΐιίΐί 5χεηηιεοΐο εχιΑεπίε ηυηηΐΓ νχείβΙοςίΜηύι ηο<ϋ5· ΓιυέεοπιρνχϋοοίΙ>υ$: ^αχ1ε$ Γαη( ϋ1ζ:' Γκα( ύ οεΓχί^αεΙίςυεΙχέΐχχίΕεηεετζεΕίχιηΙιςυεΓιΰζίπΐίηΐ· Γεεχΐυε,χε νηαπι εχ νεηςιιεΩχΕ· Εε ίΐίικί ΟΗιγΓοΠοτηί .Νοα Γοίαιη ρετ <1ί]ο3ίοπεπι . {^ΐΙεχίχιηΓεί^ίη ίΐΐχηιεχτηειηεαη· ιιβΓΤχπίϋΓ ■ Εε ίοΓη . Ρετ εοιρυ$ Γμιιπι ίε ηοΙ>ΐ5 εοιηιηίίευΐΕ ; ιε· είρίεο(1χ ΓυοΕ<1ε νηίοαεχηίηιζ ευη εχτηε ΟΚτίΩί ι ίιΙ εΑ >ευιη ίρΓο ^Κ^ί1ιο ΐετέ ηοη χΗΕετχεηιιηεχαΐπιχΙ>υ$ίερχτχΕΐι ίο ^ο- τίχ. 5ίΓη11ίβ νηίοεοπΕίη^ίΕ εο ηοΕίο <)αο Γαρετίαι εζρΐίεχηίιηαχ & οχΙεηι οοοιΙοΓυηΕ ίοΕεΙΙί^ηιΙϊ χϋιΓχηάί ΡχΕτε5& Οοΰοτεχ. Οαπ) εχΓοε νετό ώ|ηίΑΪΓηε ΓυΓείρίεοΕίβ εχπι χτΑχ τηίο Γηι^ ΕΓχοχ&τιηχΕίο ηοη πΕ,Γε<1 ροείαχεΑφίίιΙχιηεοαΕχέΙυχηοΑΓχε εχτοίδευπ ςΙυηοΓιίΠπηχΟΗηΑίεχΓοε: εοιηο()οςυο$· ΑηΙιτο· Γιο 5 οε 5χη£>χ Α^ετε τε/έτΕ (ϋχΐΠε εχπι ευη ίχιη ζηοτί· Ευτχ ΟΚπΑί εοτρϋ$ Γυ(ει-ρίΠεΐ ■ ίηςυί ε> (»*βΛί 0μ»χ» «ιη (9Τρ«Τ$ ηνο Λβ90ΛΐΗ>η ίβ. ΟίεοςαχτΕό: ΕxI1ο^^Η^ϊΑ^^οηΕx0α^ατη^x^οεηο0η1η^· 539 ηΐ)ί1ί$νΙπιι$ίηεχΓηετηηοΐΙτχιπ (ΙεηυΐΕΐιτ *. νϊΓΕαχεαΐιηβζίΙΙο ειϊΕ ςηζ ηοη Γοΐυη) η>εηΕε$ ι (οΙ & εοτρω ΓχηχΕ » χε εοτπΑιοηε τε£3Γ(ηχο« ίΠαιΙ ιείηβαεοίίηίρίυπι ιηίΓχπιΓρΪΓίΕαΐΓυΐΜε(Η(^ ηε[η,εχ1υΙ>εηΓΐ)αε πιειπΙΐΓχ ίϋιϋ$χπηχ ίαΑίιίζ χε ςαο(1χιηι»ο<1ο 8ΐθΓίοΩεοΓραΓΐ$:ίπια)ό&ίρ α$ ^ΗΓ^Π^ίη^^ρ^Ε^η^1αε^εςιη1^· ΕχΕεχ,νείέτοχειη Ιιοερπ>οοΐΐΕοΓετί6ίΕ 5. ΒοηχαεηΕΐιη , /χ»·7· Αΐβ.6. νΐ}ΐ χϊΕ : ήεαΕ ρετ ε^^γχ ίηΕετίοΓί$ Κοσιΐαϋ νερετευοΕεπ)- ρΙχΕίοοείπςιιχη^οςαεβΕςαζΕΐχΓηρτζΙίίΜΕίο ζεετηζ νίεζ^ΐΕχ & ρετ ορετχ εχεετίυτί» Ηοηιίοίχ πεΐηεοχΙί<ιυχη(1ο ΓιηιίΙίεαιΙο χϋςαχ,νεί ΐίηχ£υ ζεετηζ νΐΕΖ· Εε ΒετηχτεΙαχ Λ^. Α»ανΐ9Τ9Ό9· <ϋείε : Ο^τρ^ταη [ μψηο» ΐααι ί§( ϊλ^Ιτμμι νίΙ»η'ιΐί*η$ ^Ι&τίΜ»»^ ρνηΧΛΤκβηβ(ί»ΜΪΛ^'(^ ΪΗίΐ/πΛ ζθ»{*ψτβ»ι·»ΗΪι ρ;τΛΐ%Λρβτβ9^ %ντ'$4Λΐη'ΐηβΜΗΤΛρ€'9ηΗί νΐίαρτοηΗΗΐΙΛΧ. Οίεοςαίηεύ: (^<1ηιρ1εχ εΙχΕατ κεηιι$ νηίοαί» ιηΕεηΙίΕη^ 540 ΓαίείρΙεηεεχ ΟΗτίΑϋπι & ίρΓϋΠ) €πτί;:υπη. ΡΓΪπίηιιηρετχΑε< έΙαπι εΕχτίΐχεί$ <^αζ εοιαπιιιηίι εΑοιηηιΐΜΐ5(ϋβη^χΓείρίεηεί> Ιμι$ Ηοε νεηετχΙιΠε 5χεηπιεηεϋΐη ςαζ νηίο νει^εΙίίΩΐΓε χ(> ϋΐχ £:ηετχ1ί ηαχ ρετεΗχτίιχεεπιΐϋΙΐίνηίαηευΓεαεηΟεο: ςηίχΠΙχ Γείρ^είερτορπ^ Ι>ιΐΓη ίρΠιπι, Ηζε νετό ίρΓιιπιΟίιτΐΑαηι ηο$ίηΒοε$χεηιηεηεονεΓ0 εχΐΑεηεεπι,χεεχτίειιιεβιηο<»ηιπι 1ρ ίτίεαηΐ) νε ευιη ίρΓια$ ΟΚτίΑί Γρί χ \ ια χτέΙίίΠαι^ εοηίιιηςχίιη - 5εεαηύϋθϊ8βηα$»ηιοη»εΛεϋΠϊΟ>πβιβ οοβ βηελεη ρ« χ-πε* ^πΐ,Γεύ εείχαι ίη εΙΓεΑα τεχίί εοηίβηΟι^ε ΐεχιη\ηηιχε^ χηΐηζ ναίεατ,νε χΙ>ί11χεία$ρπτΓεηΕίχ ίαχαίβίηιέ ρετείρίχεαιτ, ϋζηυη<)υχιη Πηε ιηεηείχεχεείΓαεοαεΐη^ε: ΗζενεΓόρχαεΐΙ- ιηχταιη,χείχαέ2χΓυιηεΑχηίιηχΓυηι. ν ·&: ν Τετείαιη νεΓ6^ηα$ νηίοοίχ εΛ εύεη ηοο Γοίαιη 0Μ«τεχ1ι$ ρτζΓεηείχ έ ηιεηείΙκι$ρ«πΠΐπίί5 νπίοηερτζεΙίΛχ ίηεπΐ^ίΗ ρετ- είριε\ιΤιΓει1εείχ(ηΓθΓροΓΪεοαΪΗηςίεηΓ,χε έεχτηε ηοΑη εχτο ΟΗτίΙΙϋηείΓχΙίίΙί ιηοεΙοΓ«αίίϋΓ· ί^»Γΐαρ<1εηίςϋέ^ οΰ« ϊΙιεί ροεεΛ ούπιΟΜΛα5ΐηε«1ί]5ΐρεαεΐ)ϋ8ε^ί ^ίίηέβχπι ΓϋΓείρίεοείυπι εοαίαηΙίειίΓ: ηϋζ ροείιιχ π)οη]ί$)& ιητί^χ* ςα1πΐΓεχ1ί$(1ίείιίε6ε(. Εε Ηζε (ΙεΓεΙίείίΙΐηχχηίιηζεϋεηρεο νηίοηε & 4ε εοεχ π»γ1Ηεχ ΤΗεοΙι^χ χιΐ Ι-χυ<!^&ΟΙ^ίχΜ 1>εί οΓηηίροΕβο Εϋ, Η·*χιί1Γιεηζςαε Υίτ^ί Μχτίζ, είο$ άίσάΐ· ύιηί Γροηΐι 5· ΙσΤερΗί, $. Μ. Ν. ΤΗετείιζ , οηιοίαιηςΜείχιωο· ηιη ; Λ χ4 νεϋίεχεειηχοίιηχηιιη , χε ΓοΙ) ΕεεΙεΰζ 5χηΰζ Κο- ιηχαζ εεοΓατχ , εαί ΙίΙιοηείΠΐίηέ ίη οπηίΙ>υ$ ΐχηςαχιη νετυχειαχ ^05 ιηεΓαΒπιίεεο Ιηεϋε ιχ.(1ΐε Νοαειηΐνίχχηαι Οοιηιηι 167 ^* ' -♦ ^ Ρ I Ν <“ ·.■ I 5 ΙΝΟΕΧ ΕΟανΡΕΕΤΙδδΙΜΥδ ΚεΓϋχηοηιηΐυηι, & ν€Γΐχ)πιηι, ςυ* ϊη Ιιοο νοίυιηϊηΰ οοηΐίηϋπΐυΓ. υΠίΐ^Λι Τ. ΤταϋαίΜηί Ν· ΝίηηζΤΜΜ 9θ^ά€τηΤτΛξίΜΐΛί ψΠΛΤξΐηΛίίΐη β^βζβί * Α Λ(»Λλ, Ναρ 1 «η(κ ρίακι ΗαΙμκ ^?(«ΰυ 5 κΐΐϋβςαϋΒΐαιιπΜ* πο(υΓ.Τ.4.οα {5' Ρ· 8 ·<ί· ΑΙΙμι. Λάιΐ5 ΤΕΜο 1 οΒΐ«π))τΑίαΕρΓοοο^ΐ(ίρΓίαςϊρίοΓοπΐ)Αΐί ^1^^^^^αοΓαρίπΜ^ϋη]^, Τ.ι.πυ^ί. ρ>£.). Α6υ5νιΐιϋ5Μ)€ΐΗ1«ίρπηαρ)ο(β(ΐ)οιιβο(β·Τ.ΐ·Β.39* Ρ*4·ί· Γ>τη(ίοο6 νΐΩοαί 5 €Αουο^ϋ(ι£}α 5 νίΐ 4 ϋ$ . Τ.ι.η. 40 . ρ·}· Ι>£Γ2(ϊοοβνΐ{ΐσαΐ5οΟ ο11(;:ι^3ΐίηυο.ΐΙ)ία4Χ· ίοίο. ΡοηκκΓ 0 ΜΧ< 1 ΐ(η ο 1 >ί« 6 ο&Γο 1 υίιαΓ.ΐΙ»ΐα^. ί)»!*!· ΡοηίηΐΓ »1 μ οΒΐοάίο& ΓοΙυΐχυΓ . ίΙ>ΐ η 4 ν ίΒκί. Νοε ροΐβηχίλ Οίο «ϋΓοΙυα ρο(ε(1 <1 ιγϊ νο1ιζαίλ(ΐΐΑΐ»^αβ ΡΓΖαίλ εοβαίϋοηε ίοΜΐ1«αο5. Τ.ι.η. 56 · Α4 λιλ. Ρκααίχ Α(2ιζη ρ(εαι(ο ΓαρβιΒϊζ . Τ. 2 .α·ι* ΑβύίΐίΐΛ. 0 >!««>(ί>ορροαιηηΐΓΐιιι 1 αιϊχ .Τ.ι.η. 74 · Αη/ίαι. Αηακα* β(1 «ΙχβΓ ίρΓβ . Τ. τ .η.^ 0^»(ί1ιχι«(Ρεθ)ναυ3ΓρίΓ((ω€Α. ΐΒίαρ^ Ρ>β·4· Ρ»Ρ·»· Ρ 98 .Ι 1. ΑπΛΟΐοοίιίΐΛϋβ’ Τ.ι.α.}» ΑιηοΓη<η ρο(βΙΙηοηνΐ^«κςιιεαΐ 3 ΐη 2 (·ίΙ>(ΐι.(}. 1η (Ιϊιιϊηΰ 2 ΠΚ>γ ηοείοη^ΐί; ηκεΠνίά & βί1«ΐ(αιΐ(ετ Γυρρο11^^ εο^- ΐΜοηηηο(ΐοα&1είη .Τ.υι.57- Απ)θΓΓεηίίαυϋ$εβρπιιιιοιηηΐιιπιρ&Π1οαυιηοΓίρο.Τ.ΐΛ.95· ρ>ι;· 1ηςιιοεοοΓιβΐ(&αιοτΓεαΓι(ίϋυ$εχροηί(αΓ. ΐϊιϊα.96. ρ.ιι. Οοο ιρο^ο ^ΐυί^χαχ ■ ίΙ>ί η 97· Οαχ ΰηΐ ίΠίυι «υΐχ . ιΙ>ΐ 11.9Ι. ί1>ΰ1. <^(ία€ ίΐϋυι εβ^ΐΗ . ϊΙμ η.99· ΐΙ>ϊ^! ΙΏΠο 2ΐηοη5 ΓεηΑιίιιΐ πΜ(}εΓ«ηιτΐ!ΐε(1ιιη(ε?ΪΓηΐ(εκιηρεηιιχΐ2. ίΐΜηααι.100· ^ΐ(], ΑηφΙτχνι. ΟυΜ ϋκοίϋεεΕοτρεΓ λΐηρίβχιιιη Οη α (1 ληΐοίλΐη .Τ.ι.η·β7· ρ·ι. ΑηηΛΐΐΛίίβ. Ουΐ^ 0ετ 2ΐυ)ϋιί1β(ίοικιη ίη Ω^κα ναίοιώ ίη(εΙ1ί|ϊηΐΓ . Τ. ΐΛ8}ρ.;. Αηϊ>μ. ΑηιπηίηβχβτείίΙοΤΗεοΙο^χ πιτί^εχραίΙηΐΓ. Τ.ι.ο.]4. ρ.]. Ληίπα ΐη βχηεΙϋοΤΗεοΙοςΐν ιη^ΐεζηοοί^αιη ρβϋηιτ» Γε«1 νειε ροτίηιεΠρί^ιη&νοΙηοΧΑΐηηορεηχιΐΓ. Τ.ι.ιι,} 7 · Ρ>β 3 · Αηΐιη» ΐη εχειειήο ΤΙκίοΙα^ΐΒ ιηχΙΙχείΒ νεκ ΐη(ε11Ι§ί( &ϋηΐβΐι. ίϋΐηυαι.)!. ΐζΐ^. ^υ^ <1ίε2(ΐΐΓ λοίπα εοακπιρΙιΐΐαιρ&ϋάΐιυηιΐαβχετεΙϋοΊΊιέοίο- ίίβπΐΓΛίθ3Β.Τ.ι.η·47· ΐΙ»κ1. Αρρ«ί»ια{. Αι>ΐ)ίΐίοΐ5Γαι{ϊιί«ΐί5ςαίιΐαίί€*ηηΐΓ. Τ.ι.ο.*7· »ί.ι? «2ϋΜ Γι« Μκ»ΐΜί|>ρ<:ιίω! ίαιββηΙβροηίιαΓ . ίΙιϋη.88. ρ.ι ΐ. ΑρκιιηιιιΙίικιΓο ΐΜ<Ιοΐίοι1κίη1»ηιιιιι»ςίιιηΜΐαηι&ααοιηο<1ο. ·ί·.>.ιιιι·π.89. , , ^ ίω. Αρρτ*·*»βό. Οιχί «1 ρεΜίοηεπι χ!Γρίη( , άί\ια ρυΓρτε ηεηατίΑΐη Ι πηΐίβ βρ· ρτεκηΠοοΐΐκιι. Τ·ι.η.ι^ ρλΕ-ΐΙ. νίΓ ίρΐπχαιΐίλ ύε6ε«οοή(ί>3ηιι]οηιπ)2έ)υαη)1πιβιηοη2 3ε1ετε ! ϊΒϊηυιη ιβο. ρκκ ι8 1>β1κ( ρατΒ&κ πκιηοπλη 1 ηοΐίϋρ κιυιη ΐης1ΐ0ετεη(ίαηι.ΐ^ α 1 8ι. Μ ί 9. ΙυΩΐϋ εχίΛτη* ρηιΗί^ αεηηαιιιι .ιΒί η. ι Ιι. Ιοεΐρίηιιεβ ηοη(1εΒεη(ρπυ2Γε π>αηοΓάπ)οοΐί(ίίια2(ιιη1ϋΜ$πΜ> ηηι«ΓΒοαί$.ΐΒίη.ι8}. νίί Γρίηχϋϊΐίι (ΙβΒετ ρατρΜ πκπ»Ηιπι 1 αηαηΐί αοϋιά ρλτεη^ (ηη & <^^I^^ί2ηηη α ^ιυίιΐντιη . ΙΒΐ 11.184· ΐΒΐ^. νίΓφΐη(Μΐΐ5ύεΒ6(ραΓ22τβηβηιοή2ΐηαλΕά^ΐ οο(ίϋ2 Βοαοταπι. ΐΒίηα.ι8Γ ΐΙ^. Οοί^ Ωεχ οικείο ν(1ρ^^^2^^ ΓεΙί£ίοΓυ$ίηΒερ»φ(βα)ηοη1ϋ)«ΐ5οε· ευρε&ΐΓνε1εχοΙ)ε4ΐε磫.ίΒίη.ϊ8ί, ΐ1)ΐί|. ^ηύο Αι(ΐ» ρεΗοοκ λΑ ΐ^ ηοηρΙ>1ί|2ΐ . ίΒί η.β;. ιΒίΑ Μαΐ» ρπ)ϋ6ηίιιη( «ηίηζ ν(ί1ΐαΜ$ εχ ρυΓριίοηβ ηαηοήβ ςυχ ΐ» οαηεηηΧϋΓ. ϊΒί ουπκτ· ι88· ίΒί<2· ΜεπιοΓί* (1ε(κ( ρυΓΕλΓΐ ηοΐΐκΐρ ΓυρεπΗ<υη1ί1)ϋ5 (ΙϊΩίηέΙά > ίΙ^ ααιη.ι89· }Β>(]. ΥΐΓ Γρίη(ο«ϋ5 ηοα ΑβΒεί»! ϋιΩίοΟϊβ ΐιΤΜςίοη&ηοιίϋϋφΐΒ εΙ οεευΓΓίιοΕ κχακΙεΓε ί Γαΐ ααεηςεηι Αιιΐηι ίη Οευιη είειατε . ΐΒΙ ηαπ.ιρο. ιΒκΙ. 0 ιΐ2$(ΐο(ΐ(Ϊ2$ΓΒκπΐ2(υηΙε$ άώαΐ λΐήπΐλίηηκιχΜπ«εοιιΓεηι»Γε« (ΙεεΙληχαΓ. ίοΐη.ΐ9ΐ· ΐΒί(Ι. Ο^ιΙ^ιεΚίε^ραετε. ίΒίη.192. ιΒίΩ. $ιιρεπη(υη1ε5 ηοϋάχ τεπιπι ε Γθ(&ηιιη σιιιία Ρ<^ι*β( εχη- αΓε«ηΐπΜΒευηο(ίΒ& ϊηε2ΐΐ(χ<]αχΐΒί ΐΗΐιηεηη(υτ.α>ίπ·ΐ9ν ίΒ. Οι^ϊΐΜΓίύΙίχαοχϊΕΐχ ΓεηηηεχηΧΑηιπι <ί2ηΐοε<«ί1οΜπΐ2ηίη)χε»- <1«η<1ϋο ρπεΙϋιηρΕϊοηειη & νϊηίαιεηι . ΐΒΐη ΐ94· Ρ·>9 0»1)θ1α$ π>θ(1ίχηΐιΙ>α8 Ηίιηυϋείΐβ Γιιρ6Γη(αηίΐΙ>ίί3ρο(εβπΐ28αιιια ιηι1απΐ2ΐιΐιη«εχα1ίΓε.()ιίη 195- ΐΒΐ(1. ΡοιεΑ ιαίιηχ οΐίχεχ ηκιηοΓίζ Κχηιαι Γεηιιη Γυρε^(υηΙίυπ) ^ηΛ· οηιη λΩΒ^ΓετΟ) νΐροη«(ίιηρηΐίπκηχιιπιαΐαΐηί6νηίσαΐ. ΐΒΙ ααηνίρβ. ΐΒΐά· Οΐιτ^ 2ηΐπι« (ΐΙΐΒυι οοΐΐίίρ ηοο εοώςοε ίικϋα( «ΙεΟεοίοευη· άαιη είθ5 ειηΪΒεοΐΐια} . Τ. χ.η. 197· ΐΒΐΑ ΑϋΛτιίία. Ιηείρίβηκ» ρ]υΓ£$ρχ(ίυα(αΓ<1είεάα>λυΑΐί(1χίρίπΐιΐ2ΐΐ$ΐ}α] ίΒί ηα· πκηηιατ. Τ.2.0.25· Ρ-ΐο. ΑϋΛαα. Αιιάχ(α5ΐιύιιί$ ρετΐευΙοΓυβ (0 ηΙΩ ιηοιΐΐ6ελ(1ο«ιε Γερησαηιτ . Τ.χ. ηαιη·ΐ49· Ρ>8·Χ7· ΙυΩυ) VI ίυΚίιίιιη Γεηιει «(ΐεΒε(2ΐΐΓε5(:αΛο^ΪΓε.ίΙ>ίη.ΐτο· ίΙ>ΐ^> 0αϊ(1 (ΙεΒοε Αεετε <ιαΐ (Ιευ^ετιΐ χηοΓίίΒεχη «Μχϋεηιη . ίρΐ η. ι ^ ι . ίΒ. Αι/Αα^ία. ΡυηίιυΓ(1ε6ηίκιορ»ΐηοηί5Αυ(1&εϋΒ. Τ.2.α.ΐ)2. Α ^αΐΐΗΐ$ ουΓειοΓ 2α^13^^3 εχρίίειχατ . ϊΒΐ η. ι } }. ιΒί ^^^12^4η^υ^ νίΓΐ} εΩβΰιη ιυ^εΐζ . ΐΒΐ ο. ι }4· Ρ· χ^· Ο^ιηο^ο ύ( ηίΜεΐϊίχΙι ρηίΓιο ιικίλεΐζ · ΐΒΐ^ Β Β4φ$$/ΐΛΜΙ. Ι Ν ιεβ^πήοηβ ΒιρϋΓηΐ ηοο ίη οιηηϊΒυ$ Γυετε ρετίβίΐι ννίκη ρεεεκΐ οπ|ίη2 1ί$ ΓβΩ Γοΐαη ίη ίΐΐΐδςαι νι»πι ετυεϊ$ ίη· βίτίΤι Οιηε . Τ.» η·;. ρι» Οιήνί2ΐηεηκί$ηοηΐη§Γεώυο{ηΤι ρνεβιη εοβοοΓείϋυιαιηηρΙα· ηπ)ηιηεσπυρε4ΐηΗ4Βεη(.Τ.ι.η.6ί· ι5|^. ΚΪτί Γιιηΐ ειίχιη εχ Β2ρϋ(2ϋ$ <]αί<ϋιιεΓίί)νΐ(1οηϋηρεηετίΒυ$ ηοα ίαΚεΜη(υΓ. Τ.χ. ηιιιο.;· ιΒίΑ Β€Λί$ίαάβ , Ια Γοίο Οεο ροΩεβό&^ΠεΰοΒβχκίαήίορεΓ&ΰλεοηΙϊΑεΓεροεεΩ. Τ^· ηαπι.)7· Ρ>8·7** 1αχαπ)ούηιη(ΐυορο(1]<]ετί|>οκΑθα»,εΑιηθ(!α$Βηιί(η0ίαί$ π»· ^2υ(χηίηιχ5ρεΓίε^α$. ιΒϊη.;8. ϊΒκΙ. Κηϋοτίχ βΟΒαΐίοι^ο οιηηίηο ^οπ)ρ1ε^1.^Βία^9. ιΒϋ. Ιη»<Μθ Βεηΐΐιιηΐο ΐη Βιενί(ιεοη1ιΛί( ΐαίπ(ίιΐΜνηίοηεειιπι Οεο (υιη ρε7εο£ηΐ(ίοηειηεχρεΓίηΜΐιι·]ε{ηρι«Γ<»(ί«ίρ£α5, (απιρεε ιητοΓεπι Γιυϊιίυηιη . Τ.4·η.4θ. ΐΒί(1. ΟίΓεπιηεΒ ςυοΩ <ΐχ(αΓ ΐηεπ Βαϋΐυ(1ίηεοι βασιρ1ε€»α ίη βίοπιπι Βς ίοεΒοααιηΒιυυ$νί(χ<1εε1χηΐαΓ. ίΒΐη·4Χ· ίΒϋ* Ο ' α^τΐΐαί , ^ΗΐΓί(2$ρεΓ&^οΓ εΑ &1ε& ύοηο Πιρί«α(ίζ. Τ.ι.η.8. ρ.η. Οιτΐ ροΐεΑ ειΓαχ ςυ(χ1 χΐί^υϊι ςυίεΑίη νίι ρωτοχίια ΒχΒεχε ιηχίοτειη εΒιτίικεπί) ηαίιη ίΙΙεςιιιίΑΐηεΑίητίιΠΙιιπιίηκίαι. Τ.ι.ηαιη.ΐ)7· ^ ^ Ι«8-ί. Ια ίηείρίεηΐΐΒυχ εηχτιαχ Β»(ίιη εοολΐχΐΓ ρΓούαεεη Γυοβ εβεΰι». Τα.ηαια·ιι. Ρ>8·9· Ροοί(ιΐΓρΓίηαιεβ^$ε1ΐ2ΓίαϋιίηίαΑί£α(ί5. ίΒίιι.1». ιΒίΑ Ροηί(ιΐΓΓεευο8ΐΒεΑβ0υ$εΚ2π(χ(ί$. ΐΒΐη·ΐ). ίΜΑ Ροο1(υΓ(6ηίυ5εΑεθα$εΒΐΓίΐχ(ίι.ίΒΐα.ΐ4. Ομπειχ ίη ίηαρίβκίΒα!» ηικπεατ : ίη ρτοκίεοίχΒαί ΓοΒοηχητ : ία ρετ&Αί2ρετκίιχν·ΐΒίιι.ΐ;. ίΒϋ. εΒλήε»· □ίςίΐίζβά ϋγ ϋοο^Ιε Ιηάεχ ΚεΓυπι, & ΥεΓίϊΟΓυηι. | 24,912 |
e268f604aaeee89614c76a841ccd351b | French Open Data | Open Government | Various open data | 2,011 | FCMAN070929_20110825.pdf | info-financiere.fr | English | Spoken | 5,243 | 8,628 | Final Terms
BARCLAYS BANK PLC
(Incorporated with limited liability in England and Wales)
BARCLAYS CAPITAL (CAYMAN) LIMITED
(Incorporated with limited liability in the Cayman Islands)
GLOBAL STRUCTURED SECURITIES PROGRAMME
for the issue of Securities
BARCLAYS BANK PLC
10,000,000 Open-ended Equity Linked Mini Long Certificates
under the Global Structured Securities Programme
Issue Price: EUR 5.21 per Security
This document constitutes the final terms of the Securities (the "Final Terms") described herein for the purposes
of Article 5.4 of the Directive 2003/71/EC and is prepared in connection with the Global Structured Securities
Programme established by Barclays Bank PLC (the "Bank") and Barclays Capital (Cayman) Limited ("BCCL")
and is supplemental to and should be read in conjunction with the Base Prospectus dated 6 August 2010, as
supplemented, amended, updated and/or restated from time to time, which constitutes a base prospectus (the
"Base Prospectus") for the purpose of the Directive 2003/71/EC. Full information on the Issuer and the offer
of the Securities is only available on the basis of the combination of these Final Terms and the Base Prospectus.
The Base Prospectus is available for viewing during normal business hours at the registered office of the Issuer
and the specified office of the Issue and Paying Agent and copies may be obtained from such office. Words
and expressions defined in the Base Prospectus and not defined in this document shall bear the same meanings
when used herein.
The Issuer accepts responsibility for the information contained in these Final Terms. To the best of its knowledge
and belief (having taken all reasonable care to ensure that such is the case) the information contained in these
Final Terms is in accordance with the facts and does not contain anything likely to affect the import of such
information.
Investors should refer to the sections headed "Risk Factors" in the Base Prospectus for a discussion of certain
matters that should be considered when making a decision to invest in the Securities.
Barclays Capital
Final Terms dated 28 July 2011
The distribution of this document and the offer of the Securities in certain jurisdictions may be restricted
by law. Persons into whose possession these Final Terms come are required by the Bank to inform themselves
about and to observe any such restrictions. Details of selling restrictions for various jurisdictions are set out
in "Purchase and Sale" in the Base Prospectus. In particular, the Securities have not been, and will not be,
registered under the US Securities Act of 1933, as amended, and are subject to US tax law requirements.
Trading in the Securities has not been approved by the US Commodity Futures Trading Commission under
the US Commodity Exchange Act of 1936, as amended. Subject to certain exceptions, the Securities may
not at any time be offered, sold or delivered in the United States or to US persons, nor may any US persons
at any time trade or maintain a position in such Securities.
Part A
Terms and Conditions of the Securities
The Securities shall have the following terms and conditions, which shall complete, modify and/or
amend the Base Conditions and/or any applicable Relevant Annex(es) set out in the Base
Prospectus dated 6 August 2010.
Parties
Issuer:
Barclays Bank PLC
Guarantor:
N/A
Manager:
Barclays Bank PLC
Determination Agent:
Barclays Bank PLC
Issue and Paying Agent:
Barclays Bank PLC
Stabilising Manager:
N/A
Registrar:
N/A
CREST Agent:
N/A
Paying Agents:
N/A
Transfer Agent:
N/A
Exchange Agent:
N/A
Additional Agents:
N/A
THE SECURITIES HAVE NOT BEEN AND WILL NOT BE REGISTERED UNDER THE US SECURITIES
ACT OF 1933, AS AMENDED (THE "SECURITIES ACT") AND THE SECURITIES COMPRISE BEARER
SECURITIES THAT ARE SUBJECT TO US TAX LAW REQUIREMENTS. SUBJECT TO CERTAIN
EXCEPTIONS, THE SECURITIES MAY NOT BE OFFERED OR SOLD WITHIN THE UNITED STATES
OR TO, OR FOR THE ACCOUNT OR BENEFIT OF, US PERSONS (AS DEFINED IN REGULATION S
UNDER THE SECURITIES ACT ("REGULATION S")). THESE FINAL TERMS HAVE BEEN PREPARED
BY THE ISSUER FOR USE IN CONNECTION WITH THE OFFER AND SALE OF THE SECURITIES
OUTSIDE THE UNITED STATES TO NON-US PERSONS IN RELIANCE ON REGULATION S AND
FOR LISTING OF THE SECURITIES ON THE RELEVANT STOCK EXCHANGE, IF ANY, AS STATED
HEREIN. FOR A DESCRIPTION OF THESE AND CERTAIN FURTHER RESTRICTIONS ON OFFERS
AND SALES OF THE SECURITIES AND DISTRIBUTION OF THESE FINAL TERMS AND THE BASE
PROSPECTUS AND THE SUPPLEMENTAL PROSPECTUS SEE "PURCHASE AND SALE" IN THE BASE
PROSPECTUS.
ANY UNITED STATES PERSON WHO HOLDS THIS OBLIGATION WILL BE SUBJECT TO
LIMITATIONS UNDER THE UNITED STATES INCOME TAX LAWS, INCLUDING THE LIMITATIONS
PROVIDED IN SECTIONS 165( j) AND 1287(a) OF THE INTERNAL REVENUE CODE OF 1986, AS
AMENDED.
Provisions relating to the Securities
1
(i)
Series:
NX00044852
(ii)
Tranche:
1
2
Currency:
Euro ("EUR") (the "Issue Currency")
3
Notes:
N/A
4
Certificates:
Applicable
(i)
Number of Certificates:
10,000,000 Securities
(ii)
Calculation Amount per Security
as at the Issue Date:
1 Security
Global / Definitive /Uncertificated
and dematerialised:
Global Bearer Securities:
(ii)
NGN Form:
N/A
(iii)
Held under the NSS:
N/A
(iv)
CGN Form:
Applicable
(v)
CDIs:
N/A
5
Form:
(i)
Temporary Global Security, exchangeable
for a Permanent Global Security
6
Trade Date:
25 July 2011
7
Issue Date:
28 July 2011
8
Redemption Date:
Not applicable. The Securities are
"open-ended" and may be redeemed
pursuant to the following Terms and
Conditions:
(i) Put Option
(ii) Call Option
(iii) Specified Early Redemption Event
9
Issue Price:
EUR 5.21 per Security, determined by
reference to the price of the Reference
Asset, being USD 12,681.16 at the Valuation
Time on 22 July 2011
10 Relevant Stock Exchange(s):
NYSE Euronext Paris
11
Equity Linked Annex
The following Relevant Annex(es) shall apply
to the Securities:
French Cleared Securities Annex
Provisions relating to interest (if any) payable on the Securities
12 Interest:
N/A
13 Interest Amount:
N/A
14 Interest Rate(s):
(i)
Fixed Rate:
N/A
(ii)
Floating Rate:
N/A
(iii)
Variable Rate:
N/A
(iv)
Zero Coupon:
N/A
(v)
Bond Linked Securities - Fixed
Coupon:
N/A
(vi)
Bond Linked Securities - Pass
Through Interest:
N/A
15 Screen Rate Determination:
N/A
16 ISDA Determination:
N/A
17 Margin:
N/A
18 Minimum/Maximum Interest Rate:
N/A
19 Interest Commencement Date:
N/A
20 Interest Determination Date:
N/A
21 Interest Calculation Periods:
N/A
22 Interest Payment Dates:
N/A
23 Day Count Fraction:
N/A
24 Fall back provisions, rounding provisions,
denominator and any other terms relating to
the method of calculating interest, if different
from those set out in the Base Conditions:
N/A
Provisions relating to Redemption
25 Settlement Method:
(i) For the purposes of Condition 5.1 of the
Base Conditions:
N/A
(ii) For the purposes of Condition 5.2, 5.3
and 5.5 of the Base Conditions:
Cash Settlement
26 Settlement Currency:
Issue Currency
27 Settlement Number:
As defined in Condition 24 of the Base
Conditions
28 Terms relating to Cash Settled Securities:
(i)
Final Cash Settlement Amount:
N/A
(ii)
Early Cash Settlement Amount:
As defined in Condition 24 of the Base
Conditions
(iii)
Early Cash Redemption Date:
As defined in Condition 24 of the Base
Conditions
29 Terms relating to Physically Delivered
N/A
Securities:
30 Nominal Call Event:
N/A
31 Call Option:
Applicable
(i)
Cash Settled Securities:
Applicable
(a)
In respect of each Security, a cash amount
determined by the Determination Agent as
follows:
Optional Cash Settlement
Amount:
Max (0, UV - CFLV) ÷ FXV × Security Ratio
Where:
"Security Ratio" means in respect of each
Security, 0.01.
"UV" is the Valuation Price on the relevant
Valuation Date.
"CFLV" is the Current Financing Level (as set
out in the Schedule) in respect of the
relevant Valuation Date.
"FXV" is the Exchange Rate in respect of the
relevant Valuation Date.
"Exchange Rate" means the prevailing
exchange rate calculated as the Reference
Asset Currency divided by the Issue
Currency, determined by the Determination
Agent in its sole discretion.
"Valuation Date" and "Valuation Time" has
the meaning set out in Paragraph 37.
"Valuation Price" means in respect of a
Valuation Date and any relevant Scheduled
Trading Day, the price of the Reference
Asset at the Valuation Time on such day,
as determined by the Determination Agent.
Further definitions are set out in the
Schedule.
(b)
Optional Cash Redemption 5th Business Day following the relevant
Date:
Valuation Date
(ii)
Physically Delivered Securities:
N/A
(iii)
Issuer Option Exercise Period:
On any Scheduled Trading Day, from and
including the fifth Scheduled Trading Day
following the Issue Date (the "Call Option
Exercise Date")
(iv)
Issuer Notice Period:
Not less than 5 Business Days prior to the
Call Option Exercise Date
32 Put Option:
Applicable
The Securityholder may redeem the
Securities, at its option, pursuant to the
following Terms and Conditions:
(i)
A Put Option
(ii) A Put Option following a Margin
Adjustment Notice
(iii) A Put Option following a Stop Loss
Premium Adjustment Notice
(i)
Cash Settled Securities:
Applicable
(a)
(i) In respect of a Put Option:
Optional Cash Settlement
Amount:
In respect of each Security, a cash amount
determined by the Determination Agent as
follows:
Max (0, UV – CFLV) ÷ FXV × Security Ratio
Where:
"Security Ratio" means in respect of each
Security, 0.01.
"UV" is the Valuation Price on the relevant
Valuation Date.
"CFLV" is the Current Financing Level (as set
out in the Schedule) in respect of the
relevant Valuation Date.
"FXV" is the Exchange Rate in respect of the
relevant Valuation Date.
“Exchange Rate” means the prevailing
exchange rate calculated as the Reference
Asset Currency divided by the Issue
Currency, determined by the Determination
Agent in its sole discretion.
"Valuation Date" and "Valuation Time" has
the meaning set out in Paragraph 37.
“Valuation Price” means in respect of a
Valuation Date and any relevant Scheduled
Trading Day, the price of the Reference
Asset at the Valuation Time on such day,
as determined by the Determination Agent.
Further definitions are set out in the
Schedule.
(ii) In respect of a Put Option following a
Margin Adjustment Notice:
In respect of each Security, a cash amount
determined by the Determination Agent
on the relevant Valuation Date being equal
to the Early Cash Settlement Amount (as
defined in Condition 24 of the Base
Conditions). In determining such Early Cash
Settlement Amount, the Determination
Agent shall factor in the adjusted Current
Margin (as defined in the Schedule).
(iii) In respect of a Put Option following a
Stop Loss Premium Adjustment Notice:
In respect of each Security, a cash amount
determined by the Determination Agent
on the relevant Valuation Date being equal
to the Early Cash Settlement Amount (as
defined in Condition 24 of the Base
Conditions). In determining such Early Cash
Settlement Amount, the Determination
Agent shall use the adjusted Maximum Stop
Loss Premium (as defined in the Schedule).
(b)
Optional Cash Redemption (i) In respect of a Put Option: The 5th
Date:
Business Day following the relevant
Valuation Date.
(ii) In respect of a Put Option following a
th
Margin Adjustment Notice: The 5 Business
Day following the relevant Valuation Date.
(iii) In respect of a Put Option following a
Stop Loss Premium Adjustment Notice: The
th
5 Business Day following the relevant
Valuation Date.
(ii)
Physically Delivered Securities:
N/A
(iii)
Put Option Exercise Period:
(i) In respect of a Put Option: The last
Scheduled Trading Day of July in each year
from, and including July 2012 (the “Put
Option Exercise Date”).
(ii) In respect of a Put Option following a
Margin Adjustment Notice: The day a
Margin Adjustment Put Option Notice is
received by the Issuer (the “Margin
Adjustment Put Option Exercise Date”).
(iii) In respect of a Put Option following a
Stop Loss Premium Adjustment Notice: The
day the Stop Loss Premium Adjustment Put
Option Notice is received by the Issuer (the
“Stop Loss Premium Adjustment Put
Option Exercise Date”).
(iv)
Put Notice Period:
(i) In respect of a Put Option: Not less than
5 Business Days prior to the Put Option
Exercise Date.
(ii) In respect of a Put Option following a
Margin Adjustment Notice: The Put Option
notice (the “Margin Adjustment Put Option
Notice”) shall be given, by the
Securityholder, not more than 5 Business
Days following the date of the Margin
Adjustment Notice.
(iii) In respect of a Put Option following a
Stop Loss Premium Adjustment Notice: The
Put Option notice (the “Stop Loss Premium
Adjustment Put Option Notice”) shall be
given, by the Securityholder, not more than
5 Business Days following the date of the
Stop Loss Premium Adjustment Notice.
33 Specified Early Redemption Event:
Applicable
If, at any time on any day from, and
including, the Issue Date, the Issuer
determines in its sole discretion that the
market price of the Reference Asset is equal
to, or lower than, the prevailing Current
Stop Loss Level (as defined in the Schedule)
(the date of such occurrence, the “Stop Loss
Termination Event Date”), the Issuer shall
notify the Securityholder and shall redeem
all of the Securities (in whole only) at the
Specified Early Cash Settlement Amount on
the Specified Early Cash Redemption Date.
(i)
Automatic Early Redemption:
Applicable
(ii)
Cash Settled Securities:
Applicable
(a)
In respect of each Security, a cash amount
determined by the Determination Agent as
follows:
Specified Early Cash
Settlement Amount:
Max (0, SLTRP – CFLT) ÷ FXT × Security Ratio
Where:
"Security Ratio" means in respect of each
Security, 0.01.
"SLTRP" is the Stop Loss Termination
Reference Price.
"CFLT" is the Current Financing Level (as set
out in the Schedule) in respect of the
relevant Valuation Date.
"FXT" is the Exchange Rate in respect of the
relevant Valuation Date.
“Exchange Rate” means the prevailing
exchange rate calculated as the Reference
Asset Currency divided by the Issue
Currency, determined by the Determination
Agent in its sole discretion.
“Stop Loss Termination Reference Price”
means, in respect of the relevant Valuation
Date, a price for the Reference Asset as
determined by the Issuer with reference to
the market prices on the Exchange for the
Reference Asset during a reasonable period
following the Stop Loss Termination Event
Date. Such period shall take into
consideration the potential (i) time required
for, and (ii) impact on the market of,
unwinding any associated notional hedging
trades and shall be deemed to be
reasonable if the determination of the Stop
Loss Termination Reference Price takes
place, at the Issuer's discretion, no later
than the Scheduled Trading Day
immediately following the Stop Loss
Termination Event Date.
Further definitions are set out in Schedule.
(b)
Specified Early Cash
Redemption Date(s):
th
5 Business Day following the relevant
Valuation Date
(iii)
Physically Delivered Securities:
N/A
(iv)
Specified Early Redemption Notice
Period:
The Issuer shall promptly notify the
Securityholder of the occurrence of a
Specified Early Redemption Event but the
failure by the Issuer in notifying the
Securityholder of the occurrence of a
Specified Early Redemption Event shall not
however prejudice or invalidate the
occurrence or effect of such event.
34 Maximum and Minimum Redemption
Requirements:
35 Additional Disruption Events in addition to
those specified in Condition 24 of the Base
Conditions and any applicable Relevant Annex:
N/A
(i)
Affected Jurisdiction Hedging
Disruption:
N/A
(ii)
Affected Jurisdiction Increased Cost
of Hedging:
N/A
(iii)
Affected Jurisdiction:
N/A
(iv)
Other Additional Disruption Events:
N/A
(v)
The following shall not constitute
Additional Disruption Events:
N/A
36 Share Linked Securities:
N/A
37 Index Linked Securities:
Applicable
(i)
Index/Indices (each a “Reference
Asset”):
Index
DOW JONES INDUS.
AVG
Provided that the
Reference Asset
represents a
notional investment
in such Index with a
notional investment
size of USD 1.00 per
index point
Reference Asset
Currency
United States Dollar
("USD")
Reuters Code (for
identification
purposes only)
.DJI
Index Sponsor
Dow Jones Company
Inc
(ii)
Future Price Valuation:
N/A
(iii)
Exchange-traded Contract:
N/A
(iv)
Exchange(s):
Multi-exchange Index
(v)
Related Exchange(s):
All Exchanges
(vi)
Exchange Rate:
N/A
(vii)
Weighting for each Reference Asset
comprising the Basket of Reference
Assets:
N/A
(viii)
Index Level of each Reference Asset:
N/A
(ix)
Valuation Date:
(i) In respect of a Put Option, the Put
Option Exercise Date.
(ii) In respect of a Put Option following a
Margin Adjustment Notice, the Margin
Adjustment Put Option Exercise Date.
(iii) In respect of a Put Option following a
Stop Loss Premium Adjustment Notice, the
Stop Loss Premium Adjustment Put Option
Exercise Date.
(iv) In respect of a Call Option, the Call
Option Exercise Date.
(v) In respect of a Specified Early
Redemption Event, the Valuation Date shall
be, at the Issuer’s discretion, either (a) the
Stop Loss Termination Event Date or (b)
no later than the Scheduled Trading Day
immediately following the Stop Loss
Termination Event Date.
(x)
Valuation Time:
As per the Equity Linked Annex
(xi)
Averaging:
N/A
(xii)
Additional Disruption Event in
respect of Index Linked Securities:
N/A
(xiii)
FX Disruption Event:
N/A
(xiv)
Other adjustments:
N/A
38 Inflation Linked Securities:
N/A
39 FX Linked Securities:
N/A
40 Credit Linked Securities:
N/A
41 Commodity Linked Securities:
N/A
42 Proprietary Index Linked Securities:
N/A
43 Bond Linked Securities:
N/A
44 Mutual Fund Linked Securities:
N/A
Provisions relating to Settlement
45 Minimum Settlement Amount:
1 Security
46 Settlement in respect of VP Notes, APK
Registered Securities, Dutch Securities, Italian
Securities, Swedish Registered Securities, VPS
Registered Securities or Spanish Securities:
N/A
47 Additional provisions relating to Taxes and
Settlement Expenses:
N/A
Definitions
48 Business Day:
As defined in the Base Prospectus
49 Additional Business Centre(s):
London and TARGET
Selling restrictions and provisions relating to certification
50 Non-US Selling Restrictions:
Investors are bound by the selling
restrictions of the relevant jurisdiction(s)
in which the Securities are to be sold as set
out in the Base Prospectus.
In addition to those described in the Base
Prospectus, no action has been made or
will be taken by the Issuer that would
permit a public offering of the Securities
or possession or distribution of any offering
material in relation to the Securities in any
jurisdiction (save for France) where action
for that purpose is required. Each purchaser
or distributor of the Securities represents
and agrees that it will not purchase, offer,
sell, re-sell or deliver the Securities or, have
in its possession or distribute, the Base
Prospectus, any other offering material or
any Final Terms, in any jurisdiction except
in compliance with the applicable laws and
regulations of such jurisdiction and in a
manner that will not impose any obligation
on the Issuer or Manager (as the case may
be) and the Determination Agent.
51 Applicable TEFRA exemption:
N/A
General
52 Business Day Convention:
Following
53 Relevant Clearing System(s):
Euroclear France S.A.
54 If syndicated, names of Managers:
N/A
55 Details relating to Partly Paid Securities:
N/A
56 Relevant securities codes:
ISIN: FR0011084854
57 Modifications to the Master Subscription
Agreement and/or Agency Agreement:
N/A
58 Additional Conditions and/or modification to
the Conditions of the Securities:
N/A
Part B
Other Information
1
2
LISTING AND ADMISSION TO TRADING
(i)
Listing:
NYSE Euronext Paris
(ii)
Admission to trading:
Application has been made by the Issuer
(or on its behalf ) for the Securities to be
admitted to trading on NYSE Euronext Paris
on or around the Issue Date.
(iii)
Estimate of total expenses related
to admission to trading:
Up to a maximum of EUR 350 upfront and
EUR 1.75 daily
RATINGS
Ratings:
3
The Securities have not been individually
rated.
NOTIFICATION
The Financial Services Authority of the United Kingdom has provided the competent authority
in France with a certificate of approval attesting that the Base Prospectus has been drawn
up in accordance with the Prospectus Directive.
4
INTERESTS OF NATURAL AND LEGAL PERSONS INVOLVED IN THE OFFER
Save as discussed in "Purchase and Sale", so far as the Issuer is aware, no person involved in
the offer of the Securities has an interest material to the offer.
5
6
REASONS FOR THE OFFER, ESTIMATED NET PROCEEDS AND TOTAL EXPENSES
(i)
Reasons for the offer:
General Funding
(ii)
Estimated net proceeds:
EUR 52,100,000
(iii)
Estimated total expenses:
Up to a maximum of EUR 350 upfront and
EUR 1.75 daily
FIXED RATE SECURITIES ONLY - YIELD
Indication of yield:
7
N/A
FLOATING RATE SECURITIES ONLY - HISTORIC INTEREST RATES
N/A
8
PERFORMANCE OF REFERENCE ASSET(S) OR OTHER VARIABLE, EXPLANATION
OF EFFECT ON VALUE OF INVESTMENT AND ASSOCIATED RISKS AND OTHER
INFORMATION CONCERNING THE REFERENCE ASSET(S) AND/OR OTHER
UNDERLYING
Details of the historic performance of the Reference Asset can be obtained from various
internationally recognised published or electronically available news sources, for example,
Reuters code(s): .DJI.
Investors should note that historical performance should not be taken as an indication of
future performance of the Reference Asset. The Issuer makes no representation whatsoever,
whether expressly or impliedly, as to the future performance of the Reference Asset. The
Issuer does not intend to provide post-issuance information.
Investors should form their own views on the merits of an investment related to the Reference
Asset based on their own investigation thereof.
The description below represents a summary only of some of the features of the investment
product described in this Final Terms. It does not purport to be an exhaustive description.
The product is issued as Certificates in EUR and aims to provide exposure to the performance
of the Reference Asset. An investor’s exposure to the Reference Asset will be amplified
(leveraged) because part of the investment in the Reference Asset will effectively be financed
by the Issuer itself. Another effect of this Issuer financing is that the purchase price of the
Certificates will always be less than a corresponding direct investment in the components
of the Index. The Issuer will charge a variable financing cost for providing the financing. This
financing cost will accrue daily and be deducted from the amount payable to investors on
redemption of the Certificates.
The Certificates will redeem automatically if the value of the Reference Asset falls to, or
below, a specified price. Otherwise, the Certificates are redeemable annually by investors
and daily from the Issue Date by the Issuer.
The amount payable on redemption of the Certificates will be determined by reference to
the value of the Reference Asset, the outstanding financed amount, the Security Ratio and
the prevailing Exchange Rate and any dividends that have been paid by shares that have
comprised the Index during the life of the Certificates.
The maximum loss for an investor in respect of each Certificate is limited to the purchase
price of the Certificate.
9
PERFORMANCE OF RATE(S) OF EXCHANGE AND EXPLANATION OF EFFECT ON
VALUE OF INVESTMENT
N/A
10 OPERATIONAL INFORMATION
Any clearing system(s) other than Euroclear
Bank S.A./N.V. and Clearstream Banking
Société Anonyme (together with their
addresses) and the relevant identification
number(s):
Euroclear France S.A.
Delivery:
Delivery against payment
Names and addresses of additional Paying
Agents(s) (if any):
N/A
Intended to be held in a manner which would
allow Eurosystem eligibility:
No
11 OFFER INFORMATION
The Issuer may pay distribution fees to intermediaries. Investors who have purchased Securities
through an intermediary may request details of any payments from such intermediary.
Schedule
Definitions relating to the determination of the Optional Cash Settlement Amount for a Put
Option and a Call Option
Financing Level
Currency
USD
Current Financing
Level
In respect of the Issue Date, the Initial Financing Level.
In respect of any subsequent calendar day, an amount determined by the
Issuer equal to:
(CFLR + FCC – DIVC)
Where:
"CFLR" is the Current Financing Level in respect of the immediately
preceding Reset Date.
"FCC" is the Funding Cost currently in respect of such calendar day.
"DIVC" is the Applicable Dividend Amount in respect of such calendar day.
The Issuer shall make reasonable efforts to publish the applicable Current
Financing Level on www.bmarkets.com.
Initial Financing
Level
USD 11,932.14
Reset Date
Each calendar day. The first Reset Date shall be the Issue Date.
Funding Cost
In respect of any calendar day, an amount determined by the Issuer in its
sole discretion equal to:
FRC × CFLR × d/365
Where:
"FRC" is the Funding Rate in respect of such calendar day.
"CFLR" is the Current Financing Level in respect of the immediately
preceding Reset Date.
"d" is the number of calendar days from, but excluding, the immediately
preceding Reset Date to, and including, such calendar day.
Funding Rate
In respect of any calendar day, an amount determined by the Issuer in its
sole discretion equal to:
(RC + CMC )
Where:
"CMC" is the Current Margin applicable in respect of the Calculation Period
in which such calendar day falls.
"RC" is the Rate in respect of such calendar day.
Current Margin
In respect of the Issue Date, the Initial Current Margin.
In respect of any subsequent calendar day, the Current Margin in respect
of any Calculation Period may be reset on each Reset Date, at the discretion
of the Issuer, subject to it not exceeding the Maximum Current Margin.
The Current Margin shall be determined by the Issuer having regard to
the Financing Level Currency, prevailing market conditions and such other
factors as the Issuer determines appropriate in its sole discretion.
Initial Current
Margin
3.00%
Maximum Current
Margin
5.00%
The Issuer has the right to adjust the Maximum Current Margin if, at any
time, it determines in its sole discretion that the market costs associated
with hedging the Securities have materially increased as compared to the
corresponding market costs as of either the Issue Date, or the date on
which the Maximum Current Margin was most recently adjusted.
In the event that the Issuer increases the Maximum Current Margin, it shall
give notice of such increase (the “Margin Adjustment Notice”) to the
Determination Agent and the Securityholders as soon as practicable
following such increase.
Rate
In respect of any Calculation Period, the Rate shall be determined by the
Issuer as the prevailing rate available to the Issuer in respect of its hedging
strategy relating to the Securities in the Financing Level Currency with a
designated maturity of either overnight or such other maturity as deemed
appropriate by the Issuer by reference to the Calculation Period, subject
to a maximum of one month.
Calculation Period
Each period from, and excluding, one Reset Date (or, in the case of the
first period, the Issue Date) to, and including, the immediately following
Reset Date.
Applicable Dividend In respect of any calendar day, an amount in the Financing Level Currency
Amount
determined by the Issuer with reference to any cash dividends per share
that has comprised the Index during the Calculation Period declared by
the issuer of such share to holders of record of such share, where the date
on which the shares have commenced trading ex-dividend occurs during
the relevant Calculation Period. The Applicable Dividend Amount shall be
determined as that amount which would be received by the Issuer in respect
of such share if it were a holder of such share (net of any deductions,
withholdings or other amounts required by any applicable law or regulation,
including any applicable taxes, duties or charges of any kind whatsoever),
regardless of whether the Issuer actually holds the shares or not, multiplied
by the Dividend Participation.
Dividend
Participation
100.00%
Definitions relating to the determination of the Specified Early Redemption Event
Current Stop Loss
Level
In respect of the Issue Date, the Initial Stop Loss Level.
In respect of any subsequent calendar day, the Current Stop Loss Level
shall be determined and reset by the Issuer, acting in its sole discretion,
on either (i) the first Business Day of each week, or (ii) each calendar day,
and shall be set equal to:
(CFLC + SLPC)
Where:
"CFLC" is the Current Financing Level in respect of such calendar day.
"SLPC" is the Current Stop Loss Premium in respect of such calendar day.
The Current Stop Loss Level shall be rounded in accordance with the Stop
Loss Rounding Convention.
The Issuer shall make reasonable efforts to publish the applicable Current
Stop Loss Level on www.bmarkets.com.
Initial Stop Loss
Level
USD 12,300.00, determined as an amount in the Reference Asset Currency
equal to the Initial Financing Level plus the Initial Stop Loss Premium,
rounded in accordance with the Stop Loss Rounding Convention.
Current Stop Loss
Premium
In respect of the Issue Date, the Initial Stop Loss Premium.
Initial Stop Loss
Premium
3.00% × FLI
In respect of any subsequent calendar day, the Current Stop Loss Premium
shall be an amount in the Financing Level Currency selected wholly at the
discretion of the Issuer on each Reset Date, with reference to prevailing
market conditions (including, but not limited to, market volatility). For the
avoidance of doubt, the Current Stop Loss Premium shall at all times be
set at, or above, the Minimum Stop Loss Premium, and at, or below, the
Maximum Stop Loss Premium.
Where:
"FLI" is the Initial Financing Level.
Minimum Stop Loss
Premium
1.00% × CFLC
Maximum Stop Loss 5.00% × CFLC, provided that the Issuer has the right, in its sole discretion,
Premium
to adjust the Maximum Stop Loss Premium from time to time.
In the event that the Issuer increases the Maximum Stop Loss Premium, it
shall give notice of such increase (the “Stop Loss Premium Adjustment
Notice”) to the Determination Agent and the Securityholders as soon as
practicable following such increase.
Stop Loss Rounding
Convention
Upwards to the nearest USD 10.00
Index Disclaimer
The Securities are not sponsored, endorsed, sold or promoted by Dow Jones or any of its licensors.
Neither Dow Jones nor any of its licensors makes any representation or warranty, express or
implied, to the owners of the Securities or any member of the public regarding the advisability
of investing in securities generally or in the Securities particularly. The only relationship of Dow
Jones and its licensors to the Licensee is the licensing of certain trademarks, trade names and
service marks and of the Dow Jones Industrial AverageSM, which is determined, composed and
calculated without regard to Barclays Bank PLC or the Securities. Neither Dow Jones nor any of
its licensors has any obligation to take the needs of Barclays or the owners of the Securities into
consideration in determining, composing or calculating Dow Jones Industrial AverageSM. Neither
Dow Jones nor any of its licensors is responsible for or has participated in the determination of
the timing of, prices at, or quantities of the Securities to be issued or in the determination or
calculation of the equation by which the Securities are to be converted into cash. None of Dow
Jones or any of its licensors has any obligation or liability in connection with the administration,
marketing or trading of the Securities.DOW JONES AND ITS LICENSORS DO NOT GUARANTEE
THE ACCURACY AND/OR THE COMPLETENESS OF THE DOW JONES INDUSTRIAL AVERAGESM
OR ANY DATA RELATED THERETO AND NONE OF DOW JONES NOR ANY OF ITS LICENSORS
SHALL HAVE ANY LIABILITY FOR ANY ERRORS, OMISSIONS, OR INTERRUPTIONS THEREIN. DOW
JONES AND ITS LICENSORS MAKE NO WARRANTY, EXPRESS OR IMPLIED, AS TO RESULTS TO
BE OBTAINED BY BARCLAYS BANK PLC, OWNERS OF THE Securities, OR ANY OTHER PERSON
OR ENTITY FROM THE USE OF THE DOW JONES INDUSTRIAL AVERAGESM OR ANY DATA
RELATED THERETO. NONE OF DOW JONES OR ITS LICENSORS MAKES ANY EXPRESS OR IMPLIED
WARRANTIES, AND EACH EXPRESSLY DISCLAIMS ALL WARRANTIES, OF MERCHANTABILITY
OR FITNESS FOR A PARTICULAR PURPOSE OR USE WITH RESPECT TO THE DOW JONES
INDUSTRIAL AVERAGESM OR ANY DATA RELATED THERETO. WITHOUT LIMITING ANY OF THE
FOREGOING, IN NO EVENT SHALL DOW JONES OR ANY OF ITS LICENSORS HAVE ANY LIABILITY
FOR ANY LOST PROFITS OR INDIRECT, PUNITIVE, SPECIAL OR CONSEQUENTIAL DAMAGES OR
LOSSES, EVEN IF NOTIFIED OF THE POSSIBILITY THEREOF. EXCEPT FOR THE LICENSORS, THERE
ARE NO THIRD PARTY BENEFICIARIES OF ANY AGREEMENTS OR ARRANGEMENTS BETWEEN
DOW JONES AND BARCLAYS BANK PLC.
| 9,296 |
cartesegreteeat00unkngoog_12 | Italian-PD | Open Culture | Public Domain | 1,852 | Carte segrete e atti ufficiali della polizia austriaca in Italia dal 4 ... | None | Italian | Spoken | 7,296 | 14,603 | Dopo le 4 poi, all'arrivo della 3.^corsa, la folte si Iroròalla sta- zione della strada ferrala^ e rilevato ivi l'arrivo dei detenuti potiti- ci Meoeghinri e Stefani, Tespansione non ebbe piò linnitei e meo- tre lo Stefani veniva durante la breve fermata festeggiato dai co- noscenti ed amici, e continuava poscia il viaggio per Vicenza, il Meneghini veniva accompagnato invece in città, da migliaia di persone giubilanti per la concessa di lui liberazione; essendo anzi stati staccati i cavalli dal di lui legno, quale fti fi^ieondotto' «I mano da diversi giovinastri fino alla sua abitazione, passando' per alcune contrade di questa* città ^m^ire accompagnato da una quantità di popolo, elle si affaccendava a àvenMore fazzo- btti e banderuole tricolorate. La gente poi continuò a restarsi assembrata nelle piazze e contrade principali, che qua e là furono anche illuminate, gri- dando evviva parte a Ferdinando , ai grana^eri italiani che lo trassero in salvo, agli tJngheresi, eoe., e paPte-a Pio IX, alkeo» stituzione, all'Italia, e facendo tanti altri schiamazzi ; essendosi perfino veduti molti individui entrare nei caffè con bandiere in mano a conversiire con militari, ed a riunirsi seco loro sulle piazze in segno di affratellarsi e riconciliarsi. Verso le ore 8 poi^ parte della popolazione sì rtcò ai dae mmmmmtKtmm'i^^ss^^sm. ^*k ■■- Spirito Pubblico 250 teatri Duse e dei Concordi, ed in questo ultimo specialmente il clamore e lo sventolare de* fazzoletti, dei drappi e bandiere tri- colorate per parte dì tutte le persona intervenute fu indescrivi- bile, essendosi anco rinnovati in modo clamorosissimo gli ev* viva come sopra, e legati eziandio i fazzoletti daH*uno airaìtro palco di tutti gli ordini in segno di unione e fratellanza. Durante questo spettacolo però, a cui assistè, insieme airi. R. delegato prov. ed al sig. vice delegato, anche il sottoscritto e qual- che altro funzionario, se si prescinda dal grande schiamazzo che non avea un momento solo di tregua, niente è accaduto da doversi lapientare a carico di qualche persona, e tutto terminò io mezzo allo strepito ed ai replicati evviva. Però uno dei co- miciy cioè Gaetano Yestrt, non appartenente alia compagnia^ si permise delle declamazioni censurabili in senso politico; è verso questo domani sarà proceduto alle opportune misure. È comparso poi, dopo le ore 4, presso il R. delegato prov. il sig. cav. Presidente Menghin, il quale avendo ottenuto informa- zione di quanto era stato disposto a Venezia coi detenuti politici Tommaseo, Manin , Stefani e Meneghini, avvisava airopportq- nità di ridonare alla libertà, prima che il popolo la chiedesse, anche i detenuti politici custoditi parte alle carceri Criminali, e partJR a quelle di Polizia; e diffattoco5\ fu anche disposto, avuto appunto riguardo^ alla liberazione concessa a favore degli arre- stati sunnominati, ed alle insinuazioni prese, che il sig. Presi- dente asseriva essergli pervenute dallo stesso sig. Presidente d'Appello.. Ciò tutto subordfnando a superiore notizia , io mi permetto pregarla, sig. Gonsigl. Dirett. 6en., a volermi abbassare tutte le occorrenti istruzioni sul modo di contenermi in questi impe« riosi momenti, non avendo il sig. Gonsigl. delegato trovato in mezzo a questo inopinate.vicende, anche dopo aver sentito 11 pa- rere de' sig. tenente-maresciallo bar. d'Aspre e conte Wimpffen, di adottare alcuna misura coattiva per arrestare il generale com- movimento ; ciooché già non avrebbe potuto ottenersi senonchè eolio spiegare una forza imponente, coirassisteozt cioè dell'au^ torità militare^ giacché le sole pratiche della politica autorità ia confronto di tanta moltitudine e confusione sarebbero tomaie Doa solò infruttuose, ma avrebbero pòtuiopiattoilo promuove^ re dei deplorabiti avveohnenth Rifletterò finalmente, essere assai probabile ^be d^naaigti 5860 Capitolo Primo studenti, senlita la liberazione degli arrestati politici, chiedano alla R. Delegazione provinciale il permesso del ritorno dei loro compagni da qui allontanati per motivi politici , ai qual effetto sento/ fossero già oggi intenti a preparare una supplica firmala da molti di essi allo scopo preaccennato; per cu» quindi il pre-* fato R. delegato va a pregare S. E. il sig. conte Governatore di voler manifestare anche su questo proposilo le superiori sue in- tenzioni. — Leonardi. N. 646* Senza luogo, 18 inarzo 184S. Fino ad un' ora e mezzo dopo la mezzanotte durarono gii schiamazzi e gli evviva, ma subentrò poi la tranquillità^ e nulla successe dì deplorabile. S'attende ansiosamente l'arrivo della J.* corsa coll^ notizie di Venezia. Dio voglia che siano buone e tranquillanti. Il montare si comportò con molta prudenza, né fece la pia piccola mossa che avesse potuto disgustare o destare allarme. Per la Gasa di Forza raccomandai io stesso ai sig. generali le maggiori cautele. Con tutto rispetto — FeéL Leonardi. In margine: Raccomando rispettosamente la pronta libera- zione degli Àldrtghelfci, Bella e Buoso, giusta rodieroa nota de- legatizia. Potrebbero dalla Gasa di Gorrezione essere accompagoati di- rettamente alla stazione di S. Lucia, a guadagùo di tempo. N. %él. radoTa, 18 marzo 1848. N*^ 370. — P. II. *-- Anche questa giornata passò senza dis- graziati avveDtmenli» ma però il commovimento popolare fu accora maggiore di jerì. £ntrò in città disila gente anche dalla oampagno, e ciò eootribni non poco ad aumentare l'affluenza e k>8tre)ntO; reso ancora piò damòroso dall'andirivieni oonliiuio di ruotabiii d'ogni specie, o dagli evviva incessanti, del popola fiuManleiper le supposte ottoaula «oncenioni. mmF SPIRITO PUBBLldO 261 Era poi stata preparata quest'oggi una grande ovazione per Il dimesso Gnglielmo Stefani^ che da Ticeoza veniva qui atteso colla 2.^ 3.^ corsa; ma noq comparve, essendo invece giunta la notizia che si trovasse indisposto in salute; per cui la molti- tudine e le carrozze rientrarono in città coi soliti evviva e colle bandiere Iricolorate, egualmente come jeri si fece airarrivo del DJ Andrea Meneghini. Anche in Piazza de' Signori è stata rizzata la bandiera trico-^ lore sulla civica antenna esistente rimpetto alla Gran guardia, sen- zacchè da questa' si muovesse alcun obietto. Bensì il tenente- maresciallo bar. d'Aspre se ne mostrava da principio disgustato alcun poco^ ma poi si placò^ e desistette dal divisatnento di farla calare; locchè, se fosse mai stalo dÌ3posto, avrebbe potuto dì« venir causa probabilmente di serj inconvenienti, stantech^ la piazza era sempre frequentatissima durante tutta la sera. Del resto regnò , meglio che non fu jeri , una quiete presso- ché perfetta questa sera, alla quale contribuì essenzialmente il buon volere di alcuni cittadini, che a drappelli girarono per- le diverse contrade e piazze della città, accompagnali da una guar- dia militare di Polizìa per ogni drappello, onde idsinuare ai basso popolo la tranquillità e la moderazione , ed a rientrare nelle rispettive abitazióni. Il teatro Duse tacque questa sera, non essendosi data Topera per mancanza dì concorrenti; ed in quello dei Concordi sì rap- presentò la commedia con bastante calma e soddisfazione, es-' sendosi però ripetuti gli evviva, e sventolati nuovamente fazzo- letti e sciarpe tricolorate. Finalmente accennerò a superior notizia, essersi, di concerto col sig. rettore magnifico, trovato opportuno di concedere nuo- vi permessi d'assenza agli studenti per tutta la quaresima e fino dopo le feste pasquali, per cui già diversi ne profittarono, vo- lendosi sperare che altri seguiranno l'esempio; ciocché riuscirà in caso, di molto vantaggio per la quiete, l'ordine e la tranquil- lità politica. — Leonardi, N. 64S. Senza laogo, 19 marzo 1848. Si sta organizzando la Guardia civica, e questa sera si dice 262 Capitolo Paiao che molli cittadini saranno muniti anche delle armi occorrenti. S. E. d'Aspre anzi sembra ne offrisse lui stesso a prestito ana certa quantità. In Prato della Valle c*è gran popolo (ore 2), e la banda mili- tare suona frammezzo alla giubilante moltitudine. Bramo che qaesto buon umore si conservi. Il vescovo, in Prato della Yalle, in carrozza, portava la coccarda. Furono staccati i cavalli, e li- rato in giro dal popolo. I pubblici funzionar] tulli vanno muniti di coccarda tricolore, onde per istrada essere rispellali. Il giubilo è indescrivìbile, e fìnora disgrazie nessuna, lode a Dio. Spero che l'ordine sarà conservato, massime per opera ed il buon volere dei cittadini che portaronsi egregiamente anche la scorsa notte, in cui la città godette della calma la più perfet- ta. Gli abitanti si lodano deirassisteoza e cooperazione della Po- lizia per la conservazione della tranquillila. Faremo lutto il pos* sibile per garantire, per quanto da quest'Uccio dipende, la si- curezza e la prosperità. Quando sarà in attività la Guardia ci- vica nessuno avrà più a temere inconvenienti. Questo è il sen- timento generale. Io mi regolerà al meglio possibile dietro gli avvenimenti che COSI rapidamente si succedono. Questa sera vi sarà gran teatro. In chiesa è stalo cantato anche il Te Deum. Sento ora (sono le 2 e tre quarti) che in Prato si suonò Tinno nostro nazionale, e che se ne richiese ad alte grida la ripetizio- ne. Quelli della banda furono trattali dai cittadini con ^cqae ed altro. Anche i consiglieri del Tribunale, grimpiegati delegatizi, i prof. deirUniversilà tulli portano la coccarda. Gl'impiegati di Polizia non azzardavano più fare un passo fuori d'ufficio, e do- vettero essi pure or ora adatlarsi a questa novità per non essere tacciali probabilmente quali spie e non essere molestati per istra- da, lo non so come regolarmi in quesle faccende, e vedrò quin- di cosa dirà e cosa farà il R. Delegato. Se a Venezia sono stati adottali distintivi, prego di significarli ad opportuna regola. Con tutto l'osseqio — De voi. servo — Leonardi. N. 649. Padova, 19 marzo 1848. A'.^ 371. ^P.R,^ ÀlVL R. effeU. Con$igl. di Governo Di^ m:m^^mmsmmm^mmmt^^^!'f^^^f;B^^^^'^9m Spìrito Pubblico 363 reti. Gen. di PeUzia. Ven^tia, — Il sig. ciiv. R. Delegato è in- leato a tradurre in italiaod la Patente sovrana sulla coslitasione^ questa mattina ricevuta da S. E. il sig. conte governatore, e verso mezzogiorno sarà pobbticata. Intanto fui incaricato dallo stesso sig. eav* Delegato, in presenza di S. B. il sig. conte gene- rale Wimpfifen, di anticipatamente avvertirne il pubblico, per- ché si tenesse tranquillo; e quindi ho eseguito l'ordine, racco- maodaiidd al popolo presso il caffè Pedroechi e sulle piazze ed avanti il nio u9eio> calma^ moderar.ioac^ tranquillità e buon ordine. Finora noo si hanno a deplorare tristi avvenimenti^ ed il po- polo si manifesta giulrvo e contento. — Leonardi. N. MO. PaAownj senza dato. 1. R, Dirtz. Gen, di Polizia. Venezia — Dopo aver presi gli opportuni concerti con questi sig. generali bar. d'Aspre, coman- dante il 2.^ carpo d'armata in Italia, e conte Wimpffen^ coman- dante questa città, il R.consigl. Delegato ed il sottoscritto haiino determinato di seguire Tarmata e di dividere le sue sorti, nel (Caso la truppa qui stazionata venisse in condixIoDe di sgombrare questa città, consegnando perciò con processi verbali la- R. De- legazione prov. al sig. vice-Delegato A. Gamposanpiero, e que- sto Commissariato Sup. al sig. Gommiss. disir. Malanotlì; rac- comandando a«k un tempo l'uno e Taltro dicastero alla Congr. municipale ed al comando della Guardia civica, onde sia costau- teroente invigilalo aireffetto siano rigorosamente rispettati e cu- stoditi. Locchè mi faccio debito dì rassegnare a superiore ootizia, non dubitando della superiore approvazione della disposizione predetta. — Ltona/rdù N. 651, Veniezla; 19 dleemlire 1847. N.^ 630ft. — K a. -r- il H§. Brm$ni L «. Commise. Sup. a 204 Capìtolo Pumo Treviso. — Relativamente alle is&rizioDi aDti^oIìticfae che da qualche tempo anche a Treviso con' frequenza si rinvengono, ed agli avvenimenti cui si rifel«isconò i di lei rapporti dei 6 ed 8 corr. N.® 903, P. R., S. A. I. R. il Sepen.arcidiica"Vicerè> con- sy orando che gli abitanti di Treviso finora s'èrano disEioli per nn contegno tranqnillo e prudente, e per il loro attaccamento al nostro Governo^ ha esternato il dubbio che le inquietadioi sopra accennate, e le simpatie che anche costV ora sh manife* stano per gli avvenimenti liberaleschi nelle altre parti d'Italia» possano trarre la loro origine da persone estranee alla cidà di Treviso. Dovendo d'ordine superiore da tale argomento essere prati- cate delle diligenti investigazioni, io impegno, in seguito all'os- sequiato presidiale decreto dei 16 corr., N.° 913, geh., Tespe- ri mentalo di lei zelo, sig* Gomffli9S. Sup., a èitllaJàsciare inten- tato per ottenere l'eCfetto contemplato dall'Bce. Superiorità^ avanzandomi dettagliato rapporto sul risultato. — Cali, N. 659. Treviso, i^ g^eniiaio 1848, JV." 44. — P. R. ^ Nobile si^f, cav, L R. ConHgl auL DireU. Gen. — Mi affrettava di partecipane, nob. sig. cav. I. Rr Con- sigi, aulico Dirett. G«n., il fatto deHa seraiO corrente^ subita dopo prese le disposizioni per l'arresto del colpevoli e dopo ri- stabilita- la quiete, verso le 4i di notte, col mezso di lettera pri- vata, che ho fatta tosto impostare, ritenendo che partisse di qui colla prima corsa delle sei di mattina. Mi servirà di norma la prescrizione circa all'uso delle staffette. Angelo Giacomelli è par- tito per Yienna^ come aveva già prima stabilito^ la mattina suc- cessiva al fatto. La referta del tenente P...Ay, rispettò ai Gia- comelli, potrebbe essere esagerata; anzi viene qui generidmeote^ e massime dal Podestà e da altro degli Assessori municipali , presenti al fatto ^ biasimato il contegno di esso tenente^ che vien tacciato di aver in pubblico, innanzi al caffè Pacchio^ e ad alta voce imputato il Giacomelli ch'egli avesse pagati i facinorosi che avevano commessi i noti eccessi; per cui anzi il di lui pa- dre produsse il ricorso, che assoggetto. Il Gommiss. Sup. sig.Brusoiìi è pienamente informato del tàU Spirito Fvwslico MS io, e ne potrà rendere esatto ragguaglio anche a voce. II con- tegno dei ripetuto signor lenente ^ra alquanto isipetuoso^ e si adoperarono per indurlo ad agire aon moderazione^ prima del imio arrivo strt luogo , non solo il GiacomelU , ma pia ancora il Podestà e l'assessore Barea, genero dei Detesto. Egli faceva mostra di voler far uso deirarmi, come nói disse, per intimorire; quando giunto io sul luogo a tempo , perchè in questi momenti si deve unire all'energia anche sempre la pru- denza, gli raccomandai di limitarsi a disperdere eventuali assem- bramenti, per procedere poi meglio isolatamente all'arresto dei colpevoli, che erano stati già in parte riconosciuti e che a quel momento s'erano già dati alia f^ga. SI spingono con tutti i mezzi le investigazioni (tenendosi ne<- gativì gli arrestati ) per conoscere possibilmente se il Grilli 9 rOnigo fossero i motori secreti di queUe scene, per procedere air insorgenza di indizj in toro confronto a rigore di legge. Ciò m relazione al river. decreto 11 corr, N.^'-Q^l. — Sùher. N, %BM. TreyfiHO^ t% ffennuio 1S48. iV.** 47. — Noffile sig, cav. J, R. ConsigL auL .Dirett. Gen, — Oltre alle provocazioni per parte del mìHtare contro il civile , accennate nel devoto rapporto di oggi, pari numero, si efcrbe a rilevare che un ufficiale de' cavalleggieri (di cui vo a rilevare e parteciperò il nome), era spettatore quando la sua ordinanza vibrò due colpi di pugno ad on villico oh« passava tranquillo.. e Io percuote collo squadrone di piatto; motivo per cui Insorse il sospetto, ed è invalsa nel pubblico l'opinione, che egli sia stato istigatore di simili maltrattamenti. Il sig. Delegato provinciale intercesse ed ottenne dall'autorità militare che ei venga tosto allontanato di qui; ciocché fa una favorevole impressione nel pubblico. Riportarono pure per parte de' militari leggiere lesioni certi Giuseppe Schiavon « Federico Zoccoletto e Pietro Vedovato. Al GomaBÓo militare della città si diressero forti 9(ote colia comunicazione di atti assunti; e mi presentai, coH'approvaziono del Delegato provinciale, in.nn al Podestà^ in persona al Coman- dante, perchè venga tosto efficacemente ovviato anche per partQ dell'autorità sùlitare ad ulteriori disordiuL 266 Capitolo Priho Àli'cffeUo sì prese che tutti i militari soli* imbrunir della sera siano coasegnati alle caserme, e che le pattuglie militari siano guidate^ non solo dal Corpo di guardia, ma, sia dal loro sortire dalla caserma, da un funzionario di Polieia^ cui resta raccoman- data tutta la prudenza e circospezione^ — Sicher. N. 654. Veneziìi, %e gennaio t84S. iV.® 541. — P. R. — AlVEce. 1. R. Presidenza di Got^, qvd. — Oui acclusa ho l'onore di rassegnare air Ecc. I. R. Presid. copia del rapporto pervenutomi testé dal R. Commiss, Sup. di Poli- zia a Treviso, intorno all'andamento deir investigazione relativa ai motivi ed agli autori del trambusto avvenuto colà nel 10 cor- rente fra alcuni militari e diversi borghesi. Questo recente rag- guaglio è soddisfacente, in quanto offre la certezza che le pre- mure deirAutorità pel riconoscimento e l'arresto de' colpevoli sortiscano il pieno effetto, ed in quanto ne risulla scemata al- quanto l'importanza politica che si poteva attribuire a quegli eccessi, essendovi qualche ragione a supporre che siano slati originati da spirito di privala animosità e vendetta. — Call^ In mar^e: Redeat al signor referente per farne cenno nel rapporto giornaliero di domani. — Cali — Eseguito. — B. N. «55. TreTliio, e febUraio 1S48. Copia del Decreto che la Prendenza delVL R, Governo ha rila* sciato al sig. Consigi, di Governo, Delegato prov, di Treviso, bar. Humbracht, in data 6 febbraio i848^ N."" 323, P. Ho rilevato con dispiacere dal di lei rapporto di jeri, N.' 27, P. R.5 come una ciurma di giovinastri, composta del considere* volo numero di 60 a 80, nel progetto di far deserto codesto teatro Onigo, nel giorno 3 andante, compi mese dei noti tran^busti a lIilano> fischiava quei pochi che vi entravano^ e ooiameiàte de« gri, R. ufficiali* Spirito Pubblico 267 ^Questo QDdfo AYYeniinento^ che apertamente tendeva ad ooa dtooatrasiefte politica^ offre una nuova rincrescevole prova che la Polieia dod è abbastanza bene informata, per poter a tempo pret>mite simitì dimostraiioni^ od almieno essere preparala per- chè possano venire esattamente osservate ed eseguite dalle au- torilà a ciò chiamate , ove ne emergesse il bisogno, le prescri- zioni vigenti intorno, agli attruppamenti ed unioni di popolo di qualsiasi natura* per cui io non posso dispensarmi dal ricor- darle la mia recente circolare 6'gennaio p.** p.', N.' 27, P. Premessa questa osservazione , non voglio però dubitare che ella, sig. Gonsigl. di Governo, attiverà le più diligenti ed ener- giche indagini onde scoprire i principali istigatori, procedendo contro i colpevoli, ed immediatamente contro certo Rossi, arre- stato come uno che si qualifica per uno dei riconosciuti autori del disordine^ a norma della sovrana Risoluz. 9 gennaio p.^ p.**, notificatale col mio decreto 18 dello stesso mese, N.° 163, geh,, con tutta la sollecitudine, rigore e fermezza, onde efficace- mente reprimere simili tentativi, che pur troppo si ripetono con una particolare au.daoia ed ostentazione, ed i quali , insultando apertamente 1^ stato militare^ non possono che stancare la sof- ferenza di questi, e dare adito a quella reazione della quale por troppo si ebbero già esempj in altri luoghi. Trovo inutile di osservarle essere Tarruolameoto forzato de* colpevoli al militare, come la esperienza stessa dimostra^ e S. A. I. il serenissimo arciduca Viceré col venerato suo Dispaccio 12 gennaio p.® p.**, N.® 125, sep., ha espressamente riconosciuto, il più efficace mezzo e salutare esempio per ristabilire in simili eccessi la pubblica quiete. — Palffy- N. 656. Tenerla, ft fe1i1n*al« 1849. N.^ 766. — «. — ii sig. Sicher, L R. ComnUss. Sup. di Po- lizia in Treviso. — Riservata a lui solo, — Le rimetto, I. R. sig. Gommiss. Sup., una anonima pervenutami a mezzo della posta^ e la invito a fare riservatamente le più accurate indagini per sapermi dire quale verità vi possa essere, e quale calcolo potrebbe hr^ di t\ò che vi si accenna in odio del D.^ Vincenzo Guerra e del nominato Pietro Mondini , come di ogni altra in- S88 Capitolò Privo dicazione di essa che potrebbe interessare i riguardi di alta Po- lizia. Elia vedrà poi, se il ceooo che vi si fa di eombrlccole se^ diztose in ease private non possa per avventirra rif^trsi alla anonima^ ai primi dello scorso gennaio, pervenuta al Gommiss. Sup. Brusoni; e da lai rimóssatni, nella quale si indicava ap-^ punto come un luogo di unione aotipoliticsf la caia al N.*" 1006; assicurando il medesimo Gommiss. Sup. che non ebbe mai altra indicazkrne di tal sorta. Su c|uella anonima^ ansi ella mi dirà se e quali rilievi le sia riuscito di fòre. Golle sopradelte informazioni mi ritornerà il comunicato^ — 11 Consigl. Aul. Dirett. Gen. — Cali - «r- N. 657^ TreTÌ»«, 10 miirz^ 1 84S> A'.'» 262. — inclito 1. R. Cons.di Gov. Dir. Gen,— Jerid\, alle ore 4 pomeridiane^ si cantò in questa cattedrale affollata da im* menso popolo il Tedernn, con discorso del noto sacerdote Damlo, che^ abusando della libertà della > parola, vi lasciò traspirare il sentimento di nazionalità italiana^ a tal che si senttrono clBg4i ap^ plausi non dicevoli alla santità dei luogo. Alla notizia della istituzione delia. Ouardia civica in codesta centrale^ truppe di giovani accorrevano al Municipio per farsi iscrivere, e, preceduti da chi portava delle bandiere tricolorate, peroorrevaoo poi , schiamazzando, la città.. Sotto alla residenza del vescovo domandanniOy e fu loro ini« partita la benedizione^ in Piazza del Duomo, nella loro folle eb* brezza, molti alzarono le mani a forma di giuramento. É universale Tuso dì coccarde, per lo più tricolori, in segno di gioja; di modo che, chi don tte porta, corfe rischio di ricevere qualche insulto dalla plebaglia. Si cambiarono i nomi ai caffè; per esempio, si vuol denomi- aare caffè Pio IX quello dell' imp^'aiore } Italiano quello degli Specchi; Mazzini quello del Commercio. ▲i teatro, ancora più di >er TaUro affollato e brillaa(e> vi era gran fanatismo. Perchè Taboliziono della Genaura paralizzò anche iieHa sor" veglianza teatrale l'azione delia Polizia , ne avvenne che con manifesto a stampa s'anauAciò la cantata del coro che acchiudo^ wKsim Spirito Pubblico 169 ed un gruppo rappreseptante Fltalia' coranata; ciocché poi oon era prudenziale^ né si avrebbe potalo impedire senza promuo-* ▼ere grandissimo disordine^ dbe avrebbe potuto avore di coB$e« guenza spargimento dì sangue. Nell'attuale bollore delle passioni, e in questi tempi eccezion noli, era giuocoforza tollerare un male per non causarne ud maggiore. Tengo assicurato che quesita sera si faranno in vece grandi erviva airaugustissimo nostro Sovrano^ essendo conosciuto il graziosissimo manifesto portante ampie concessioni^ inserito neila Gazzetta Privilegiata di Vienna^ pervenuta questa mattina . ~* Sicher. iriCEJVZA. N. 6&S. Vicenza, 7 gennaio 1 ^4S. N."* 20. - P. R. — Alvi. R. Consigi ÀuL Dimt Gen. di Po^ lizia nelle BrùvùideVmète. *— Stamaiae, in varj luoghi del luogo porticato conducente alla B. Y. del Monte Ber leò, furono scoperte sui muri alcune iscrizioni , contenenti dimostrazioni, ingiuriose verso il Governo e verso qualche funzionario pubblico. Neiran- nesso foglio sono desse trascritte; occorrendo soltanto qui di ag- giungere, a dilucidazione, che le invettive contro Stecchini sem- brano dirette a colpire xodeslo deputato centrale, nobile Fran- eesco Stecchini, per la supposta sua i>pposi2ione alla nota carta dell'avvocato Manin di costì; e quelle contro Farina ritengonsi mirare il direttore di questo R. Liceo; il che induce il sospetto, altre volte da me e^re^Q.che dq sia autore .ilctmo degli sco- lari del detto slabilimeoto. D'altronde emerse nella decorsa notte che alcuni giovinastri, per petulanza gettando della neve e dei sassi nelle lanterne serventi all' illuminazione della città, ne rnppero alcune anche di quelle aventi la fiamma a gas. Una guardia mili* tare di Polizia, accortasi dei fatto, si accinse, benché solo, per ar- restarne alcuno, e riuscì d'impossessarsi del crollare e del cappaUp di uno, il qualar rijQonosciutosi poi parBertol4i Francesco^ danni n, di Ticenza (ei:a, scrittore presso una fabbrica di stoviglie, e4 270 Capitolo Primo ora senza occupazione stabile), venne tratto agli arresti. Costituita poscia, confessò la propria colpa non solo/ma anche il nome de' suoi compagni nelle persone delli MorsdeUo Antonio di Alta- villa, Dalie Ore Antonio di Longare, Cozza Francesco di Alta- villa, Pavan di Cittadella^ Cavallini Pietro, Chiappiti RomaDo di Mbnteforle, tutti giovani tra gli anni iù e 19, studenti per (a maggior parte del R. Liceo, verso i quali io disposi Teserciziof d'una, accurata sorveglianza, ancbe perchè alcun di loro po- trebbe aver parte colpevole nelle memorate iscrizioni, nel men- tre si va a renunciare l'arrestalo Rertoldi airt R. Pretura con analoghe informazioni» Tali emergenze io mi onoro di rassegnare a superiore di lei conoscenza, I. R. sig. Consigl. Ani. Dirett. Gen., per opportuna sua notizia, ed in appendice al mio rapporto di jeri, N.'' 48, P. R.; non senza aggiungere, che anche in una contrada presso questa piazza maggiore fu stamane trovato scritto Morte ni Tedeschi; ciocché si è fatto pure cancellare. '— Stefani. Morte a Stecchini. Stecchini vituperio dei Yicentini. Farina spia. Ti va Tommaseo e riadipeodeoza d'Italia. Yiva Carlo Alberto. Via il Lotto. Yiva la libertà. Italiani, unione e concordia. A ter^o: N.^ 153. — R. — Premio di lire 80 austr. alla guar- dia militare che effettuò Tarreato del Bertoldi. m. 650. Vicenza, 10 gennaio 1 M48. N.^ TO* — P. «. — AlVL R. Conngl. aulico Dirett, Gen. di Polizia nelle Provincie Venete. — Nella decorsa notte dalle guar- die di sicurezza, a mezzo delie quali pure si fa vegliare al man- teniiHento del buon ordine in questa città^ fu rinvenuto solla pubbKca strada, in poca distanza di questo Ginnasio R. Gomu- nate, Finnoebe si ha l'onore di rassegnare in copia. Il luogo ove im,im SPlRItO PfJBBUGO fTl fu trovalo/e la meschinilà della poesia iaduccoa il sospetto, già altre volte esternatosi, che autori di simili coJpevoH maDifesla- ziooi siano giovinasCri apparteneot* alla classe degli studenti, verso i quali ho già attivate energiche pratiche (f investigazione, essendo anzi a quest'effetto che trattengo prese di me Torìf i- nale dell'inno suddetto. In caso sia per riuscire una qualche utile rilevazione o sco- perta, si avrà ad informarne doverosamente codesta osseq. Su- periorità; a cui intanto si sutjordina che, jeri mattina^ ed anco slamane, si ebbe a vedere sul muro qualche altra iscrizione co- me quelle ancora accennatesi, le quali si fecero coi debiti ri- guardi cancellare. — Stefani, M. 660. Venezia, 19 seniuilo 184S. N.^ 387. ^ fl. — Presento che a Vicenza venne fatta mia colletta per i llilanesi feriti negli ultimi trambusti col militare, e che il ricavato di questa questua, consistente in N.*" tOO napo- leoni d'oro, fosse stato, a cura dello stesso podestà sig. Conslan- tioi, spedito a Milano. Non facendomene ella cenno di questi particolari, la invito di tosto inferirmi se o meno si verificano^ — Cali. Lettera N.® 387, P. R., urgentissima , dell'I. R. Dire». Gen. di Polizia, partita colla 3." cor§a del 19 gennaio 1848, e diretta aìri. R. Gommiss. Sup. di Polizia in Vicenza. (D'ufficio,) N. eoi. Vicenza, 6 febbraio 1 S48. ^.o 1 19, — P, R. — AlVL /?. Comigl aulico DireU. Gen, di Polizia nelle Provincie Venete, — Hp tosto emesse le opportu- ne disposizioni, ed ho attivala la più attenta sorveglianza onde possibilmente ^cuoprire grindìvidui^che si attendassero d'inibire od impedissero ad altri di fumare zigari e tabacco, i quali sa- ranno di volta in volta* fatti arrestare e sattoposU ad opportune correzioni e misure a seconda delle circostanze ed a tenore del prescritto dalt'osseq. dìspaik)io i.^ corb., N.^ 684, P. R. flt Capitolo Primo ^ lolaoto mi pregio di rappresentare che ancora jeri, aTend(^ potuto comprovare un fatto di questo genere a carico del mu- ratore di qui, Giuseppe Ceccofo, detto Canova ^ d'anni 23^ il quale con petulanza e con una sconvenevole iosisteoza voleva due giorni prima in un'osteria indurre Carlo Contìn, guida di finanza, a togliersi di bocca uno zigaro con cui fumava, lo feci arrestare e trattenere nelle politiche carceri per 24 ore. — Stefani. N. 002. Venezia 9 6 ffeliliraio 1S48. A^/> 84P. — P. R. — AlV I, R. Commis. Sup. a Vicenza. — L'arresto di 24 ore in carcere inflitto a codesto Giuse^ìpe Gec- cato, detto Canova^ è pena troppo lieve per Fazione di cui si rese colpevole; e codesto I. R. Commiss. Sup. non esiterà di ciò a convincersi^ quando rifletta alle fatali conseguenze che saret>- bero per derivare^ agendo^ nelle attuali allarmanti circostanze, con una ttoppo malooniigliata debolezza^ In simili casi -pertanto, ella vorrà, sig« Commiss. Stip., procedere con maggiore rigo- re verso cohoro che si rendessero colpevoii in quabiasi modo delle azioni contemplate dalla mia circolare annessa l.'' febbraio corr., IV.° 684) P. R.^ con die riscontro il suo rapporto 6 corr., If.MiO, P. R. - Cali. N. 603. Vicenza, 17 feMii^lo 1&48. J^.* 40. — R. — ÀWL R. Direz. Gen. di Polizia a Venezia. — Nota, — Onesta R. Delegai. prov> si fa il pregio di rimet- tere, come di metodo, a codesta I. R. Direz. 6em il t>o11ettino poHtico^-amministratiTo ébe risguarda Vandamento del p.^ p.* mese di gennaio, nel differenti rami e rapporti dalle superiori iftruzioni indicati. — ^ L'I. R: Delegato prov. — ^ Carlotti, Bolliiténo poiitioo^tMnmistraUvo del mése 4i getinaio 4848. I. SpirtUipifiUco,'— Pur tfopiM) Instato dello* spirito pubbli* ìBBmmBm-^.^ n t. co fiel*d«ooraa inesQ\YÌi.g«aoaia ha.«Q»^oi'qttQtehe pegfiora- iBeaiti^ a motivo id6H;4tiiflaQE^!deUeri,v^iiziiHii yìcì^. ohe haa*^ DO esaime maggiQrmenie 1^ ii\euti od ^UoiPnUte lo speranze di riforme ^aogiaipeo.U. Il n[iai;ife$tQ>dÌ ^»^M^ daUtp dalla capi- tale uelgtorott 9 geqnaìo, ha prodotto da,ui)^,la^fi qiia!che buon effetlo^ trs^ndo servito 9 cputenc^re .in certi -Um4i io spirito di urertigiAe che ai à prmai difltps^ S^cfee ia questa proviooi?; si avrebbe peraltro desiderato geoeralmeote cho avesse lasciato liutrire più f^Adate sperane 4^ qu^l^ cotoo^c^sioi^i e migliora- moDti dei quali si è fatto parofa nel bolleUioi precedenti, e for* maroQo tema di separati rapporti diresti {tU'iaqmediata sua su- periorità per parte del sottoscrittp, ^ che anche le classi dei cit- tadini tranquilla e bene affette non lasciano d'invocare inces- santemente. 2. Notifiii estera. -^ Siè già detto di aopra in qual modo sia- no state sentile e quale eJBTe^Lo abbiano prodottjs nel, pubbli co le notizie estere degli Slati d'Italia; ma quelle sopratujtlo ctxQ haor jio fermata Tattenzìone pubblica e dato luogo a commenti nei pubblici luoghi di ritrovo, sono quelle che si. riferiscono al Pìjb- monle ed al regno di JVipoJi. Non hanno iasciaio però d'inte- ressare la, pubblica curiosità e di dar luogo a pubblici discorsi anche le discussioni e le perorazioni delle Camere francai*. p specialmente, quelle deirex*ministro Thiers, sulle cose 4^taUa e sullo ^tato.^e) Regno Loiinbardo-Yeneto^ 3. Condotta degli impiegati, del militare e del clero. — Il cur- sore. pretoriale di Arzignano, Giuseppe Pontoni, venne sottopo- sto a proceéura econotuica per incompetenti percezioni nell'e- sercizio delle ^e mangioni., Del reato, nessun altro individu9 ap- partenente agli ordini controindicati, fu colpito da censure §fi osservazionti a)Bl decorso n>6se4^i[^iatnaio. Sarebbe soltanto de- siderabile cl^e gì' individui appartenenti alla classe militale fa- cessero tal valla uso, nelle attuali circostanze, di una maggior pru- denza nelci^ntatto coi civili. , 4. Fiere e mercati, — Nessuna fiera ebbe luogO;in gennaio. I mercati si mantennero floridi, ed i prezzi delle derrate sul piede del mese precedente. Non fu scoperta alcuna frode nei pesi o misure. 5. Pubblico buon ordine, politezza ed illuminazione strada- le, moralità, pubblica istruzione. — Nessuna particolare osser- vazione. ' voL. in. i8 ,1 274 Capitolo Primo 6. Dettaglio sugli oggetti dei passaporti. ^ In qoéiià pro- vincia furono complessirameote rilasciali nel mese di geim^ity: Passaporti all'estero N.*^ 48 Detti airinterno ....... 218 Carte di passo . • » • ì . . . » i89 Tidìmazioni » 240 Nessuna osservazione meritevole di menzione è occorso di fare in proposito. 7. Pubblica tranquilliti e sicurezza, -*• Fu commessa un'ag- gressione suUa strada postale nel comune di Montebiello sulla persona del beccaio Francesco CarloUo e del 5110 domestico^ ad opera dì 8 9 sconosciuti, che nella sera dei 7 andaote ad ar- mata mano lo assalirono e lo spogliarono di L. 900 e dì alca- ni altri effetti. bel resto, in tutto questo territorio provinciale furono denuD- eiati durante il mese di gennaio soli 48 delitti, e per la maggior parte dì pochissima entità. 8. Infortuni ed altri (SLVvenmtnti particolari» — Paola Gni- dolìDÌ; di Bassano, seltùdgenaria, essendosi addormentata, restò soffocata dal fuoco appiccatosi alle^vestr mediante uno scaldino. Giulio Bortignon, dello stesso distretto, cadendo ubbriaco in un fosso, rimase annegato. Rosa Bisson, di Noventa Vicentina, avendo riportata una grave ferita alla testa per caduta accidentale, mor\ In pochi istanti. Bortolo SbaWiero, precipitando da un dirupo nel distretto di Malo in istato di ubbriachezza, trov^ la morte. • Antonio Broccardo, del distretto di Schio, dovette soccom- bere per caduta da un letto. 9. Sanità pubblica, — ?Jessuna speciale osservazione. 40. Industria e commercio, — L'industria procede coH'anda- mento ordinario; il commercio peraltro fu in generale assai ri- stretto, e specialmente quello delle sete filate per soverchio ri- basso di prezzo. 44. Osservazioni, — Nessuna. — Carlotti, Spirito Pubblico 275 T E R O J!V A. N, #61. Terona, 99 noTeitt1»re 1847. K^ 5293. — B.— i4 futtt i CommUs. Sup. Mie Provincie. — Avendo prestalo motivo a rimarco il (ìrofess. di violino sig. An* drea Rudersdorff, qui dimorante, per aver in teatro eseguiti alcuni pezzi di musica dr Rossini , già dedicati a Pio IX e ridotti ad uso di violino, cos^, in esecuzione a superiore dispaccio, devo, sig. Commiss. Sup., porla perciò in espressa avvertenza, di non permettere cioè al Rudersdorff, costi arrivando, veruna esecuzione di musica del genere surriferito. In generale poi ella non vorrà assolutamente apporre il visto ad avvisi produzioni teatrali in cui sia fatta menzione diretta od indiretta del nome o deUe gesta delPattuale pontefice Pio IX, mentre ritengo cbe si sarà già di conformità reso edotto dalla propria Superiorità codesto R. Delegato. — Cali. In margiì^e: Sì è rilevato che il Rudersdorff per ora non parte. Le lettere per Padova e Vicenza saran^ spedite in giornata colla terza corsa della strada ferrata. N. 065. Verona^ 95 noTemlire 1847. 7V.° 6893. — R. — Ai sig. Commiss. Sup, di Polizia in Ve- rona. — L'essersi dalla Superiorità indistintamente vietato tutti gli inni , canti e composizioni musicali in onore del pontefice Pio IX, sinché contiauano in Italia gli attuali politici movimen- ti , autorizza dì per sé Tapplicazione d'un eguale divieto anche alle produzioni teatrali di qualsiasi genere, in cui per tal modo fosse fatta appunto menzione , in via diretta od indiretta , del nome e delle gesta del pontefice suUodato. Ciò le sta di norma ^ sig.. Gommiss. Sup.^ ed in evasiva al rap- porto 24 corr. N.' 1244. — Cali 276 CÀP^toLO WiMO N. 066. Yer<Aift/t%ge&nalo 1848. zia. — Qui annessa mi onoro di umiliare copia del rapporto che jeri venne rassegnato da questa Congregazione provinciale a codesta Godgregé2 io ne centrale, ed in cui sono emimerali ì de- sideri di questa popolaziooe ^ nonobè accedoate le riforme che si ritengono necessarie per far svanire \e attuah inquieiuiiinl che regnatto itìqueste provincle^e per ripristinare l'ordine plib* blico e la tranquiilità.^^L'i. R. Gomeei.^up). di Polizia. AWinclita Congregazione centrale m Venezia, Li desiderj ultimamente propaiutisi ferv^orosaroònte^ più che per là addietro/ oo^ossero le clenieatissinfie maaifestasioni dì S. A. 1. ti serenfss. Arciduca Viceré^ divulgale col decreto 5 gen- naio, attftio corrente, cobfortaronoia provinciale Congregazione ad innalzare all'iiiclttfl Coogregazionei^ntralé la devota rappre- sentanza, che si unisce in copia concordata, pregandola di umi- Jiarla eisosteDer^/come meglio crederà, plesso ìl v«oerato trono idt<S. M^ ii B. A. i^aagustiss. «nastrò Sovrano.:. Gli abitanti di questa provincia hanno veduto nell'anno 1814 succedere alle guerre la calma, all'agitazione il riposo, e belle speraozerai. timori. Non è facile il descrivere la gioja, che consolò ogni cuore, quando seppesi che l'augusto Monarca, alla cui potente corona flironx) aggiunti questi Stati, volgea spontaneo a darvi la consi- stenza, ^1 onori ; li beni di uh Régno: Oubndò sreghò'le me morabìH' Patenti dell'alta sua volontà, che Vìi Vic<et*è qui lo rappresentasse, onde aM'unione benefica ùon fósséro-'discòrdì le distante dei luoghi e le differenze degf Wfomì: ' Quarhlò ortììnò'èhfe fbsst^o ergiti dd'CMtógi't)rtìvltìiitall t cen- trali pè^m^ane^ti , e c<>mpdsti 'di varie dl&Ssrd^indi^i^ui'iieaio- oali per conoscere esattartìente ì Wso^tifì di qoesti sudditi, e met- -tere a profitto i loro voti e consigft-a vairtaggio dellaf patria^, e loro confidò di sopraintendere hi riparto delle ìtflposle deHp mmm^mmmmmmi^mmmmm Queste erana le cardinali, ma non Iq sqIjc, sovrane dis^pQsizipqi che alla prosperità dì questi 4errUarj ed all^ felici tik di questi popoli tendessero). < . ; La mitigazione delle iim|xoste dirette ei^a ^onuQzi^U cqq qi^ellì^ _ leggi che coordinayaoQ ed acceleravano il ^rfe^ii^QQmeQto d^j nuovo catasto, devolvendo ti^tta sì grandopera. alje inaoi ed agli ingegni delle pr<>vioQie ex-yeqe^e, e prescrivendo. frattanto Qk^ i - il tribnto.non d<^ves6e essere superiore ^l quinto della rpndits^ 1. censuaria. ,. L'iotenzioae di ridiH*r6 le imposte indirette manifestavasi lir mitandp qui la tassa e lOon^er Vendola abolita alt^ov^,. condo- nando i debiti per antiquate imposizioni , ed agit^ndo^i e d^Ii*» berandosi perfino di assolvere Tuomo dal tributo imposta sulla stui. viia, dal paggamento, cipè, della lassa personal^» Le Comunali Qn^mipistr azioni si sollevarono d^' pesi al quali erana soggiaciute., con grave sbilao<pio economico, «otto il r^i- me italico , per le gestioni del casermaggio, , dei trasporti; e acr t> qqarlieramenti militari, pe;r .mantenimento dei pazzi, degl^ espo- sti e per tante altre cagioni. < , >. L'istruzione» qnassime elementare, fu dilatata, istituite iappor^, site direzioni e ispettorati, accresciuti li ginnasj, favorite le scien? za aei licei , nelle università, nelle accademie* Le m^oif^jliture di • / \9^\^ questa nazione veaivapo iocoraggiate ^da i)C9iQmQd9te ,lfggt a 4 tariffe, - , t .: ,- IVoD oscuri segni della sovrana fiducia e del pir^gio riptosijoia queste menti comparivano allora airelevazione di <iualcbe illu* stre Italiano a gradi emioeiìti della monarch^ia^ ed a posti A^pe-. riori e distinti, ed al copipartiment^ d'octorificenza. Ma^icvo- me frequentemente succede in tutti, gli umani casi ^ pel de-t corso degli anni, e per imprevisibili circostanze, piplle cose so,^- giacerono a mutazione. . j , < Fu continua, la pace, ipv^^iat)ile |a fedeltà dei sudditi di pgni classe ed iJrdinje, sicché o(^sMAa perturbaziooe moto inteslipo sorvenne a conturbare la pubblica e domestica tranquilliti^ Ma nell'augusto Principe datoci a rappresentare il ftlpnarca. oguuoo amnoùrò, e (sempre ammira, il conoorsod'ogpi virtiì^do- mestica e pubblica; inanelli .è che .abbia ancor, appagante lebra.-. ^ me di vederla circondato da quella, potenza che ^i addipe a cW *^ è rappresentante la Sovranità» /' ;. ' 278 Capitolo Primo Le centrali e provinciali Coogregaziboi ebbero 1é loro fasi, e declinarono. Della centrale diranno od avranno detto quelli che ora siedono a cómporla. Le Congregazioni provinciali ora oon dispiegano, che richieste, le loro opinioni e consulte. Una fatalità , che non si ricorderebbe se non per giustificare il silenzio in cui si ricompose (in da qaal()he anno, una fatalità, ripetesi , infuse a questi collegj sensi di scoraggiamento. Non poche furono le istanze espresse in più contingenze ed intorno al nuovo censo, alle imposizioni > ai fondi della provincia ad- detti agli antichi estimi veronesi, alla salute pubblica, alle am*- ministrazioni pohtiche e tutelate, e intorno a tanti altri argo- menti; ma ognuna o fu respìnta o lasciata ai destini delia nttUità. 11 nuovo catasto qui è prossimo , altrove è stato condotto a^ suo termine; e laddove fu applicato, aggrava il possessóre p«r Fé imposte dello Stata oltre al terzo della rendita censuaria. Ad accrescere le imposte indirette sopra vennero le notorie Feggi sopra il l>ol1o e sulle contravvenzioni di finanza. Non è il solo lamento dei tassati, ma il sentimento comune anco delle magistrature, che siffatte leggi non solo siano gravose al suddito ed ineguali, pesando massime il bollo senza propor* zione più sul povero che sull'opulento, masi avvolgono in osCu- rftà ed ambiguità tali, che finora non valsero a diradarle cento e cento istruzioni e declaratorie appendici. Per la collazione dei beneficj episcopali ^ parrocobiati ed afitrì della Chiesa sopravennero tasse assai gravose. Sulle comunalLamministrazioni ritornarono alcune spese per acquartieramenti militari, per una Classe dei pazzi, per debiti degli antichi estimi , per imposte arretrate. Col tempo sorse ed apparve qualche inconveniente nelle amministrazioni. Li sistemi e metodi d' istruzione elementare e ginnasiale si discostarono in pratica dall' intendimento di formare le menti giovanili alle belle lettere, e di pressarle al cammino deUe scien- ze e degli altri studj superiori, reso tanto più diffìcile dal difetto di libri di testo in alcune scuole dei Licei ed Università. Le leggi doganali, le tariffe di asportazione e d'importazione apparvero non favorevoli alle nostre produzioni manifatturiere ed agricole. Negli ufficj e dicasteri d'ogni ordine , e particolarmente nei politici, amministrativi e camerali, si introdussero delle fndi- pendenze, e metodi che diliingano gti affari e stancano gli am- ministrati. SPllitTO PlflNILICO 279 Maqifdslaronsi dei bisogoidifriforinesot Codice dì procedare penali, stil Codice civile e sul regolfimenlo del processo civile, di stabilire uq Codice di comoiercio^ ud regolameolo sul dota*^ riato, sugli affiej tavolari , e sopra tante altre parti della civile e. punitiva giastìEia. * Divenne il subbietto di generale osservazione il trovar anche (non si sa se qaeato siasi verificato altrove) che non vi abbiano più individui di questa provincia elevati a cariche eminenti > e posti superiori e' cospicui , e fregiati di nobili ricompense , ab- beochè questa terra fornisse per lo addica distìnti uomini alle arnrìale, ar Senato, al Consìglio di Stato ed altre enìiuenti cari- che; «sebbene or più che nei tempi passati, mercè anco le cure dei Governi , le istrozioni Steno mi^giori e gli uomini meglio siano dediti egli studj , alle fatiche ed aUe ottime imprése. Non è dunque che all'aspetto dì tali mutazioni ed allo insor- gere dì tanti desiderj che la riverente Congregazione provinciale si crede in dovere di subordinare quelle proposiiiooi e preghie- re ohe al miglior essere di questi fedeliasimiisudditi si credereb-* l)ero rivolte. Alle encomiate virtù di quel Principe, che lo rendono a tutti caro ed ossequiato, piacesse di aggiungere le prerogative della potenza di chi è rappresentante l'augusta Sovranità, e ciò an- che ftll'tttilissimo scopo che in questo Regno si definiscano glt affari anco contenziosi, amministrativi, politici, camerali nella slessa maniera eoo eoi presso questo supremo Tribunale di giu- stizia del ilegno Lombardo- Veneto, con ottimi consigli si risol- vono le liti e gli afiarì giudiziarj. In quanto gli piacesse di accogliere negli alti suoi consigli nuovi membri, anche per aggiungere alla giustizia e sapienza delle sue deliberazioni quella prontezza che richiedono le con- dizioni dei tempi e gV interessi dogli amministrati, non sarà rin<t crescevo4e ricolrdare come qui non manchino e non saranno per mancare uomini che alla fedeltà eongiuogano bastante dottrina e prudesza, «ss^mìo F Italia madre feconda d'uomini celebri. £ gli Italiani sotto il regime precedente proposero nuovi Co- dici penali e di commercio, e furono autori del Codice di pro- cedura penale , delle leggi e regolamenti amministrativi sulle acque e strade, sulla sanità pubblica e sopra tante altre mate- rie , delle quali proposizioni e leggi si comniendano la bontà e sapienza. A- cfuesto ^imtó la <!ofìgref«toi\[)be prc^iddiAe non (mio disperr' sarsi da* far ppcsètrte il de5i<lerio ^nerfffmeDliè ed ^fdentémen^ te pròfturnciato', chefH impregbitavvèifìihe die! Re^no TiOmba(^(>- Yeiìieto siano ooDferfti a qné^ì ^sudditi^ déeì^hè reDdef*d)t>e a6oo pago UD bisogno nato o cresciuto per la mollittidine degli àtu^ diosi nscRi , « che escono dai Lfceif o dfelte Utìffèrsilà, e che vie* pia stringerà gli animi di questi fedeli saddii)r M loto ìnite 60* "verno. v -. Alle rappresentante di queste provhide sì desidera ehe ven- gano rese te prìwillireprerogativqeftiooliè, e che non solem€9ì- te siano^ pome or' sobo^ eorpi consc^enti ^ ma eoq)t deliberane a tenore delle sovrane determtnaeioni , anche all^ogget te cb« possa&o dirigere alle snpreme ordt«aaioDÌ le richieste e prt)po- s;izionJche si rendessero convenientiai bisogni diquesti sudditi. La pimiliìra e civile giusUziaèàtata mai sempre esercitata in questo Regno cos impariialità e ginstìiia, ^ niuno vi è che noa lodi le magistrature giudiziarie e il supremo Tribunale che qni, «Bche per onore ed esempio dei Veronesi, risiede; ma l'espe- rienza ha ammaestrato, che alcune moditìcazioni, riforme e leggi sono tuttavia reclamAle da gravi rafiobi; ^ Àtteadesi la riforma di un Codice di procedura penale, onde dar termine alPimpunità di tanti rei, e perchè gr imputati ab- biano una legale difesa, e perchè le pene stano soHecItaiiieote applicate, e quindi riescano esemplari. | 20,913 |
bim_eighteenth-century_the-history-of-london-fr_maitland-william-frs_1769_1_53 | English-PD | Open Culture | Public Domain | 1,769 | The history of London from its foundation to the present time: ... By William Maitland, ... In two volumes. 1769: Vol 1 | Maitland, William, F.R.S. | English | Spoken | 7,396 | 11,201 | Vol. * 7 % * 1uſes, &c. ene on &c. within the City and its . Liberties. To have and hold Moor- fields and Weſt Smith- field. All Meſſu- «6 ings, 1 Yards, ns, Conduits, and Ciſterns, Shops, Sheds, Porches, Benches, Cel- « lars, Doors of Cellars, Staples, Stalls, Stages, * poſts, Props of Signs, and the Ground and $6.38 oundation' of them, Shores, Water - courſes, 5 Gutters and Eaſements, with their Appurtenan- ec ces, which now are, or at any Time hereafter « have been erected, built, taken, incloſed, ob- 6 tained; increaſed, poſleſſed or enjoyed by the * ſaid Mayor and Commonalty, and Citizens, and their Succeſſors, or any Perſon or Perſons <« whatſoever, of, in, upon or under all or any void « Grounds, Waſtes, Commons, Streets, Ways, * and other common Places within the . ſaid r and the Liberties of the ſame, and in the River or Water of Thames, or Ports, Banks, 66 . Creeks, or Shores of the ſame, within the Li- < berties, of the faid Citi. We will alſo, and by theſe Preſents, for Us, « our Heirs and Succeſſors, declare and grant, e that the ſaid Mayor and Commonalty and Ci- <« tizens, and their Succeſſors for ever, may have, hold and enjoy all thoſe Fields, called or known by the Name Inward Moor, and Outward Meer, in the Pariſh of Sz. Giles without Cripplegate, London; St. Stephen in Coleman-ſtreet, London; and St. Botolph, without Biſhopſgate, London; or in - « ſome or any of them; and alſo all that Field . & called Weſt-Smithfield, in the Pariſh of St. Se- ce -pulchre's, St. Bartholomew the Great, St. Bar- * ( tholomew the Leſs, in the Suburbs of London, And to hold a Fair and Markets in Smith- field, and to have the Tolls, Pick- age, Stall- age, &c. or in ſome of them, to the Uſes, Intents and „ Purpoſes after expreſſed ; and that the ſame Mayor and Commonalty, and Citizens, and their Succeſſors, may be able to hold in the „ ſaid Field called Smithfield, Fairs and Markets ee there to be and uſed to be held, and to take, e receive, and have Pickage, Stallage, Tolls, and « Profits appertaining, happening, belonging or ee ariſing out of the Fairs and Markets there, to « ſuch Uſes as the ſame Mayor and Commonalty, te and Citizens, or their Predeceſſors had, held ce or enjoyed, and now have, hold and enjoy, or % ought to have, hold or enjoy the ſaid Pre- &« miſes laſt- mentioned, and to no other Uſes, 4 Tntents, or Purpoſes whatſoever. And that We, our Heirs and Succeſſors, will not erect, or cauſe to be erected, nor will per- & mit or give leave to any Perſon. or Perſons, - to & erect or build a new one, or any Meſſuages, Houſes, Structures, Edifices, in or upon the 4 ſaid Field called Inner Moor, or the Field cal- led Outer Moor, or the ſaid Field called Waſt- « Smithfield; but that the ſaid ſeparate Fields % and Places be reſerved, diſpoſed and continued < to ſuch-like common and publick Uſes, as the « ſame heretofore and now are uſed, diſpoſed. or <« converted to, (ſaving nevertheleſs, and always < reſerving to Us, our Heirs and Succeſſors, all Streets, Lanes, and Alleys, and now waſte and void Ground and Places, as they now are within e the City and Liberties of the ſame) to hold and e enjoy the ſaid Meſſuages, Houſes, Edifices, s Court-yards, and all and ſingular the Premiſes &« granted or confirmed, or mentioned to be granted and confirmed, with all their Appur- * tenances (except before excepted) to the ſaid Mayor and Commonalty, and Citizens of the : 6. Aer 2 T in Fee and common Burgage, and not in 8 © pite, or by Knights Service. ** Pales, Poſts, Jutties, and Penthouſes, Sign- | : © ſoever, of Us, our Heirs and Succeſſors. *©- ſaid. City, and their Succeſſors for ever, to hold And further, by theſe Preſents, for: Ds. our — In Fee and common 5 af ge {+ Heirs and Succeſſors, we pardon, remit and e releaſe to the ſaid Mayor and Commonalty, and Citizens of the City of London, and their *« Succeſlors,. all and ſingular Iſſues, Profits, and * Rents, of all and ſingular the ſame Meſſuages, „ Edifices, Houſes, Structures, Penthouſes, and *© other the Premiſes laſt- mentioned (except be- *« fore excepted) any way due or incurred before the Date of theſe Preſents, to Us or our Pre- *< deceſſors, and the Arrearages of the fame, with- « out any Account, Moleſtation, Suit or Impedi- * ment of Us, our Heirs or Succeſſors, or any « Juſtices, Officers or Miniſters of Us, our Heirs | sor Succeſſors; and this without any Writ of ad quod damnum, or any other Writ or Inqui- < ſition to be r ie or e in c that Behalf. And that it ſhall be lawful to the ad « Mayor and Commonalty, and Citizens of the ce ſaid City, and their Succeſſors, to put them- e ſelves, by them or their Deputies, in full and “ peaceable Poſſeſſion and Seizin of all and fin- „ gular the Premiſes, as often, and when it ſhall «© ſeem good and expedient; and thereof to have good Allowance in any Court whatſoever, of * Us, our Heirs and Succeſſors, from Time to * Time, without Hindrance, Impediment or Per- Without any Writ of ad ood ' Gamnum, e turbation of Us, our Heirs and Succeſſors, our 5 Juſtices, Treaſurers of England, Barons of the «* Exchequer, or other Officers or Miniſters what- And further, for the Conſideration aforeſaid, for Us, our Heirs and Succeſſors, we do par- <« don, remit, releaſe, and exonerate to the Mayor and Commonalty, and Citizens of the ſaid « City, and their Succeſſors, all and all manner „of Entries, Intruſions, and Ingreſſes whatſoever; at any Time heretofore had or made, of, in e and upon the Premiſes aforeſaid, or any Part of them, without any Right or legal Title of <« the ſaid Mayor and Commonalty, and Citizens of the ſaid City, and their Predeceſſors, or their «© Tenants, Farmers or - Aſſigns, or any other „ Perſon or Perſons. We will nevertheleſs, and for Us, our Heirs and Succeſſors, do ordain and Pardonsall Entries, In- trufions, and In- greſes. y Ex: ception. declare by theſe Preſents, that theſe our Letters «« Patents, or any thing contained in them, ſhall not be interpreted or conſtrued to the taking « or diminiſhing the Force or Effect of any Pro- ce clamations publiſhed hereafter, of or concern- ing Buildings and Edifices in the ſaid City, and ce the Liberties of the ſame, and in the Places * adjoining, for any Contempts or Offences | « whatſoever committed, or to be committed; < nor to remit or to releaſe any Offences or Con- e tempts heretofore committed, or hereafrer to abe committed againſt the Tenor of the ſame, * or any of them ; bur that the ſame Proclama- tions may be and remain in their full Force, * any thing in theſe ente to the contrary not- “ ſtanding. „And we will and declare by theſe Preſents, for Us, our Heirs and Succeſſors, that ſuch- like Edifices, Structures, Incroachments and 15 Furpreſtures, which before this Time have been 08 made, Incroacb- ments upon Churches, or their Walls, ſab- jected to the Privy Council. 1 onsall ies, In- ns, n- TA ion. Incroacb- ments upon Churches, or their Walls, ub- jetted 10 the Privy C ouncil. — —ũ— 4) pen oy WE — pans ewe —— e And moreover We, for Us,. our Heirs and Grants the Office of Garbling and Garb- lers. — — . HISTORY Loo % made, or had upon « of Churches, within the faid City and Liberties thereof, be, and ſhall be ſubject to ſuch Re- « formation as ſhall be appointed by Us, our < Heirs and Succeſſors, or our Privy Council for « the Time being, in that Behalf, any thing in « theſe Preſents to the contrary notwithſtanding. « Succeſſors, do give, grant and confirm by 4 theſe: Preſents to the ſaid Mayor and Com- <« monalty, and Citizens of the City of London, e and their Succeſſors, the Office or Exerciſe of « Garbling of whatſoever ' Merchandizes and «© other Things which ought to be garbled, at any Time arriving or coming to the City of London, « by what Names or Appellations ſoever that e they are at preſent called or known, or ſhall happen - hereafter to be called or known; and <« although the ſame Spices and Merchandizes now or heretofore have not wont to be import- « ed into the Kingdom of Zxgland or City afore- « ſaid, but ſhall happen in e come to be imported. Ma ated a ORE = ed, by theſe . Preſents, for Us, our Heirs &« and Succeſſors, theſe the Mayor and Common- « alty, and Citizens, and their Succeſſors, Garb- « lers of all and fingular the ſaid Spices, Mer- e chandizes and Things, which, as aforeſaid, © and exetciſe the Office and Occupation afore- With the Hees, &c. Fees, &c not ſettled, referred to the Lord Chancellor, Ac. “ ſaid, and the diſpoſing, ordering, ſurveying <* and correcting of the ſame, together with all ce and ſingular Fees, Profits, and Emoluments <« lawfully. belonging and due to the ſame Office « of Garbling, to the aforeſaid Mayor and Com- <« monalty, and Citizens of the ſaid City, and < their Succeffors, to be occupied and exerciſed by them, their Deputy and Deputies, Officer ce and Officers, Miniſter and Miniſters, without < rendering or making any Account or other « Thing to Us, our Heirs or Succeſſors. „And further, we will, and for Us, our Heirs e and Succeſſors, do grant to the ſaid Mayor and Commonalty, and Citizens of the faid City, and their Succeſſors, and their Deputies, Officers and Miniſters, to aſk, demand, take, « and receive, to the Uſe of the ſaid Mayor and « Commonalty, and Citizens of the City afore- | « ſaid Spices, Things, and Merchandizes, for « by the Lord Chancellor, or Treaſurer of Eng- « Jand, or Preſident of the Council, of Us, our « Heirs and Succeſſors, the Lord Keeper of the Privy Seal, Lord Steward of the Houſe of Us, c gur Heirs and Succeſſors, and the two Chief „ Tuſtices of the King's-Bench and Common- ber, | Tobacco, ce Bench for the Time being, or by any four of te them at leaſt, and by them ſubſcribed, without b any Account or any Thing to be rendered to Us, our Heirs or Succeſſors; excepting never- < theleſs, and out of theſe Preſents reſerving all ee ſuch-like Grants of or for garbling of Tobacco, < which have heretofore been made by Us, or « ſome of our Progenitors or Predeceſſors. any Churches, or Walls | “ ſors, do give, grant, and confirm by theſe Pre? « ſents to the ſaid Mayor, Commonalty, and “Citizens of the ſaid City; and their Succeſſors, the Office, Occupation; and Exerciſe of gaug- ing of whatſoever Wines, Oils, and other Mer chandizes and Things gaugable within the te faid City at any Time ariſing; or coming to e the ſaid City, by what Names or Appellations << ſoever they are at preſent called or known; or herèafter ſhall be called or known; and al: e though the ſame Wines, Oils, Things or Mer: ** chandizes, now or heretofore have not wonted <-to be imported; * And we do make; conſtitute and ordain by e theſe Preſents, for Us, our Heirs and Succef „ ſors, the ſaid Mayor and Commonalty, and s Citizens, and their Succeſſors, Gaugers of all e and ſingular the ſaid Wines, Oils, Things, and % Merchandizes which ought to be gauged; to <« have and to hold, and to enjoy and exerciſe the „Office, Exerciſe, and Occupation aforeſaid; and * diſpoſing, ordering, ſurveying, and correcting <« of the ſame, together with all and ſingular Fees, Profits, and Emoluments lawfully belonging or appertaining to the ſame Office, to the ſaid «© Mayor and Commonalty, and Citizens of the « ſaid City, and their Succeſſors for ever, to be | << exerciſed and occupied by them, their Deputy I, or Deputies, Officer and Officers, Miniſter and << ought to be garbled, to have, hold and enjoy, | © Miniſters, without Account or any other Thing „ thence to be made or rendered unto "Us out « Heirs or Succeſſors. « And further, we will, and for Us, our Heirs e and Succeſſors, do grant to the ſaid Mayor and « Commonalty, and Citizens of the ſaid Cit: Yn „ chat it ſhall and may be lawful to the ſame Mayor and Commonalty, and Citizens of the <« ſaid City, and their Succeſſors, and their De: * puties, Officers, and Miniſters, to aſk, demand; <« take, and receive, to the. Uſe of them, the ſaid Mayor and Commonalty, and Citizens, and e their Succeſſors, for the gauging of the ſaid “Wines, Oils, and other Things and Merchan- e dizes, which ought to be gauged, the Fees, « Wages, and Rewards belonging to the ſaid c Office, and ſuch ſo great, and ſuch-like Wages, | < Fees, and Rewards for . gauging ſuch Wines, Oils, Things, and Merchandizes; for which rd Fee or Reward was heretofore-lawfully had ot ee ſaid, and their Succeſſors, for garbling of the | © received, which, how great, and what like, | « ſhall from henceforth be appointed and allowed „ which no Fee or Reward heretofore has been <« had or taken, which, how great, or of what <« ſhall be appointed and allowed for garbling | « Council of Us, our Heirs and Succeſſors, and „the two Chief Juſtices of the King's-Bench „ and Common-Bench for the Time being, or by « for gauging, by the Lords Chancellor and « Treaſurer of England, and Preſident of the « any four of them at leaſt, and by them ſub+ e ſcribed, without any Account or other Thing With Frei; &c. eto be rendered or made thereof to Us, our. « Heirs and Succeſſors. « And further, for the Conſideration above! « ſaid, we do by theſe Preſents; for Us, our « Heirs and Succeſſors, give, grant, and confirm « to the ſaid Mayor and Commonalty, and Ci- « tizens of the City of Londen, and their Suc- <« ceſſors, the Office of keeping the great Stand- « ard and common Ballance ordained to weigh | ** between Merchant and Merchant; and alſd * „And further, for % our Heirs and Sueceſ- | | 8 the Office of 0 of 8 ek 8 or. | Nuns. egg 2 oct KY 4K: + Wight, 8 wy ma Office 2 * be gra? . &c, f 7 e C0 ; Ae £ 8 TYP F 1 | med — 4 | $4 as De HISTORY 9 8 \ % 4 2 —— * . ; LW 7 7 F . @ Re T4” * 5 bY. 2 As g — AC * eren — a : a — ES - — N — , F - : I 0 1 * , * 2 * « 2 ; . a 1 — CC. Vol. I. ns A by. i} «hank 26 le ——— — 3 A i 15 London ec; ' | C nd Sale in ſome | &:weighing all MI oat din e eee Liberties of che ſame, and for t 8 © ot gr ron ere. | « 8 Town of I fag men N „ „ and Things to be weighed, by what 3 4 W | * E * and Sue L re 6 r Losen, and ddtengh d fame Sort of | * Cement, and Cltipens of Londen, and their or known; and although che ſame r | 2 Sy es The ever ta have and exexciſe the ſame 4% Wares, Merchandizes, and Things her ; N © or their Deputy. Officer or Miniſter, ; «were not accuſtomed to be weighed,” Pur" MN 13 ee ous Deputies; or Miniſters, being firſt 1 An ene ua beg 3 18 Aber 5 rc! thereto by the Mayor and | bought and fold by Weight. : VI C | « Commonalty and Citizens of the faid City « And we do for Us, our Heirs and Succeſ- « for the Tice brings in Common Cduncib of the J e BUF" Citizens of the City of London, and their "oF f And that it ſhall and may be lawful to the _ © ceſſors, Keepers of the great Standard, c 3: « faid M ayor aud Os mmopalty, and Citizens of « lance and Weight, and all Weights whatſo- | - the City of London, and their Succeſſors, and 77 Rn 1] Dathey-ar Depurian! Qlficerent billulters, “Commodities, Merchandizes, and Things * 148 demand, take, and keep for the Uſe of the Abe weighed, and which have —_— 3 Os « ſaid Mayor and Commonalty, and Citizens & é and uſed to be bought "and 50 * . | « read the Wages and Fees expreſſed in a e within our ſaid City, to have and Seren 08 | © certain Schedule hereunto annexed. Office and Occupation aforeſaid by them, their Wn in Hat e <« Deputies, Officers or Miniſters, together with 5 1 d ith Fee, © the Fees, Profits, Wages, Rewards, and Emo- | charge all other Perſons, that neither they, nor &c. e luments of Right belonging or appertaining to any of them, preſume to ſell any Goods, Chat- G <« the ſame Office, without any Account SY tels, Houſhold-ſtuff, Apparel, Jewels, and other 77 other Thing to be made, rendered or paid for | « Things, in publick Claim, called Outcry, in the jo & any of the laſt-mentioned Premiſes in this Be- 12 Giry SEoreſaid, aired fide * | & half, to Us, our Heirs or Succeſſors. 5 in the Borough and Town of Southwark, under e And alſo of our more ample Grace, and 1 Royal Diſpleaſure „Motion, we will, and by theſe Preſents, for . And — for the Conſideration aforeſaid, | * Us, our Heirs and Succeſſbrs, de grant to the ., We, for Us, our Flat and Suvcelian, do « ſaid. Mayor and. Commonalty, and Citizens, | 4 grant to the ſaid Mayor and Commonalty, and + that it may and ſhall be lawful to the ſame | e Citizens of the ſaid City, and their Succeſſors, “Mayor and Commonalty, and Citizens of the | : 5 2 Preſents-do declare, that the Re- Widews o auen e de,. wee & puties, Officers and Miniſters, to aſk, demand, | « uſing manual Arts, and Occupations, ſo long bay * 1 %%% ( andre is no ts WNW + Commonalty ant Cirizens, for the weighing of || «« the ſame City, rom Time to Time, and at all fe.. «© all Merchandizes of Averdupois aforeſaid, and | .. A ee ay e 1 e all Sort of Commodities, Wares and Things tO | and exechte,. and exerciſe. the m As and 3 « be weighed, the Fees and Rewards of weigh- Ex boy anal Occupations in the ſaid City, although 80 <* ing the ſame Sort of Commodities, Merchan- « they were not educated by the Space of ſeven « dizes and Things to be weighed, of which no „ Yodrn as an notwithſtanding the Sta- Fee or Reward was heretofore lawfully had or < tute made and publiſhed in Parliament of Lady e received, which, how great, and what like they ec Elizabeth, late Queen of England, in the fifth << ſhall be for weighing, from henceforth ſhall | << Year of her Reign, or any other Stature or < be appointed and allowed by the Lords Chan- | e Ordinance to the contrary notwithſtanding. ' ; << cellors and Treaſurers of England, Preſident of | c And further, for the | Conſiderations atore- the Council of Us, our Heirs and Succeſſors, 4 ſaid, We by theſe Preſents, for Us, our Heirs Lord Keeper of the Privy Seal, Lord Steward « and Succeſſors, do grant and confirm to the Jof the Houſe of Us, our Heirs and Succeſſors, « ſaid Mayor and Commonalty, and Citizens of che tyo Chief Juſtices of the King's-Bench | « the City of Londen, and their Succeſſors, that e and Common- Bench for the Time being, or by „ no Market ſhall from henceforth be granted, „i, „four of them at leaſt, and by them ſubſcribed, | « erected or permitted by Us, our Heirs and Market « without Account or any Thing to be rendered | « Succeſſors, within ſeven. Miles Compaſs of the 0 or made to Us, our Heirs or Succeſſors. | © ſaid City. And becauſe we underſtand, that Alec. F „ And alſo we will, and for Us, our Heirs and | & it has been of an ancient Cuſtom of the ſame pal. “ Succeſſors, do erect and create, in and throu h | « City, had and allowed in the Circuits of the _ te the ſaid City, and Liberties thereof, and in and ee Juſtices of our Progenitors, once Kings of Eng- | through Our Borough or Town of Southwar k in | cc land, to the Citizens aforeſaid, that the Mayor The Office our County of Surry, a certain Office called | © and Aldermen of the ſaid City for the Time : of Common ( Qutroper, or Common Crier, to and for the || being ought to record by Word of Mouth Pecs b he L ſelling of Houſhold-ſtuff, Apparel, Leaſes of | < all their ancient Cuſtoms, as often and When- plead the | 1 Deere 3 : l City Cuf- adSouth- **. Houſes, . Jewels, Goods, Chattels, and other | e ſoever any thing in Act or Queſtion touching „ 3 W Things of all Perſons who ſhall be willing, e the ſaid Cuſtom happens, and is moved before out Jurys that the ſaid Officers ſhall make Sale of the || < any Juſtices ; We, (the ſame being conſidered) Fi Kzſame Things, by publick and -open Claim, 3 O | willing that the Cuſtoms of the faid City be | % rather lows of emen oaberel fe ma- Arts Occu· ions. rohibits artet ithix ven ile Con- oſs. Recorder lo lead the "ity Cufe roms with out Jurys Enquiry» * rather enlarged than dimini ſhedl, of our "KR WORE, % Grace have granted for Us, our Heirs and Suc- F ceſſors, to the ſaid Mayor and Commonalty, « and Citizens, and their Succeffors,” that when- 5h ſoever and as often as there ſhall happen any ** Iſſues to be taken of or upon any Cuſtom of * the ſame City between any Parties in pleading _— (although they themſelves be Parties) -or if any 5e thing ſhall be moved or happen in Pleading, Act or Queſtion, touching the Cuſtoms afore- SST Af ſaid, before Us, our Heirs or Succeſſors, or 0 « Juſtices for holding Pleas before Us, our . Juſtices of the Common- Bench; Treafurer and ©» <, Barohs of the Exchequer, or any other Juſtices of Us; our Heirs or Succeffors, which ſhall * exact or require Inquiſition,” Search or Tryal, ** the Mayor and Aldermen of the ſame City for ** the Time may record, teſtify and declare by Word of Mouth, by the Recorder of the fame City for the Time being, thoſe Cuſtoms; and “that by ſuch Record, Teſtimony and Declara- tion, without. taking any Jury thereupon, or ** making any further Proceſs,” they may ſpeedily proceed to the Caption br Determination of the % Plea, Ded, Cauſe or Buſineſs. We have alſo given and granted, and by e theſe Preſents, for Us, our Heirs and Succeſ- Grants all Treaſure enn Strays, &c. < ſors, do give and grant to the ſaid Mayor and 0 Commonalty, and Citizens, and their Succef- « ſors, all Treaſure found in the ſame City, or the Liberty of the ſame, and alſo waited and & ſtrayed Goods and Chattels of all Felons and <« Fugitives, for Felons committed, or that ſhall ec be committed by them in the ſaid City, or the _ © Liberties of the ſame, judged or to be ad- * judged before Us, our Heirs or Pos or F any of our Juſtices. Mayer to name a Juſtice of the Peace | for Mid- dleſex, and anther for ourry, We have granted Aſo, od for Us, our \ Heirs ce and Succeſſors, by theſe Preſents, do grant, that the Mayor of the ſaid City, and his 'Suc- te ceflors for the Time being, may name to the & Chancellor of England for the Time being two of the Aldermen of the ſame City; of which | e one, at the Nomination of the ſaid Mayor, ſhall e be one of the Keepers of the Peace in the County of Middleſex, and [the other in the “County of Surry, who ſhall be inſerted with e others into all Commiſſions henceforth to be e made for the Conſervation of the Peace in the Counties aforeſaid, and may henceforth do, cc concern and execute thoſe Things which are to « be done by the Keepers of the Peace in the « Effe&t of the Commiſſions directed or to be & directed to them and others. „And whereas the Freedom of the City of London, in Times paſt, was had in ſuch Price « and Eſtimation, that many Merchants thought e themſelves happy to enjoy the ſame, and to be « reputed Members of the ſame City: And <« whereas divers Perſons, being Sons of certain % Freemen- of the ſaid City, reſident in our ſaid « City, and others who were Apprentices of < Freemen of the ſaid City, reſident in our ſaid « City, in theſe late Times have uſed and daily ce do uſe and exerciſe Merchandize, Negotiation, % and Commerce, from the Port of the ſame « City, to Parts beyond the Seas, and by reaſon 05 e have and do "or and Sw Lond — N m — 8 | <,or at leaſt delaying to become Freemen of the * of the ſame City, although they be capable of de the fame ; and ſo they have Privileges; and yet dare looſe and free from publick Offices; Places, „Charges and Burthens of the ſaid City for our 9 Profis kid FO to hemnſlves; refaſing 1 ſaid City, and to be admitted into the Liberty | Service and Honour; and for the upholding of the State and Profit of that City, to the by weakening of the Government of the ſaid City, < and impoveriſhing the Freemen, and diſparag- | | 66, ing of the Liberty thereo : Me conſidering theſe chings and intimately deſiring, as much as in us is, to ſtrengthen and ee enlarge the Liberties of the ſaid City (our < Royal Chamber) and to conſerve, ſupport and **: prote& the Rule and Government, and good and happy State of that City; We will, ap- < point, ordain, and declare for Us, our Heirs e and Succeſſors, that all they who are, or here- after ſhall be Sons: of Freemen of the City, or ho are, or hereafter ſhall be Apprentices, or * Servants of Freemen of our ſaid City, and now. do, or hereafter ſhall reſide; or inhabit in the «* ſame City; or the Liberties of the ſame, or * within ten Miles diſtant from any Part of the fame, and do, or ſhall uſe Merchandize, and „ho do, or ſhall refuſe, or delay to become Freemen of the ſaid City, ſhall not be permit- ted at any Time henceforth, by themſelves or by others, directly or indirectly, to tranſport © any Goods, Wares, or Merchandizes, by way of Merchandizing in any way, from the Port OBliget Merchants in the City and within ten Miles | to take up their Frets dom. * of our City of London, to Parts foreign, or be- | “ yond the Seas: Willing, and for Us, our Heirs * and Succeſſors, we do firmly command the „Governors, Aſſiſtants, and Merchant-Adven- < turers of England; the Governors and Aſſiſt- | ** ants.of. the Eugliſb Merchants trafficking in the « Baltict Sea; the Society of Engliſh Merchants “for Diſcovery of new Commerce; the Gover- < nors and Society of Merchants of England trad- « ing into the Levant Seas; the Governor and « Society of Merchants of London trading to & France, and the Dominions of the ſame; and all other Societies of Merchants trading or mer- „ chandizing into foreign Parts beyond the Seas, by what Name or Names ſoever the ſaid di- *.ſtin& Societies are known or reputed; that „they nor any of them admit, licence, or per- mit any ſuch- like Perſon: or Perſons to mer- | & chandize, or traffick, or have Commerce as « Counties aforeſaid, according to the Force and | 640 Merchants to foreign Parts, unleſs ſuch Perſons e firſt become Freemen of the faid City, and bring a Teſtimonial from the Chamberlain or +. Under-Chamberlain of the ſaid City for the „Time being, that they are admitted into tho «+ Liberty of the ſaid City, _ And further, for Us, our Heirs and Suc- <« ceflors, we will and command, that no Mer- - £6 chant, being, or who hereafter {hall be, a „Freeman of the ſaid City, ſhall take hence- « forth any Apprentice to ſerve him in ſuch-like « Merchandize within the City aforeſaid, Liber- < ties or Suburbs of the ſame, or within ten Miles of the ſame City, for leſs than ſeven « Years, to be bound and inrolled according eto the Sata of tg. ſaid. 40 and not other- « viſe. 45% 4 « And No Mere chant ta take an Apprentice 7 leſs _ EM Recites the AR 3 Ja. I. for con- ming and e moſt dear Father, Lord James, | eflabliſhing the Court Freeman of the City of London, and every other of Re- queſts, _ © the Liberties of the ſame, may cauſe ſuch-like e the Beadle or Officer of the Court of Requeſts in the Guildhall. of London for the Time being, ee by Writing to be left at the Dwelling-houſe of euch Debtor or Debtors, or by any reaſonable 1 Debtor or Debtors to appear before the Com- * miſſioners of the ſaid Court of Requeſts, holden Conflitutes a Clerk to the ſaid Cour fu. ee #6 be _ choſen. His Duty and Fees. Aud 4 Beaale. | How to be choſen. His Duty and Fees. cee ing; We, for the better Diſcovery of ſuch-like « habit in the ſaid City, or the Liberties of the « or them, not amounting to forty. Shillings, by any Citizen, or any other Perſon or Perſons, be- and appointed by the Mayor and Commonalty, * annexed to theſe Preſents. „ Beadle of the Court of Requeſts aforeſaid, to ee be named and appointed by the ſaid Mayor „ Proceſs of the fame Court, and to receive for our City of London and Liberties of the ſame, A to the grievous Damage of ſome of our Sub- cc ſents do ordain, grant and conſtitute, that from of our e King of „ Expland, it is enacted, that every Chi and e made in the third Year of the Rei « Perſon or Perſons inhabiting or which ſhall in- „ ſame, being a Tradeſman, Victualler or La- <« bourer, who then had, or from thenceforth « ſhould have any Debt or Debts owing to him © ing a Victualler, Tradeſman, or Labourer, who “ doth or ſhall inhabit within the ſaid City, or «Debtor or Debtors to be warned or ſummoned by <« Notice or Warning to be given to the ſaid ee in the Guildhall of the ſaid City, as by the « ſaid Act fully appears: « We will, and for Us, our Heirs ant Suc- e ceſſors, ordain and conſtitute, that from Time « to Time, and i in all future Times, there be, and « ſhall be a certain Office of the Clerk of the Court of Requeſts aforeſaid. And that there « be, and ſhall be from Time to Time, and in « all future Times, one fit. « And for Us, our Klin and Subceligs; We now do give and grant by theſe. Preſents the « ſame Office to the ſaid Mayor and Commonalty, Te Ife, ee and Citizens of the ſaid City, and their Suc- Kc. « ceſſors, to have and exerciſe the ſaid Office by /a: « them, or their Officer, Deputy, or Miniſter, / Regifer 0 retailing Broke, © &« or Officers, Deputies or Miniſters, firſt to be e allowed and admitted thereto by the Mayor and Commonalty, and Citizens of the ſaid « City, aſſembled in Common Council of the e fame City, for the Time being, or the greater « Part of them. And that it may and ſhall be ce lawful for the ſaid Mayor and Citizens of the « ſaid City and their Succeſſors, and their De- “ puty or Deputies, Officer or Officers, to de- “ mand, take, or have and retain in their Power, ce to the Uſe of them, the Mayor and Common- « alty, and Citizens of the ſaid City, the Wages „and Fees expreſſed in a certain Schedule an- e nexed to theſe Preſents, without any Account * or any Thing elſe to be rendered or made to Us, our Heirs or Succeſſors. « ſaid Mayor and Commonalty, and Citizens of < the ſaid City, and their Succeſſors, that it may „City, and any of them, for the Time being, eto expoſe and hang in and over the Streets and „Ways, and Alleys of the ſaid City, and Sub- < urbs of the ſame, Signs and Poſts of Signs af- e fixed to their Houſes and Shops, for the bet- ter finding out ſuch Citizens Dwellings, Shops, « Arts and Occupations, without Impediment, <« Moleſtation or Interruption of Us, our Heirs or « ever of Us, our Heirs or Succeſſors. “And whereas Lord Henry the Eighth, late « King of England, &c. by his Letters Patents ce bearing Date at Weſtminſter the thirteenth Day ce of January, in the eight-and-twentieth Year of his Reign, amongſt other Things, for him << and his Succeſſors, did give and grant to the « ſaid Mayor and Commonalty, and Citizens of the ſaid City, and their Succeſſors, the keeping, ordering and governing of the Houſe and Hoſpital of him the late King, called Berb- $ Jem, ſituate without and near Biſbopſgate, of the « ſaid City of London, and all Manors, Lands, “ Tenements, Poſſeſſions, Revenues and Here- « ditaments whatſoever, and whereſoever lying « and being, belonging and appertaining unto and made and conſtituted, by the ſame his Let- tc alty, and Citizens of the City of London, and « nors of the ſaid Houſe and Hoſpital called ce Bethlem, and of the ſaid Manors, Lands, « Tenements and other Premiſes. _ belonging to the ſame Houſe or Hoſpital, to have, hold < and enjoy the ſaid N and. en 88 ment 2 Landon, and the Liberties. en b be and ſhall be a certain Office of Regiſter of Efablipu <« all and for all Sales and Pawns, made or to « be made to retailing Brokers within the ſaid 7 City and Liberties of the ſame; and for any al. the ſame Hefpital or Houſe called Betblem; 4 Office Their Tus, « And further, we do give and grant to 6 | and ſhall be lawful to the Citizens of the ſame Licence t1 hang out Signs, KC, « Succefſors, or any Officers or Miniſters whatſo- | Recites A. He. VII! Grant of Bethlem, Ee. ters Patents, theſe the Mayor and Common- their Succeſſors, Maſters, Keepers and Gover- execute th mn On» yt Hey t 400 i Eater 0 1 or, the ce fer ling . e f the Houſe of the Poor in Weſt- Smith- eld, r Ts, Grants the Cuſtody of Beth| to the Mayor, &c. cence f2 ng out pn, &c. | wecites K. Ie. VIII. Grant of Zethlem, c. How to 99 its Elates, | |. I 4 7 FTTLoxpoN 5 7 * 2 ** ce 1 1 the fad | Houſe « or Hopi at cc Rethlem, and the ſaid Manors, Lands, 'Tene- te ments, Poſſeſſions, Revenues and Heredita- | 4 ments belonging to the ſame Houſe and Ho- « ſpital called Betblem, to the ſaid Mayor and e Commonalty, and Citizens of the ſaid City, « and their Succeſſors for ever, to the Uſes and « Intents which are in and. upon the Foundation c ordered and provided by the ſaid late King, « his Heirs or Succeſſors. « And that the ſaid Mayor and Commonalty, ce and Citizens of the ſaid City of London, and ce their Succeſſors, might be better able to ſup- port the Burthen and Expences of the Poor, «in ſuſtaining the Houſe called the Houſe of & the Poor in Weſt-Smithfield, and other Burthens c affigned and appointed to the ſame Mayor and © Commonalty, and Citizens of the ſaid City, c and their Succeſſors, by Indenture mentioned eto be made between the ſaid late King, and &« thoſe the Mayor and Commonalty, and Citi- <« zens of the ſaid City, in the ſaid Letters Pa- e tents, as by the ſame his Letters Patents, t amongſt other Things, more fully appears. „ Know ye, that we from our Soul affecting <« and intimately deſiring to ſupport and eſtabliſh ce the ſaid Works for Us, our Heirs and Succeſ- « ſors, do grant and confirm to the ſaid Mayor and Commonaity, and Citizens of the ſaid City, ce and their Succeſſors, the faid Cuſtody, Or- 1 <« dering and Government of the ſaid Houſe and _ « Hoſpital called Betblem, and all Manors, Lands, Tenements, Poſſeſſions and Revenues <« whatſoever, and whereſoever lying and being, <« belonging and appertaining to the ſame Houſe and Hoſpital called Bethlem; and do make, * ordain and. conſtitute, by theſe Preſents, thoſe « the Mayor and Commonalty, and Citizens of ce the ſaid City, and their Succeſſors, Maſters, Keepers and Governors of the ſaid Houſe and Hoſpital called Bethlem, and of the ſaid “ Manors, Lands, Tenements, and other the « Premiſes belonging to the fame Houſe and «© Hoſpital called Bethlem, to have, hold and < enjoy the ſaid Cuſtody, Ordering and Govern- < ment of the ſame Houſe and Hoſpital called e Bethlem, and of the ſaid Manors, Lands, Te- se nements, Poſſeſſions, Revenues and Heredita- © ments belonging to the ſame Houſe and Ho- <« ſpital called Bethlem, to the ſaid Mayor and < Commonalty, and Citizens of the ſaid City, < and their Succeſſors for ever, to the ſame Uſes, <« Intents and Purpoſes, as in the ſaid Letters <« Patents of Lord Henry the Eight are before- © mentioned, ordained and appointed. <« Willing moreover, and for Us, our Heirs ce and Succeſſors, we do declare and ordain, that <* the ſaid Houſe or Hoſpital of Bethlem, or the < pertaining to the ſame Houſe, or any Part < thereof, be not delivered, converted or diſpo- e ſed to any other Uſe than to the charitable <* Hoſpital. * and Citizens of the ſaid City, and their Se- < ceſſors, that they do not deliver or grant the jo e ſaid Manors, Lands, Tenements, Poſſeſſions * or Revenues belonging to the ſame Houſe or ** Hoſpital, or any Part of them, for any Term or Terms of Years exceeding the Number of gone and twenty Years, to commence from < the Time of the making of ſuch-like Grant % or Leaſe in Poſſeſſion, and not in Reverſion, s reſerving half of the yearly Value at the leaſt <* of ſuch Manors, Lands, Tenements and He- * reditaments ſo leaſed, and granted yearly, 21 Years, With a Re- ſerve © half of the to be yearly << paid during the ſaid Term, to the ſaid Mayor Value. * and Commonalty, and their Succeſſors, to the Uſes, Intents and Purpoſes above-mentioned, e And moreover, for Us, our Heirs and Suc- e ceſſors, we grant and give ſpecial Licence to Licence th et the ſaid Mayor and Commonalty, and Citi- ogy of <«.zens of the City of London, and their Succeſ- « ſors; that it ſhall and may be lawful to the e ſaid Mayor and Commonalty, and Citizens of c London, and their Succeſſors, to purchaſe and e receive, and hold to them, and their Sucreſ- in the Pa- riſh of St. + Giles in the Fields; and Occu- pation of Margaret « ſors, of any Perſon or Perſons whatſoever, five Pennell, Acres of Land, fituate; lying and being in the “ Pariſh of St. Giles in the Fields, in our County * of Middleſex, and now or late in the Tenure < or. Occupation of Margaret Pennell, or her Aſ- <« ſigns; although the ſame five Acres; or any Part of them, be held of us in Capite by Knights Service; to have and hold to the ſame % Mayor and Commonalty, and the Citizens of the ſaid City, and their Succeſſors for ever, And alſo we give Licence and Power by te theſe Preſents, to all and ſingular Perſons what- © ſoever, that they, or any of them, may be able to give and grant the ſaid five Acres of Land; e and every Parcel thereof, with its Appurtenan- « ces, to the ſaid Mayor and Commonalty, and “Citizens, and their Succeſſors, although the ſame <« five Acres of Land, or any Parcel "thereof, be <« held of Us in Capite by Knights Service; the “ Statute of putting of Lands and Tenements ein Mortmain notwithſtanding, or any other &« Statute, Act, Ordinance, Orders, Reſtitution 4 made, publiſhed, ordained or provided to the © contrary, or any other Thing, Cauſe or Matter &« whatſoever in any thing notwithſtanding; and « this without any Inquiſition by pretence of any | * Writ or Mandate to be made, preſented or „ Manors, Lands, Tenements, Poſſeſſions, Re- e venues and Hereditaments belonging and ap- —_— « And further, for Us, our Heirs and Suc- <« ceſſors, we will, and by theſe Preſents do de- ** clare our good Pleaſure, , and do charge and _ © command the ſame Mayor and Commonalty, \. Works now belonging, and applied in the ſame | taken, and to be returned into the Chancery 6 of Us, our Heirs and Succeſſors, or elſewhere: „Willing, that the ſaid Mayor and Common- 1 &« alty, and Citizens of the ſaid City, and their | <* Succeſſors, by Reaſon or Occaſion of the Pre- “ miles, ſhall not be oppreſſed, moleſted; diſ- « quieted or grieved in any thing by Us, our « Heirs and Succeſſors, or by the Juſtiges, She- <« riffs, Eſcheators, or other Bailiffs, Officers or «-Miniſters of Us, our Heirs or Succeſſors, the « Statute of not putting Land into Mortmain; or any other Statute, Act or Proviſion to the <« contrary in any wiſe notwithſtanding. .« We nevertheleſs declare it to be our Royal « Pleaſure, by theſe Preſents, for Us, our Heirs e and Succeſſors, that the ſaid Mayor and Com- ce monalty, and Citizens, or their Succeſſors, or any other Perſon or Perſons, by the Aſſent and ce Conſent of the fame Mayor and Commonalty, 41. ö be and The HISTORY of: LONDON. To build therecu. This Char- ter declared alid, &c. Nolavith- Fong any Ir. ad ae; : damnum being not ued out, * and Citizens, ſhall build at erect, without the Royal Licence of Us, our Heirs or Succeſſors, in that Behalf firſt had and obtained, any « Houſes, Edifices or Structures upon the Pre- „ mifes, or any Parcel thereof: And as We or. | 43,100 |
https://github.com/ahmed8339/dotfiles/blob/master/.config/fish/variables.fish | Github Open Source | Open Source | MIT | 2,018 | dotfiles | ahmed8339 | Fish | Code | 308 | 961 | #
# ~/.config/fish/variables.fish
# Dotfiles
#
# Exported variables in fish shell.
#
# Editor
set --export EDITOR_CLI "vim" # vi vim
set --export EDITOR_GUI "code" # atom (vs)code mate mvim subl
set --export CLI_WAIT_FLAG "-f"
set --export GUI_WAIT_FLAG "-w"
# EDITOR or VISUAL, only one defined
# Use EDITOR for non-login shells (su someoneelse) and SSH connections
if not status is-login; or is_ssh
set --export EDITOR $EDITOR_CLI
set --export WAIT_FLAG $CLI_WAIT_FLAG
set --erase VISUAL
else
set --export VISUAL $EDITOR_GUI
set --export WAIT_FLAG $GUI_WAIT_FLAG
set --erase EDITOR
end
# Upper case
set --export ANDROID_HOME (brew_home)/share/android-sdk
set --export ANDROID_SDK_ROOT (brew_home)/share/android-sdk
set --export ANDROID_NDK_HOME (brew_home)/share/android-ndk
set --export ARCHFLAGS "-arch x86_64"
set --export GPG_TTY (tty)
set --export GRADLE_HOME (brew_home gradle)/libexec
set --export GRADLE_OPTS -Xmx1g
set --export GRADLE_HEAP_SPACE -Xmx1g
set --export GROOVY_HOME (brew_home groovy)/libexec
# Use Java 8 for not until 9 is more stable
set --export --global JAVA_HOME (/usr/libexec/java_home -v 1.8)
set --export JAVA_OPTS "-Xms256m -Xmx512m -XX:MetaspaceSize=128m -XX:MaxMetaspaceSize=256m"
set --export ICLOUD_HOME "~/Library/Mobile Documents"
set --export ICLOUD_DRIVE $ICLOUD_HOME"/com~apple~CloudDocs"
set --export LANG en_US.UTF-8
set --export LANGUAGE en_US.UTF-8
set --export LC_ALL en_US.UTF-8
set --export LC_CTYPE en_US.UTF-8
set --export OPENSSL_PATH (brew_home openssl)/bin/openssl
set --export REALM_OBJECT_SERVER_VERSION 1.8.3
set --export REALM_OBJECT_SERVER_PATH ~/dev/realm/_releases/realm-mobile-platform-$REALM_OBJECT_SERVER_VERSION
# Lower case
set --export github_user phatblat
# fish_user_paths
set --global fish_user_paths \
/usr/local/sbin \
/usr/local/opt/sqlite/bin \
$fish_user_paths
# PATH
set --export --global PATH ./bin ~/bin (brew_home)/bin (brew_home curl)/bin $ANDROID_HOME/tools/bin $PATH
# ls color formatting - LS_COLWIDTHS
#
# If this variable is set, it is considered to be a colon-delimited list of
# minimum column widths. Unreasonable and insufficient widths are ignored
# (thus zero signifies a dynamically sized column). Not all columns have
# changeable widths. The fields are, in order: inode, block count,
# number of links, user name, group name, flags, file size, file name.
set --export LS_COLWIDTHS 0:10:0:10:0:0:10:0
# Obsolete rsync variables
set --export phatblat_imac /Users/phatblat.bak/
set --export phatblat_external /Volumes/ThunderBay/Users/phatblat/
| 2,914 |
https://github.com/aws/aws-extensions-for-dotnet-cli/blob/master/src/Amazon.Lambda.Tools/TemplateProcessor/DefaultLocationOption.cs | Github Open Source | Open Source | Apache-2.0 | 2,023 | aws-extensions-for-dotnet-cli | aws | C# | Code | 132 | 266 | namespace Amazon.Lambda.Tools.TemplateProcessor
{
/// <summary>
/// Properties to use when building the current project which might have come from the command line.
/// </summary>
public class DefaultLocationOption
{
/// <summary>
/// Build Configuration e.g. Release
/// </summary>
///
public string Configuration { get; set; }
/// <summary>
/// .NET Target Framework e.g. netcoreapp3.1
/// </summary>
public string TargetFramework { get; set; }
/// <summary>
/// Additional parameters to pass when invoking dotnet publish
/// </summary>
public string MSBuildParameters { get; set; }
/// <summary>
/// If true disables checking for correct version of Microsoft.AspNetCore.App.
/// </summary>
public bool DisableVersionCheck { get; set; }
/// <summary>
/// If the current project is already built pass in the current compiled package zip file.
/// </summary>
public string Package { get; set; }
}
} | 43,961 |
https://github.com/comunica/comunica/blob/master/packages/actor-rdf-metadata-extract-request-time/lib/ActorRdfMetadataExtractRequestTime.ts | Github Open Source | Open Source | MIT | 2,023 | comunica | comunica | TypeScript | Code | 69 | 229 | import type { IActionRdfMetadataExtract, IActorRdfMetadataExtractOutput,
IActorRdfMetadataExtractArgs } from '@comunica/bus-rdf-metadata-extract';
import { ActorRdfMetadataExtract } from '@comunica/bus-rdf-metadata-extract';
import type { IActorTest } from '@comunica/core';
/**
* A comunica Request Time RDF Metadata Extract Actor.
*/
export class ActorRdfMetadataExtractRequestTime extends ActorRdfMetadataExtract {
public constructor(args: IActorRdfMetadataExtractArgs) {
super(args);
}
public async test(action: IActionRdfMetadataExtract): Promise<IActorTest> {
return true;
}
public async run(action: IActionRdfMetadataExtract): Promise<IActorRdfMetadataExtractOutput> {
return { metadata: { requestTime: action.requestTime }};
}
}
| 43,632 |
https://stackoverflow.com/questions/36746889 | StackExchange | Open Web | CC-By-SA | 2,016 | Stack Exchange | Nicolas B., https://stackoverflow.com/users/3729490, https://stackoverflow.com/users/5634146, rafaelasguerra | English | Spoken | 110 | 174 | SonarQube web server with IP dynamic
How I can configure the sonar.web.host with a dynamic IP? Would I need to change the properties file every time the IP changes?
# Binding IP address. For servers with more than one IP address, this property specifies which
# address will be used for listening on the specified ports.
# By default, ports will be used on all IP addresses associated with the server.
sonar.web.host=xxx.xx.xx.xx
Why not leaving it uncommented ? In this case it'll just listen on all NICs, irrespective of the IP.
you're right. Thank u
Leave sonar.web.host commented-out and SonarQube will listen on all NICs, irrespective of their IP address.
| 40,627 |
US-202016871779-A_1 | USPTO | Open Government | Public Domain | 2,020 | None | None | English | Spoken | 6,712 | 8,761 | Spin-orbit torque MRAM structure and manufacture thereof
ABSTRACT
Embodiments of the present disclosure generally include spin-orbit torque magnetoresistive random-access memory (SOT-MRAM) devices and methods of manufacture thereof. The SOT-MRAM devices described herein include an SOT layer laterally aligned with a magnetic tunnel junction (MTJ) stack and formed over a trench in an interconnect. Thus, the presence of the SOT layer outside the area of the MTJ stack is eliminated, and electric current passes from the interconnect to the SOT layer by SOT-interconnect overlap. The devices and methods described herein reduce the formation of shunting current and enable the MTJ to self-align with the SOT layer in a single etching process.
BACKGROUND Field
Embodiments of the present disclosure generally relate to methods for fabricating structures used in magnetoresistive random-access memory (MRAM) applications. More specifically, embodiments of the present disclosure relate to methods for fabricating magnetic tunnel junction structures for spin-orbit torque MRAM (SOT-MRAM) applications.
Description of the Related Art
Magnetoresistive random-access memory (MRAM) is a type of memory device containing an array of MRAM cells that store data using resistance values of MRAM cells instead of electronic charges. Generally, each MRAM cell includes a magnetic tunnel junction (MTJ) structure that may have an adjustable resistance to represent a logic state “0” or “1.” The MTJ structure typically includes a stack of magnetic layers having a configuration in which two ferromagnetic layers are separated by a thin non-magnetic dielectric layer, e.g., an insulating tunneling layer. A top electrode and a bottom electrode are utilized to sandwich the MTJ structure so electric current may flow between the top and the bottom electrode.
One ferromagnetic layer, e.g., a reference layer, is characterized by a magnetization with a fixed direction. The other ferromagnetic layer, e.g., a storage layer, is characterized by a magnetization with a direction that is changeable upon writing of the device, such as by applying a magnetic field. In some devices, an insulator material layer, such as a dielectric oxide layer, may be formed as a thin tunneling barrier layer sandwiched between the ferromagnetic layers. The layers are typically deposited sequentially as overlying blanketed films. The ferromagnetic layers and the insulator material layer are subsequently patterned by various etching processes in which one or more layers are removed, either partially or totally, in order to form a device feature.
When the respective magnetizations of the reference layer and the storage layer are antiparallel, a resistance of the magnetic tunnel junction is high having a resistance value R_(max) corresponding to a high logic state “1”. On the other hand, when the respective magnetizations are parallel, the resistance of the magnetic tunnel junction is low, namely having a resistance value R_(min) corresponding to a low logic state “0”. A logic state of an MRAM cell is read by comparing its resistance value to a reference resistance value R_(ref), which is derived from a reference cell or a group of reference cells and represents an in-between resistance value between that of the high logic state “1” and the low logic state “0”.
MRAM can take various forms, including spin-transfer torque (STT) MRAM in which a spinning direction of the electrons is reversed using a spin-polarized current. The spin-polarized current is applied to STT-MRAM devices in an in-plane direction or a perpendicular direction relative to the MTJ stack. However, STT MRAM cannot consistently operate at sub-nanosecond (ns) regimes due to incubation delays, and the shared read and write terminals and large write voltage of STT MRAM limit reliability and endurance thereof.
In contrast, spin-orbit torque (SOT) MRAM causes the switching of the spinning direction of the electrons by applying a current to a heavy metal layer, or spin-orbit torque (SOT) layer, adjacent the MTJ stack. The current is applied to the SOT layer in an in-plane direction relative to the MTJ stack which enables faster writing (e.g., sub-ns switching). Furthermore, the independent read and write paths of SOT-MRAM devices provide increased endurance and device stability. Despite the aforementioned advantages, fabrication of SOT-MRAM devices can be challenging since conventional SOT-MRAM structures may exhibit current flow loss due to a mismatch in size between the MTJ stack and SOT layer. This lost current flow, otherwise known as shunting current, wastes power and can cause Joule heating. Additionally, top-pinned SOT-MRAM device structures utilize the SOT layer as an etch stop, which can negatively impact the quality of the SOT layer, thus negatively affecting overall device performance.
Accordingly, there is a need in the art for improved SOT-M RAM device structures and methods of manufacture thereof.
SUMMARY
The present disclosure generally relates to spin-orbit torque magnetoresistive random-access memory (SOT-MRAM) devices and methods of manufacture thereof.
In one embodiment, a magnetoresistive random-access memory (MRAM) device structure includes a bottom electrode having a gap therein, the gap separating a first structure and a second structure of the bottom electrode; a conductive channel formed over the gap and having an area overlapping each of the first and the second structures of the bottom electrode; and, a magnetic tunnel junction (MTJ) pillar structure disposed over the conductive channel, the MTJ pillar having a sidewall aligned with a sidewall of the conductive channel.
BRIEF DESCRIPTION OF THE DRAWINGS
So that the manner in which the above recited features of the present disclosure can be understood in detail, a more particular description of the disclosure, briefly summarized above, may be had by reference to embodiments, some of which are illustrated in the appended drawings. It is to be noted, however, that the appended drawings illustrate only exemplary embodiments and are therefore not to be considered limiting of its scope, and may admit to other equally effective embodiments.
FIG. 1 illustrates a cross-sectional side view of an exemplary spin-orbit torque magnetoresistive random-access memory (SOT-MRAM) device according to embodiments of the present disclosure.
FIG. 2A illustrates a schematic top view of an exemplary magnetic tunnel junction (MTJ) of an SOT-MRAM device according to embodiments of the present disclosure.
FIG. 2B illustrates a schematic cross-sectional side view of the MTJ of FIG. 2A according to embodiments of the present disclosure.
FIG. 3A illustrates a cross-sectional side view of an SOT-MRAM device fabricated according to embodiments of the present disclosure.
FIG. 3B illustrates a top view of a portion of the SOT-MRAM device of FIG. 3A according to embodiments of the present disclosure.
FIG. 4 illustrates a flow chart of a method of fabricating SOT-M RAM devices according to embodiments of the present disclosure.
FIGS. 5A-5G illustrate SOT-MRAM device structures at different stages of the method depicted in FIG. 4 according to embodiments of the present disclosure.
To facilitate understanding, identical reference numerals have been used, where possible, to designate identical elements that are common to the figures. It is contemplated that elements and features of one embodiment may be beneficially incorporated in other embodiments without further recitation.
DETAILED DESCRIPTION
Embodiments of the present disclosure generally include spin-orbit torque magnetoresistive random-access memory (SOT-MRAM) devices and methods of manufacture thereof. SOT-MRAM devices rely on inducing spin current (i.e., SOT) via spin-orbit coupling in a free magnetic layer by applying an in-plane electric current to an adjacent SOT or channel layer. Thus, it is desirable to have all electric current passing through the SOT layer to pass under a magnetic tunnel junction (MTJ) of an SOT-MRAM device in order to maximize the Spin Hall effect and induce spin accumulation.
Conventional SOT-M RAM devices, however, can experience electric current flow loss in the form of shunting current, which includes electric current passing through the SOT layer and nonadjacent to the MTJ stack. Shunting current may be generated when a width of the SOT layer is greater than a width of the MTJ stack and/or when a total depth of the SOT layer is greater than an effective SOT depth, enabling electric current to pass through the SOT layer remote from the MTJ stack. Shunting current wastes power and causes Joule heating, therefore reducing switching efficiency of SOT-MRAM devices and negatively impacting thermal stability thereof.
Additionally, conventional methods of fabrication of SOT-MRAM devices can be challenging, for example, because of defects that can occur in the SOT layer. Defects in the SOT layer can occur, for example, when the SOT layer is utilized as an etch stop during etching of the MTJ stack. Defects in the SOT layer can negatively impact the quality of the SOT layer and thus, negatively impact the magnetic and electrical properties of the overall SOT-M RAM device.
The SOT-MRAM devices described herein include an SOT layer laterally aligned with a magnetic tunnel junction (MTJ) stack and formed over a spacer disposed between interconnect structures. The elimination of the SOT layer outside the area of the MTJ stack causes electric current to pass from the interconnect to the SOT layer by SOT-interconnect overlap, reducing or eliminating the formation of shunting current. Additionally, the patterning of the MTJ stack and the SOT layer in a single etch process enables self-alignment of the MTJ with the SOT layer and reduces the formation of defects in the SOT layer caused when using the SOT layer as an etch stop.
The use of “substantially” or “about” herein should be understood to mean within +/−10% of the corresponding value or amount.
FIG. 1 illustrates a cross-sectional view of a conventional spin-orbit torque MRAM (SOT-MRAM) device 100. The SOT-MRAM device 100 in FIG. 1 includes an MTJ stack 106 formed on an SOT layer 104, which acts as a conductive channel for electrical current provided from first interconnect structures 102 and 103. The MTJ stack 106 includes a free layer 108 having a free magnetization, a reference layer 112 having a fixed or pinned magnetic moment, and a tunnel barrier layer 110 used to decouple the aforementioned magnetic layers. The free layer 108 is in direct contact with the SOT layer 104 and the tunnel barrier 110. The reference layer 112 directly contacts the tunnel barrier 110 and has a second interconnect structure 114 formed thereover. Although not shown in FIG. 1 , one or more additional layers may be formed between the reference layer 112 and the second interconnect structure 114. Altogether, the free layer 108, tunnel barrier layer 110, and reference layer 112 are configured such that, electrical current through the tunnel barrier layer 110 is low when the directions of electron spin polarizations of the reference layer 112 and the free layer 108 are aligned in parallel, resulting in a low-resistance state of the MTJ stack 106. When the polarization directions of the reference layer 112 and the free layer 108 are anti-parallel, electrical resistance of the MTJ stack 106 increases.
FIGS. 2A and 2B illustrate the flow of electric current 116 through the SOT layer 104 of the SOT-MRAM device 100. FIG. 2A illustrates a schematic top view of a portion of the SOT-MRAM device 100, while FIG. 2B illustrates a schematic cross-sectional side view of the SOT-M RAM device 100. Accordingly, FIGS. 2A and 2B will be herein described together for clarity.
As depicted in FIG. 2A, the electric current 116 flowing through the SOT layer 104 includes effective electric current 118 passing directly below the MTJ stack 106 and shunting current 120 passing outside the area of the MTJ stack 106. Because the effective electric current 118 flows directly under the MTJ stack 106 and in close proximity thereof, the effective electric current 118 contributes to the switching of the free layer 108. Shunting current 120, however, due to the remoteness thereof from the MTJ stack 106, is drawn through a path parallel to that of the effective electric current 118 but has no effect on the spin-orbit coupling of the free layer 108 and may thus be described as lost current. Not only does shunting current 120 effectively reduce the Spin Hall effect, but it also generates Joule heating that makes switching undetectable.
Similarly, as depicted in FIG. 2B, the SOT layer 104 has an effective depth D from a lower end of the MTJ stack 106 within which the electric current 116 will have an effect on (e.g., contribute to) switching of the SOT-MRAM device 100. Current flowing within the effective depth D, and directly below the MTJ stack 106, is effective electric current 118, and thus, contributes to the switching of the free layer 108 of the SOT-MRAM device 100. Current flowing below the effective depth D and/or outside the area of the MTJ stack 106 is shunting current 120, which is undesirable as described above.
FIGS. 3A and 3B illustrate an SOT-MRAM device 300 fabricated according to embodiments of the present disclosure. The SOT-MRAM device 300 has decreased current flow loss and improved switching efficiency as compared to conventional SOT-MRAM devices. FIG. 3A illustrates a cross-sectional side view of the SOT-MRAM device 300, while FIG. 3B illustrates a top view of a portion of the SOT-M RAM device 300. Accordingly, FIGS. 3A and 3B will be herein described together for clarity.
The SOT-MRAM device 300 includes an MTJ stack 306 formed over an SOT layer 304 and first interconnect structures 302 and 303. The first interconnect structures 302 and 303 can be referred to as a metal line, metal lines, or a bottom electrode, since the conductive first interconnect structures 302 and 303 electrically couple to the SOT layer 304 and act to transfer current through the SOT layer 304. In certain embodiments, the first interconnect structures 302 and 303 are formed from copper (Cu), tungsten (W), tantalum (Ta), tantalum nitride (TaN), titanium (Ti), titanium nitride (TiN), combinations thereof, or the like. The first interconnect structures 302 and 303 have a first lateral dimension (e.g., length or width) L₁ and a second lateral dimension L₂ (shown in FIG. 3B), the second later dimension L₂ substantially equal to or about equal to a width J of the SOT layer 304 and the MTJ stack 306. In certain embodiments, lateral dimensions L₁ and/or L₂ are substantially equal to or greater than about 20 nm, such as at least about 25 nm or about 30 nm. Furthermore, in certain embodiments, the lateral dimensions L₁ and L₂ are substantially the same. The dimensions of the first interconnect structures 302 and 303 are selected based on a desired amount of current to be transferred through the SOT layer 304 and the electrical characteristics of the SOT layer 304 and the MTJ stack 306.
The first interconnect structures 302 and 303 are separated from each other by a spacer 322 having a first lateral dimension G₁ and a second lateral dimension G₂ substantially equal to or about equal to a lateral dimension L₂ (shown in FIG. 3B) of the first interconnect structures 302 and 303. In certain embodiments, the first lateral dimension G₁ is substantially equal to or greater than about 20 nm, such as at least about 25 nm or about 30 nm. The lateral dimensions of the spacer 322 are selected based on the dimensions of the SOT layer 304 such as the width J, as well as the desired amount of current to be transferred through the SOT layer 304 and the electrical characteristics of the SOT layer 304 and the MTJ stack 306. The spacer 322 can be referred to as a spacer layer, gap, or a gap layer, since the spacer 322 physically and electrically separates the first interconnect structures 302 and 303, thus enabling current to be transferred through the SOT layer 304. In certain embodiments, the spacer 322 comprises a gap-fill material such as a dielectric material. Examples of suitable dielectric materials that may be utilized for the spacer 322 include oxides such as silicon dioxide (SiO₂) and metal oxides (e.g., aluminum oxide (Al₂O₃), nitrides such as silicon nitride (Si₃N₄) or silicon carbonitride (SiCN), combinations of oxides and nitrides such as silicon oxynitride (N₂OSi), and the like. In various examples, the spacer 322 can be formed in-situ where the SOT layer 304 is formed. In another example, the spacer 322 is formed in a different process chamber (ex-situ) than the process chamber used to form the SOT layer 304
The SOT layer 304 is deposited over the spacer 322 and the first interconnect structures 302 and 303. The SOT layer 304 has a thickness T₁ and a width (e.g., diameter) J that is substantially equal to a width of the MTJ stack 306 such that sidewalls 304 a of the SOT layer 304 are aligned with sidewalls 306 a of the MTJ stack 306. Thus, it can be said that the SOT layer 304 and the MTJ stack 306 share a central axis 340 and/or have a common width J. The MTJ stack 306 is deposited over the SOT layer 304 and includes a free layer 308 having a free magnetization, a reference layer 312 having a fixed magnetization, and a tunnel barrier layer 310 disposed therebetween. The free layer 308 is in direct contact with the SOT layer 304 and the tunnel barrier layer 310. The free layer 308 can be formed as a single layer or as a plurality of interlayers. In certain embodiments, the free layer 308 is formed from magnetic materials such as cobalt (Co), iron (Fe), boron (B), magnesium (Mg), magnesium oxide (Mg), combinations thereof, alloys thereof, or the like. In one example, the free layer 308 is formed from CoFeB—MgO.
The tunnel barrier layer 310 can be formed as a single layer or as a plurality of interlayers. In certain embodiments, the tunnel barrier layer 310 is formed of one or more oxides. For example, the tunnel barrier layer 310 can be formed of MgO. The tunnel barrier layer 310 has a thickness between about 1 and about 25 Angstroms, such as between about 10 and about 20 Angstroms.
The reference layer 312 is deposited over the tunnel barrier layer 310 and can be formed as a single layer or as a plurality of interlayers. In certain embodiments, the reference layer 312 is formed of CoFe, CoFeB, FeB, Ta, molybdenum (Mo), ruthenium (Ru), combinations thereof, alloys thereof, or the like.
Depending upon the example, each of the free layer 308, tunnel barrier layer 310, and the reference layer 312 can be a single layer or can include interlayers. In some examples of the MTJ stack 306, additional layers can be included between the free layer 308 and the SOT layer 304 and between the reference layer 312 and a second interconnect structure 314 (described below in further detail) disposed thereon. For example, the MTJ stack 306 may include a metal pinning layer disposed between the reference layer 312 and the second interconnect structure 314, such as a Co or Pt pinning layer.
Although FIG. 3B illustrates the MTJ stack 306 (and thus, the SOT layer 304 disposed below) to have a circular cross-section from the top-down, it is contemplated in other examples that the cross-sectional geometry of the top-view that includes the MTJ stack 306 and the SOT layer 304 can be an ellipse, polygon, triangle, or other shape or combination of shapes that can be aligned in various manners over the spacer 322 and the first interconnect structures 302 and 303. Furthermore, FIG. 3B is used to illustrate the position of the SOT layer 304 relative to the first interconnect structures 302 and 303. Conventionally, if the SOT layer 304 is misaligned with a metal layer, current loss can occur. However, in examples of SOT-MRAM devices discussed herein, as long as the SOT layer 304 overlaps with each of the first interconnect structures 302 and 303, current loss associated with misalignment is significantly reduced or eliminated. The SOT-MRAM device 300 transmits current through the SOT layer 304 via the first interconnect structures 302 and 303 that are electrically coupled to one another via only the SOT layer 304, which reduces or eliminates current loss and increases the switching efficiency of the SOT-MRAM device 300.
The structures previously described with reference to FIG. 3A are formed in part by etching a target stack including the MTJ stack 306, the SOT layer 304, and the first interconnect structures 302 and 303 having the spacer 322 disposed therebetween. In certain embodiments, the SOT-MRAM device 300 further includes an encapsulation layer 324 extending circumferentially around the SOT layer 304 and the MTJ stack 306. The encapsulation layer 324 is formed to cover sidewalls 306 a of the MTJ stack 306 and a sidewall 304 a of the SOT layer 304. In some examples, the encapsulation layer 324 further extends along top surfaces 302 a and 303 a of the first interconnect structures 302 and 303, respectively. The encapsulation layer 324 acts to protect the MTJ stack 306 and the SOT layer 304 from subsequent patterning processes. The encapsulation layer 324 further acts to separate the first interconnect structures 302 and 303 from a subsequently formed dielectric fill layer 326. The encapsulation layer 324 can be formed of one or more dielectric materials such as silicon nitride (SiN), silicon carbonitride (SiCN), silicon oxynitride (SiON), aluminum oxide (Al₂O₃), and/or the like.
The dielectric fill layer 326 is formed to encompass the encapsulation layer 326 disposed around the MTJ stack 306 and the SOT layer 304. In certain embodiments, the dielectric fill layer 326 comprises a gap-fill material such as a dielectric material. Examples of suitable dielectric materials that may be utilized for the dielectric fill layer 326 include low temperature oxides, nitrides, combinations of oxides and nitrides, and the like. In various examples, the dielectric fill layer 326 can be formed in-situ when the SOT layer 304 and MTJ stack 306 are formed. In another example, the dielectric fill layer 326 is formed in a different process chamber (ex-situ) than the process chamber used to form the SOT layer 304 and the MTJ stack 306.
The second interconnect structure 314 is formed over the reference layer 312 of the MTJ stack 306. Similar to the first interconnect structures 302 and 303, the second interconnect structure 314 can be referred to as a metal line, metal lines, or a top electrode, since the second interconnect structure 314 electrically couples to the reference layer 312 and acts to transfer current thereto. In certain embodiments, the second interconnect structure 314 is formed from copper (Cu), tungsten (W), tantalum (Ta), tantalum nitride (TaN), titanium (Ti), titanium nitride (TiN), combinations thereof, or the like.
The SOT-M RAM devices discussed herein can be fabricated in various manners. Example methods and structures resulting from those methods are described below. Various elements of the methods below can be combined and utilized to form the SOT-MRAM structures described herein. FIGS. 4 and 5A-5G discuss various fabrication operations and sub-operations used to fabricate SOT-MRAM device structures, as well as structure resulting therefrom. It is contemplated that elements of methods discussed herein can be combined to form SOT-MRAM devices with high-quality MTJ stack/SOT layer interfaces and commercially viable magnetic and electrical properties.
FIG. 4 is a flowchart of a fabrication method 400 for SOT-MRAM according to embodiments of the present disclosure. The method 400 has multiple operations. The method may include one or more additional operations which are carried out before any of the defined operations, between two of the defined operations, or after all of the defined operations (except where the context excludes the possibility). FIGS. 5A-5G illustrate structures resulting from operations of the fabrication 400. Thus, FIGS. 4 and 5A-G are discussed together below and are directed towards forming an SOT-MRAM structure substantially similar to the SOT-M RAM device 300 of FIG. 3.
The process begins at operation 402 by providing a bottom electrode or interconnect structure, such as interconnect layer 500, having first interconnect structures 502 and 503 separated by a spacer 522 as shown in FIG. 5A. The interconnect layer 500 may be formed in-situ or ex-situ (with or without breaking vacuum) in relation to the remaining operations of the method 400. For example, the interconnect layer 500 may be formed in one or more processing chambers incorporated in a cluster processing system suitable for manufacturing of SOT-MRAM structures. In certain embodiments, the interconnect layer 500 is formed on a base (not shown), such as a substrate comprising metal or glass, silicon, dielectric bulk material and metal alloys or composite glass, crystalline silicon (e.g., Si<100> or Si<111>), silicon oxide, strained silicon, silicon germanium, doped or undoped polysilicon, doped or undoped silicon wafers and patterned or non-patterned wafers, silicon on insulator (SOI), carbon doped silicon oxides, silicon nitride, doped silicon, germanium, gallium arsenide, glass, or sapphire. The base may have various dimensions, such as 200 mm, 300 mm, 450 mm, or other diameters or widths, and may also be a rectangular or square panel.
As described above, the first interconnect structures 502 and 503 are formed from Cu, W, Ta, TaN, Ti, TiN, aluminum (Al), nickel (Ni), combinations thereof, or the like. The spacer 522 is formed from a gap-fill material, such as a dielectric material. Examples of suitable dielectric materials include oxides such as SiO₂ and Al₂O₃, nitrides such as Si₃N₄, combinations of oxides and nitrides such as N₂OSi, and the like. In certain embodiments, the spacer 522 is formed of SiN, SiCN, SiON, SiC, amorphous carbon, silicon oxycarbide (SiOC), combinations thereof, and the like. The spacer 522 may be formed using physical vapor deposition (PVD), chemical vapor deposition (CVD), or other suitable methods or combinations thereof. Further, the spacer 522 may be planarized to remove a portion thereof via chemical mechanical polishing (CMP) such that a top surface 522 a of the spacer 522 is co-planar with top surfaces 502 a and 503 a of the first interconnect structures 502 and 503, respectively.
At operation 404, a film stack 530 and a hardmask layer 532 are disposed over the interconnect layer 500, as shown in FIG. 5B. The film stack 530 and the hardmask layer 532 may be formed in the same or different processing chamber as the interconnect layer 500. The film stack 530 includes an SOT layer 504, a free layer 508 having a free magnetization, a reference layer 512 having a fixed or pinned magnetic moment, and a tunnel barrier layer 510 used to decouple the free layer 508 and the reference layer 512. The free layer 508, the tunnel barrier layer 510, and the reference layer 512 may together be referenced as MTJ stack 506. Though the film stack 530 described with reference to FIGS. 4 and 5A-G only includes four layers, it is noted that additional or multiple film layers can be further formed in the film stack 530 as desired.
The SOT layer 504 is deposited over the interconnect layer 500 via any suitable deposition process. In certain embodiments, the SOT layer 504 is deposited over the interconnect layer 500 via PVD sputtering. The SOT layer 504 is formed over the interconnect layer 500 such that a lateral area of the SOT layer 504 overlaps with the spacer 522 as well as each of the first interconnect structures 502 and 503. As described above, the SOT layer 504 is formed from suitable heavy metals, such as W, Ta, Pt, or combinations or alloys thereof. Depending upon the example, a thickness of the SOT layer 504 can be from about 3 mm to about 10 mm.
Similarly, the MTJ stack 506 can be formed over the SOT layer 504 in a series of PVD sputtering sub-operations without breaking vacuum in between the formation of the individual layers thereof and/or in between formation of the SOT layer 504 and the MTJ stack 506. Accordingly, each of the free layer 508, the tunnel barrier layer 510, and the reference layer 512, are formed in a process chamber held under vacuum pressure. Maintaining vacuum between fabrication of the various layers promotes formation of high quality interfaces therebetween. One or more sputtering targets can be used in the PVD operations to form the MTJ stack 506. For example, the free layer 508 is formed via PVD sputtering from Co, Fe, B, Mg, or MgO, or via PVD sputtering from Mg and subsequent oxidation. The tunnel barrier layer 510 is formed via PVD sputtering from MgO, or via PVD sputtering from Mg and subsequent oxidation. The reference layer 512 is formed via PVD sputtering from Co, Fe, B, Ta, Mo, Ru, or combinations thereof.
The hardmask layer 532 is formed over the film stack 530 and is later utilized as an etching mask layer during subsequent pattering and/or etching processes. The hardmask layer 532 is from any suitable material, including CoFeB, MgO, Ta, W, Pt, copper bismuth (CuBi), Mo, Ru, iridium (Ir), alloys thereof, or combinations thereof.
At operation 406 and FIG. 5C, a first patterning process (e.g., an etching process) is performed to pattern the hardmask layer 532. The hardmask layer 532 is patterned to have substantially equal or about equal lateral dimensions to the subsequently etched MTJ stack 506 and SOT layer 504 (e.g., a width J). Thus, after patterning, the hardmask layer 532 is disposed over the spacer 522 and overlaps each of the first interconnect structures 502 and 503 by a distance M between about 1 Angstrom to about 100 Angstroms, such between about 20 Angstroms and about 80 Angstroms, such as between about 40 Angstroms and about 60 Angstroms. For example, the hardmask layer 532 overlaps each of the first interconnect structures 502 and 503 by a distance M of about 50 Angstroms.
At operation 408, a second patterning process (e.g., an etching process) is performed to pattern the entire film stack 530 exposed by the patterned hardmask layer 532 as shown in FIG. 5D. It is noted that the patterned hardmask layer 532 may be intended to remain upon the film stack 530 in certain embodiments, forming as part of the MTJ stack 506 after the second patterning process performed at operation 408. In other embodiments, the hardmask layer 352 may be removed after the second patterning process by any suitable ash or stripping process.
During the second patterning process, an etching gas mixture or several gas mixtures with different etching species are sequentially supplied into the film stack 530 surfaces to remove the portions of the film stack 530 exposed by the patterned hardmask layer 532. For example, the film stack 530 is exposed to an H2 and O₂ plasma etching treatment or an H₂ and CO plasma treatment.
The second patterning process may be carried out utilizing the first interconnect structures 502 and 503 as an etch stop layer as compared to the SOT layer 504, which is conventionally used as an etch stop layer and may result in damage thereto, negatively affecting performance of the final SOT-MRAM device or structure. Thus, complexity of the second patterning process is reduced, as the first interconnect structures 502 and 503 are generally thick and may be over-etched without impacting the performance of the final SOT-MRAM device or structure. The patterning of both the MTJ stack 506 and the SOT layer 504 in a single etching process further results in the efficient formation of the MTJ stack 506 and the SOT layer 504 having substantially aligned sidewalls 506 a and 504 a and reduced footing. As described above, the patterned MTJ stack 506 and SOT layer 504 share a common width J that is substantially uniform throughout the individual layers and overlaps each of the first interconnect structures 502 and 503 by at least a distance M between about 1 Angstrom to about 100 Angstroms. As discussed above, minimizing the distance M of the SOT layer 504 enables an increased active area of the SOT layer 504 and decreased resistance therethrough. Thus, although the SOT layer 504 is patterned to overlap over the first interconnect structures 502 and 503, the overlap is kept minimal.
The end point of the second patterning process at operation 408 may be controlled by time or other suitable method. For example, the patterning process may be terminated after performing the patterning process for between about 200 seconds and about 10 minutes, until the underlying top surfaces 302 a and 303 a of the first interconnect structures 302 and 303 are exposed, as shown in FIG. 5D. The patterning process may be terminated by determination from an endpoint detector, such as an optoelectronic (OED) detector or other suitable detector as needed.
It is noted that although described and depicted as having a substantially vertical sidewall profile after patterning, the MTJ stack 506 and SOT layer 504 may have tapered sidewalls or any suitable sidewall profiles with desired slopes as needed.
At operation 410 and FIG. 5E, an optional deposition process is performed to form an encapsulation layer 524 over exposed surfaces of the MTJ stack 506 and the SOT layer 504, as well as exposed surfaces of the first interconnect structures 502 and 503 and/or the spacer 522. In certain examples, the encapsulation layer 524 is formed directly over a top surface of the reference layer 512 after removal of the hardmask layer 532. In other examples, the encapsulation layer 524 is formed over the hardmask layer 532 remaining on the reference layer 512. The encapsulation layer 524 may be formed ex-situ or in-situ using PVD, CVD, atomic layer deposition (ALD), or any other suitable processes. The encapsulation layer 524 protects the MTJ stack 506 and the SOT layer 504 during subsequent fabrication operations and use thereof, for example, by preventing oxidation thereof. In certain embodiments, the encapsulation layer 524 is formed of SiN, SiCN, SiON, Al₂O₃, and/or the like to various thicknesses, for example, from about 5 nm to about 30 nm.
At operation 412, a dielectric fill layer 526 is deposited over the encapsulation layer 524 and planarized as shown in FIG. 5F. The dielectric fill layer 526 can be deposited utilizing any suitable deposition processes, including CVD, PVD, ALD, spin-coating, spray-coating, and the like. The dielectric fill layer 526 is formed from suitable dielectric materials such as low temperature oxides, nitrides, combinations thereof, and the like. During the planarization at operation 412, a portion of the dielectric fill layer 526 can be removed using CMP to form a top surface 526 a that is substantially co-planar with a top surface of the encapsulation layer 524, a top surface of the hardmask layer 532, or a top surface of the MTJ stack 506. In certain embodiments, the CMP process may also be utilized to remove a portion of the encapsulation layer 524, as depicted in FIG. 5F. The CMP process as performed may remove the excess dielectric fill layer 526 and/or the encapsulation layer 526 without adversely damaging or over-polishing the nearby materials when the MTJ stack 506 is exposed, such as by utilizing a relatively low polishing downforce and slow polishing rate. As further depicted in FIG. 5F, the hardmask layer 532 has been removed via stripping or ashing and the dielectric fill layer 526 has been planarized to be co-planar with a top surface of the MTJ stack 506.
After formation of the dielectric fill layer 526, metal line lithography or any other suitable metal deposition processes may be performed at operation 414 to form one or more second interconnect structures 514 over the MTJ stack 506. As depicted in FIG. 5G, the second interconnect structure 514 is formed over the reference layer 512 of the MTJ stack 506 and can be referred to as a metal line or metal lines, since the second interconnect structure 514 electrically couples to the reference layer 512 and acts to transfer current thereto. In certain embodiments, the second interconnect structure 514 is formed from copper (Cu), tungsten (W), tantalum (Ta), tantalum nitride (TaN), titanium (Ti), titanium nitride (TiN), combinations thereof, or the like.
Upon completion of operation 414, further operations can be executed on SOT-MRAM device 550, including annealing operations. The SOT-MRAM device 550 shown in FIG. 5G is fabricated to withstand further processing at temperatures on the order of 400° C. while maintaining commercially viable electrical and magnetic properties.
The SOT-MRAM devices described herein are fabricated to include an SOT layer laterally aligned with an MTJ stack and formed over a spacer disposed between two interconnect structures. The elimination of the SOT layer outside the area of the MTJ stack causes electric current to pass from the interconnect to the SOT layer by SOT-interconnect overlap, reducing or eliminating the formation of shunting current or current loss and reducing overall SOT line resistance. Additionally, the patterning of the MTJ stack and the SOT layer in a single etch process enables self-alignment of the MTJ with the SOT layer and reduces the formation of defects in the SOT layer caused during conventional processes using the SOT layer as an etch stop.
While the foregoing is directed to embodiments of the present disclosure, other and further embodiments of the disclosure may be devised without departing from the basic scope thereof, and the scope thereof is determined by the claims that follow.
What is claimed is:
1. A magnetoresistive random-access memory (MRAM) device structure, comprising: a bottom electrode having a gap therein, the gap separating a first structure and a second structure of the bottom electrode; a conductive channel formed over the gap and having an area overlapping each of the first and the second structures of the bottom electrode; and a magnetic tunnel junction (MTJ) pillar structure disposed over the conductive channel, the MTJ pillar having a sidewall aligned with a sidewall of the conductive channel; a free layer disposed on the conductive channel and having a free magnetization; a tunneling barrier layer disposed over the free layer; and a reference layer disposed over the tunneling barrier layer and having a fixed magnetic moment; an encapsulation layer formed around the MTJ pillar and over the conductive channel, the encapsulation layer comprising silicon nitride (SiN), silicon carbonitride (SiCN), silicon oxynitride (SiON), or aluminum oxide (Al₂O₃); and a dielectric fill layer formed over the encapsulation layer and having a top surface coplanar with a top surface of the MTJ pillar.
2. The MRAM device structure of claim 1, wherein the gap is filled with an oxide material.
3. The MRAM device structure of claim 2, wherein the gap is filled with a material comprising silicon dioxide.
4. The MRAM device structure of claim 1, wherein the conductive channel overlaps each of the first and the second structures of the bottom electrode by a distance between about 1 Angstrom and 100 Angstroms.
5. The MRAM device structure of claim 1, wherein the dielectric fill layer comprises a low temperature oxide, nitride, or combination thereof.
6. The MRAM device structure of claim 1, further comprising: a top electrode formed over the MTJ pillar opposite of the conductive channel.
7. A magnetoresistive random-access memory (MRAM) device structure, comprising: a bottom electrode having a gap therein, the gap separating a first conductive structure and a second conductive structure of the bottom electrode; a spin-orbit torque (SOT) layer formed over the gap and having an area overlapping each of the first and the second conductive structures of the bottom electrode; a magnetic tunnel junction (MTJ) pillar structure disposed over the SOT layer, the MTJ pillar having lateral dimensions substantially equal to the SOT layer, the MTJ pillar further comprising: a free layer disposed on the SOT layer and having a free magnetization; a tunneling barrier layer disposed over the free layer; and a reference layer disposed over the tunneling barrier layer and having a fixed magnetic moment; and a top electrode disposed over the MTJ pillar and opposite of the SOT layer; an encapsulation layer formed around the MTJ pillar and over the SOT layer, the encapsulation layer comprising silicon nitride (SiN), silicon carbonitride (SiCN), silicon oxynitride (SiON), or aluminum oxide (Al₂O₃); and a dielectric fill layer formed over the encapsulation layer and having a top surface coplanar with a top surface of the MTJ pillar, the dielectric fill layer comprising a low temperature oxide, nitride, or combination thereof.
8. The MRAM device structure of claim 7, wherein the gap is filled with an oxide material.
9. The MRAM device structure of claim 8, wherein the gap is filled with a material comprising silicon dioxide.
10. The MRAM device structure of claim 7, wherein the SOT layer overlaps each of the first and the second conductive structures of the bottom electrode by a distance between about 1 Angstrom and 100 Angstroms..
| 15,217 |
https://github.com/planimir77/x-shopping-list/blob/master/src/app/item/item-add-component/item-add.component.scss | Github Open Source | Open Source | MIT | null | x-shopping-list | planimir77 | SCSS | Code | 82 | 298 | .mat-icon-button {
line-height: 45px;
}
:host {
.mat-icon {
font-size: 32px;
color: lime;
}
}
form {
padding-left: 1.4rem !important;
padding-right: 1.4rem !important;
}
::ng-deep .add-form-field {
margin-left: 1rem;
width: calc(100% - 6rem);
&.ng-untouched {
&.mat-focused {
.mat-form-field-label {
color: #b88fff !important;
}
}
}
&.ng-touched {
&.ng-valid {
&.mat-focused {
.mat-form-field-label {
color: #b88fff !important;
}
}
}
}
}
::ng-deep .warning {
background: yellow !important;
color: black !important;
margin-top: 158px !important;
.mat-simple-snackbar{
font-size: 22px !important;
justify-content: center !important;
}
}
| 17,527 |
1256651_1 | Caselaw Access Project | Open Government | Public Domain | 1,997 | None | None | English | Spoken | 223 | 323 | —In an action to recover damages for personal injuries, etc., the defendant appeals from a judgment of the Supreme Court, Queens County (Price, J.), dated January 31, 1996, which, upon a jury verdict, is in favor of the plaintiffs and against it in the principal sum of $430,057.
Ordered that the judgment is affirmed, with costs.
Contrary to the defendant's contention, the Supreme Court properly admitted photographs of the accident scene as evidence that the defendant had constructive notice of the parking lot in which the injured plaintiff fell. The injured plaintiff s testimony established that the photographs were taken six days after the accident and accurately depicted the scené on the day of the accident (see, Taylor v New York City Tr. Auth., 48 NY2d 903; Batton v Elghanayan, 43 NY2d 898; see also, Farrar v Teicholz, 173 AD2d 674). Nor did the Supreme Court err in refusing to sever the liability and damages issues for separate trials (see, CPLR 603; 22 NYCRR 202.42; Kaufman v Eli Lilly & Co., 65 NY2d 449). Furthermore, the jury's verdict did not deviate materially from what would be reasonable compensation (see, CPLR 5501 [c]; Dopwell v City of New York, 227 AD2d 436).
The defendant's remaining contentions are either unpreserved for appellate review or without merit. Bracken, J. P., Miller, Sullivan and McGinity, JJ., concur..
| 25,745 |
https://github.com/ahmedaabouzied/goconsole/blob/master/cmd/list.go | Github Open Source | Open Source | MIT | 2,020 | goconsole | ahmedaabouzied | Go | Code | 160 | 370 | package cmd
import (
"errors"
"fmt"
"io/ioutil"
"log"
"os"
"github.com/spf13/cobra"
)
var listCommand = &cobra.Command{
Use: "ls",
Short: "List the contents of the a directory",
Long: "Lists the contents of the specified directory. If no directory is specified it lists the contents of the current direcotry.",
Run: func(cmd *cobra.Command, args []string) {
list(args)
},
}
func init() {
rootCmd.AddCommand(listCommand)
}
// list the contents of current directory.
// if a directory is provided it will
// list that directory instead
func list(c []string) {
var err error
var files []os.FileInfo
// check for number of args
switch len(c) {
// if no directory is provided
case 0:
files, err = ioutil.ReadDir("./")
// if a directory is provided
case 1:
files, err = ioutil.ReadDir(c[0])
default:
err = errors.New(" ls : Too many arguments")
}
if err != nil {
log.Fatal(err)
}
// print the files array contents each at a time
for _, file := range files {
fmt.Println(file.Name())
}
}
| 18,814 |
https://github.com/lechium/iOS1351Headers/blob/master/System/Library/PrivateFrameworks/UIKitCore.framework/_UIImageIOSurfaceContent.h | Github Open Source | Open Source | MIT | 2,022 | iOS1351Headers | lechium | C | Code | 78 | 301 | /*
* This header is generated by classdump-dyld 1.5
* on Friday, April 30, 2021 at 11:35:03 AM Mountain Standard Time
* Operating System: Version 13.5.1 (Build 17F80)
* Image Source: /System/Library/PrivateFrameworks/UIKitCore.framework/UIKitCore
* classdump-dyld is licensed under GPLv3, Copyright © 2013-2016 by Elias Limneos. Updated by Kevin Bradley.
*/
#import <UIKitCore/UIKitCore-Structs.h>
#import <UIKitCore/_UIImageContent.h>
@interface _UIImageIOSurfaceContent : _UIImageContent {
IOSurfaceRef _surfaceRef;
}
-(void)dealloc;
-(BOOL)isEqual:(id)arg1 ;
-(unsigned long long)hash;
-(id)description;
-(id)initWithScale:(double)arg1 ;
-(CGSize)sizeInPixels;
-(BOOL)canProvideCGImage;
-(IOSurfaceRef)IOSurface;
-(BOOL)isIOSurface;
-(id)initWithIOSurface:(IOSurfaceRef)arg1 scale:(double)arg2 ;
@end
| 21,198 |
https://github.com/Swrrt/Samza-Snapshot/blob/master/samza-core/src/test/java/org/apache/samza/processor/TestStreamProcessor.java | Github Open Source | Open Source | Apache-2.0, MIT, OFL-1.1 | 2,019 | Samza-Snapshot | Swrrt | Java | Code | 784 | 2,805 | /*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
package org.apache.samza.processor;
import org.apache.samza.SamzaContainerStatus;
import org.apache.samza.SamzaException;
import org.apache.samza.config.Config;
import org.apache.samza.config.MapConfig;
import org.apache.samza.container.RunLoop;
import org.apache.samza.container.SamzaContainer;
import org.apache.samza.coordinator.JobCoordinator;
import org.apache.samza.job.model.ContainerModel;
import org.apache.samza.job.model.JobModel;
import org.apache.samza.metrics.MetricsReporter;
import org.apache.samza.task.StreamTask;
import org.apache.samza.task.StreamTaskFactory;
import org.junit.After;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import java.util.HashMap;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.ConcurrentMap;
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicReference;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.doAnswer;
import static org.mockito.Mockito.doReturn;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
public class TestStreamProcessor {
private ConcurrentMap<ListenerCallback, Boolean> processorListenerState;
private enum ListenerCallback {
ON_START, ON_SHUTDOWN, ON_FAILURE
}
@Before
public void before() {
processorListenerState = new ConcurrentHashMap<ListenerCallback, Boolean>() {
{
put(ListenerCallback.ON_START, false);
put(ListenerCallback.ON_FAILURE, false);
put(ListenerCallback.ON_SHUTDOWN, false);
}
};
}
@After
public void after() {
processorListenerState.clear();
}
class TestableStreamProcessor extends StreamProcessor {
private final CountDownLatch containerStop = new CountDownLatch(1);
private final CountDownLatch runLoopStartForMain = new CountDownLatch(1);
public SamzaContainer container = null;
public TestableStreamProcessor(
Config config,
Map<String, MetricsReporter> customMetricsReporters,
StreamTaskFactory streamTaskFactory,
StreamProcessorLifecycleListener processorListener,
JobCoordinator jobCoordinator,
SamzaContainer container) {
super(config, customMetricsReporters, streamTaskFactory, processorListener, jobCoordinator);
this.container = container;
}
@Override
SamzaContainer createSamzaContainer(String processorId, JobModel jobModel) {
if (container == null) {
RunLoop mockRunLoop = mock(RunLoop.class);
doAnswer(invocation ->
{
try {
runLoopStartForMain.countDown();
containerStop.await();
} catch (InterruptedException e) {
System.out.println("In exception" + e);
e.printStackTrace();
}
return null;
}).when(mockRunLoop).run();
doAnswer(invocation ->
{
containerStop.countDown();
return null;
}).when(mockRunLoop).shutdown();
container = StreamProcessorTestUtils.getDummyContainer(mockRunLoop, mock(StreamTask.class));
}
return container;
}
SamzaContainerStatus getContainerStatus() {
if (container != null) return container.getStatus();
return null;
}
}
private JobModel getMockJobModel() {
Map containers = mock(Map.class);
doReturn(true).when(containers).containsKey(anyString());
when(containers.get(anyString())).thenReturn(mock(ContainerModel.class));
JobModel mockJobModel = mock(JobModel.class);
when(mockJobModel.getContainers()).thenReturn(containers);
return mockJobModel;
}
/**
* Tests stop() method when Container AND JobCoordinator are running
*/
@Test
public void testStopByProcessor() throws InterruptedException {
JobCoordinator mockJobCoordinator = mock(JobCoordinator.class);
final CountDownLatch processorListenerStop = new CountDownLatch(1);
final CountDownLatch processorListenerStart = new CountDownLatch(1);
TestableStreamProcessor processor = new TestableStreamProcessor(
new MapConfig(),
new HashMap<>(),
mock(StreamTaskFactory.class),
new StreamProcessorLifecycleListener() {
@Override
public void onStart() {
processorListenerState.put(ListenerCallback.ON_START, true);
processorListenerStart.countDown();
}
@Override
public void onShutdown() {
processorListenerState.put(ListenerCallback.ON_SHUTDOWN, true);
processorListenerStop.countDown();
}
@Override
public void onFailure(Throwable t) {
processorListenerState.put(ListenerCallback.ON_FAILURE, true);
}
},
mockJobCoordinator,
null);
final CountDownLatch coordinatorStop = new CountDownLatch(1);
final Thread jcThread = new Thread(() ->
{
try {
processor.jobCoordinatorListener.onNewJobModel("1", getMockJobModel());
coordinatorStop.await();
processor.jobCoordinatorListener.onCoordinatorStop();
} catch (InterruptedException e) {
e.printStackTrace();
}
});
doAnswer(invocation ->
{
coordinatorStop.countDown();
return null;
}).when(mockJobCoordinator).stop();
doAnswer(invocation ->
{
jcThread.start();
return null;
}).when(mockJobCoordinator).start();
processor.start();
processorListenerStart.await();
Assert.assertEquals(SamzaContainerStatus.STARTED, processor.getContainerStatus());
// This block is required for the mockRunloop is actually start.
// Otherwise, processor.stop gets triggered before mockRunloop begins to block
processor.runLoopStartForMain.await();
processor.stop();
processorListenerStop.await();
// Assertions on which callbacks are expected to be invoked
Assert.assertTrue(processorListenerState.get(ListenerCallback.ON_START));
Assert.assertTrue(processorListenerState.get(ListenerCallback.ON_SHUTDOWN));
Assert.assertFalse(processorListenerState.get(ListenerCallback.ON_FAILURE));
}
/**
* Tests that a failure in container correctly stops a running JobCoordinator and propagates the exception
* through the StreamProcessor
*
* Assertions:
* - JobCoordinator has been stopped from the JobCoordinatorListener callback
* - StreamProcessorLifecycleListener#onFailure(Throwable) has been invoked
*/
@Test
public void testContainerFailureCorrectlyStopsProcessor() throws InterruptedException {
JobCoordinator mockJobCoordinator = mock(JobCoordinator.class);
Throwable expectedThrowable = new SamzaException("Failure in Container!");
AtomicReference<Throwable> actualThrowable = new AtomicReference<>();
final CountDownLatch runLoopStartedLatch = new CountDownLatch(1);
RunLoop failingRunLoop = mock(RunLoop.class);
doAnswer(invocation ->
{
try {
runLoopStartedLatch.countDown();
throw expectedThrowable;
} catch (InterruptedException ie) {
ie.printStackTrace();
}
return null;
}).when(failingRunLoop).run();
SamzaContainer mockContainer = StreamProcessorTestUtils.getDummyContainer(failingRunLoop, mock(StreamTask.class));
final CountDownLatch processorListenerFailed = new CountDownLatch(1);
TestableStreamProcessor processor = new TestableStreamProcessor(
new MapConfig(),
new HashMap<>(),
mock(StreamTaskFactory.class),
new StreamProcessorLifecycleListener() {
@Override
public void onStart() {
processorListenerState.put(ListenerCallback.ON_START, true);
}
@Override
public void onShutdown() {
processorListenerState.put(ListenerCallback.ON_SHUTDOWN, true);
}
@Override
public void onFailure(Throwable t) {
processorListenerState.put(ListenerCallback.ON_FAILURE, true);
actualThrowable.getAndSet(t);
processorListenerFailed.countDown();
}
},
mockJobCoordinator,
mockContainer);
final CountDownLatch coordinatorStop = new CountDownLatch(1);
doAnswer(invocation ->
{
coordinatorStop.countDown();
return null;
}).when(mockJobCoordinator).stop();
doAnswer(invocation ->
{
new Thread(() ->
{
try {
processor.jobCoordinatorListener.onNewJobModel("1", getMockJobModel());
coordinatorStop.await();
processor.jobCoordinatorListener.onCoordinatorStop();
} catch (InterruptedException e) {
e.printStackTrace();
}
}).start();
return null;
}).when(mockJobCoordinator).start();
processor.start();
// This block is required for the mockRunloop is actually started.
// Otherwise, processor.stop gets triggered before mockRunloop begins to block
runLoopStartedLatch.await();
Assert.assertTrue(
"Container failed and processor listener failed was not invoked within timeout!",
processorListenerFailed.await(30, TimeUnit.SECONDS));
Assert.assertEquals(expectedThrowable, actualThrowable.get());
Assert.assertFalse(processorListenerState.get(ListenerCallback.ON_SHUTDOWN));
Assert.assertTrue(processorListenerState.get(ListenerCallback.ON_START));
Assert.assertTrue(processorListenerState.get(ListenerCallback.ON_FAILURE));
}
// TODO:
// Test multiple start / stop and its ordering
// test onNewJobModel
// test onJobModelExpiry
// test Coordinator failure - correctly shutsdown the streamprocessor
}
| 16,946 |
https://github.com/ElenaVan/qa23ElenaVanyushkin/blob/master/trello-web-tests/src/test/java/com/qa/trello/tests/BoardDeletionTests.java | Github Open Source | Open Source | Apache-2.0 | 2,020 | qa23ElenaVanyushkin | ElenaVan | Java | Code | 46 | 203 | package com.qa.trello.tests;
import org.junit.Test;
import org.testng.Assert;
import org.testng.annotations.Test;
public class BoardDeletionTests extends TestBase{
@Test
public void testBoardDeletion() {
int before = app.getBoard().getBoardsCount();
app.getBoard().openFirstPersonalBoard();
app.getBoard().clickMoreButton();
app.getBoard().initBoardDeletionInBoardMenu();
app.getBoard().permanentlyDeletBoard();
app.getSession().returnToHomePage();
int after = app.getBoard().getBoardsCount();
System.out.println("was:" + before + " now: " + after);
Assert.assertEquals(after, before - 1);
}
}
| 17,159 |
randolphroanoke01garlrich_8 | US-PD-Books | Open Culture | Public Domain | null | The life of John Randolph of Roanoke | None | English | Spoken | 7,032 | 8,711 | CHAP TEE XX. PATRICK HENRY. PATRICK HENRY, the advocate of the Alien and Sedition Laws, the defender of federal measures leading to consolidation ! Let the reader look back and contemplate his course in the Virginia Con- vention, called to ratify the Constitution — let him hear the eloquent defence of the Articles of Confederation, which had borne us safely through so many perils, and which needed only amendment, not annihilation — let him witness the ardent devotion to the State gov- ernment as the bulwark of liberty — the uncompromising opposition to the new Government, its consolidation, its destruction of State independence, its awful squinting towards monarchy — let him behold the vivid picture drawn by the orator of the patriot of seventy-six, and the citizen of eighty-eight; then it was liberty, give me liberty ! now the cry was energy, energy, give me a strong and energetic government — then let him turn and see the same man, in little more than ten years, stand forth, his prophecies all tending to rapid fulfil- ment, the advocate of the principles, the defender of the measures that had so agitated his mind and awakened his fears — let the reader meditate on these things, and have charity for the mutations of political opinion in his own day, which he so often unfeelingly denounces. It is true that Patrick Henry had been in retirement since the adoption of the new Constitution, and had no part in the organization of those parties which had arisen under it, but it is certain that they took their origin in those principles which on the one side he so elo- quently defended, and on the other so warmly deprecated. Federal- ist and Republican were names unknown in his day ; but from his past history no one could mistake the inclination of his feelings, or the conclusions of his judgment on the great events transpiring around him. Up to 1795 he was known to be on the republican side. In a letter, dated the 27th of June in that year, he says : " Since the adoption of the present Constitution I have generally moved in a narrow circle. But in that I have never omitted to inculeate a strict PATRICK HENRY. 125 adherence to the principles of it Although a democrat myself, I like not the late democratic societies. As little do I like their suppression by law." On another occasion he writes : " The treaty (Jay's treaty) is, in my opinion, a very bad one indeed .... Sure I am, my first principle is, that from the British we have every thing to dread, when opportunities of oppressing us shall offer.'* He then proceeds to express his concern at the abusive manner in which his old commander-in-chief was treated ; and that his long and great services were not remembered as an apology for his mistakes in an office to which he was totally unaccustomed. A man of his talents, his eloquence, his weight of character ana influence in the State, was well worth gaming over to the side of the administration. Some of the first characters in Virginia undertook to accomplish that end. Early in the summer of 1794, General Lee, then governor of Virginia, and commander-in-chief of the forces ordered out against the whisky insurrection, had frequent and earnest conferences with him on public affairs. He was at first very impracticable. It seems that the old man had been informed that General Washington, in passing through the State on his return from the South in the summer of 1791, while speaking of Mr. Henry on several occasions, considered him a factious and seditious character. General Lee undertook to remove these impressions, and combated his opinions as groundless ; but his endeavors were unavailing. He seemed to be deeply and sorely affected. General Washington de- nied the charge. All he had said on the occasion alluded to was, that he had heard Mr. Henry was acquiescent in his conduct, and that, though he could not give up his opinion respecting the Consti- tution, yet, unless he should be called upon by official duty, he would express no sentiment unfriendly to the exercise of the powers of a government, which had been chosen by a majority of the people. It was a long time before General Lee had an opportunity of communicating to Mr. Henry the kind feelings of Washington to- wards him. In June, 1795, about a year after the subject had been broached to him, Mr. Henry writes : " Every insinuation that taught me to believe I had forfeited the good will of that personage, to whom the world had agreed to ascribe the appellation of good and great, must needs give me pain ; particularly as he had opportunities of knowing my character both in public and in private life. The inti- 126 . LIFE OF JOHN RANDOLPH. mation now given me, that there was no ground to believe I had incurred his censure, gives very great pleasure." In inclosing Mr. Henry's letter to General "Washington for perusal, Lee thus writes (17th July, 1795): "I am very confident that Mr. Henry possesses the highest and truest regard for you, and that he continues friendly to the General Government, notwithstanding the unwearied efforts applied for the end of uniting him to the opposition ; and I must think he would be an important official acquisition to the Govern- ment." One month and two days from this date (19th August) as the reader remembers, Edmund Randolph resigned the office of Secre- tary of State. On the 9th of October it was tendered to Patrick Henry. In his letter of invitation General "Washington stated that the office had been offered to others ; but it was from a conviction that he would not accept it. But in a conversation with General Lee, that gentleman dropped sentiments that made it less doubtful. " I persuade myself, sir," said the President, " it has not escaped your observation that a crisis is approaching that must, if it cannot be arrested, soon decide whether order and good government shall be preserved, or anarchy and confusion ensue." This letter of invitation was inclosed to Mr. Carrington, a confi- dential friend of Washington, with instructions to hold it back till he could hear from Colonel Innis, to whom the attorney-generalship had been offered. But on consultation with General Marshall, ano- ther confidential friend, they were so anxious to make an impression on Patrick Henry, and gain him over, if possible, by those marks of confidence, that they disobeyed orders, reversed the order in which the letters were to be sent, and dispatched Mr. Henry's first, by ex- press. " In this determination we were governed," say they, " by the fol- lowing reasons." (We give the reasons entire, that the reader may see that great men and statesmen in those days were influenced by the same motives they are now, and that men are the same in every age.) " First, his non-acceptance, from domestic considerations may be cal- culated on. In this event, be his sentiments on either point what they may, he will properly estimate your letter, and if he has an^ asperities, it must tend to soften them, and render him, instead of a silent observer of the present tendency of things, in some degree PATRICK HENRY. 127 active on the side of government and order. Secondly, should he feel an inclination to go into the office proposed, we are confident — very confident — he has too high a sense of honor to do so with senti- ments hostile to either of the points in view. This we should rely on, upon general grounds ; but under your letter a different conduct is, we conceive from our knowledge of Mr. Henry, impossible. Thirdly, we are fully persuaded that a more deadly blow could not be given to the faction in Virginia, and perhaps elsewhere, than that gentleman's acceptance of the office in question, convinced as we are of the sentiments he must carry with him. So much have the op- posers of government held him up as their oiucle, even since he has ceased to respond to them, that any event demonstrating his active support to government could not but give the party a severe shock." A very good reason for disobeying instructions, and making the first demonstration on so important a personage. Mr. Henry did not accept the appointment, but the impression intended to be made was nearly as complete as the parties intended. " It gives us pleasure to find," says Mr. Carrington. " that although Mr. Henry is rather to be understood as probably not an approver of the treaty, his conduct and sentiments generally, both as to the government and yourself, are such as we calculated on, and that he received your letter with impresssions which assure us of his dis- countenancing calumny and disorder of every description." These great movements somehow got wind, and came to the ears of the leader of the faction they were designed to crush. In a letter addressed to Monroe, dated July 10th, 1796, Jefferson says : "Most assiduous court is paid to Patrick Henry. He has been offered every thing, which they knew he would not accept. Some impression is thought to be made : but we do not believe it is radi- cal. If they thought they could count upon him, they would run him for their Vice-President, their first object being to produce a schism in this State." A move was now made to prevent the old man from going over altogether. In November following, the democratic legislature of Virginia elected him, for the third time, governor of the State. In his letter declining an acceptance of the office, he merely expresses his acknowledgments and grati- tude for the signal honor conferred on him, excuses himself on the ground that he could not persuade himself that his abilities were 128 LIFE OF JOHN RANDOLPH. commensurate to the duties of the office, but let fall no expression that could indicate his present political inclinations. Early in January, 1799, soon after the passage of the resolutions declaring the alien and sedition laws unconstitutional, and before ho had received the letter from Washington urging him to become a can- didate for the Virginia legislature, Patrick Henry, in writing to a friend, thus expresses himself : " There is much cause for lamentar tion over the present state of things in Virginia. It is possible that most of the individuals who compose the contending factions are sin- cere, and act from honest motives. But it is more than probable that certain leaders meditate a change in government. To effect this., I see no way so practicable as dissolving the confederacy ; and I am free to own that, in my judgment, most of the measures lately pur- sued by the opposition party directly and certainly .ead to that end. If this is not the system of the party, they have none, and act ex- tempore" In February following, the President nominated Mr. Henry as one of the Envoys Extraordinary and Ministers Plenipotentiary to the French Republic. Perhaps the very day he appeared before the people at Charlotte Court, he held the commission in his pocket. In his letter declining the appointment, he says : " That nothing short of absolute necessity could induce me to withhold my little aid from an administration whose abilities, patriotism, and virtue, deserve the gratitude and reverence of all their fellow-citizens." In March, eighty-nine, Decius said, I want to crush that anti- federal champion — the cunning and deceitful Cromwell, who, under the guise of amendment, seeks to destroy the Constitution, break up the confederacy, and reign tJie tyrant of popularity over his own de- voted Virginia. In ninety-nine, we find this anti-federal champion veered round to the support of doctrines he once condemned, and given in his allegiance to an administration, which a majority of his countrymen had declared, and all those who had followed him as their oracle declared, was rapidly hastening the Government into consolidation and monarchy. • Let no man boast of his consistency. Such is the subtlety of human motives, that, like a deep, unseen under-current, they uncon- sciously glide us into a position to-day different from that we occu- pied yesterday, while we perceive it not, and stoutly deny it. MARCH COJRT. 129 Patrick Henry for years was sorely afflicted with the belief that the greatest and best of mankind considered him a factious and sedi- tious character : to disabuse the mind of Washington, whose good opinion all men desired — to justify the flattering attentions of those distinguished men who had assiduously cultivated his society and correspondence, and showered bright honors on his head, he uncon- sciously receded from his old opinions, and embraced doctrines which he had, with the clearness and power of a Hebrew prophet, portrayed and made bare in all their naked deformity. CHAPTER XXI, MARCH COURT — THE RISING- AND THE SETTING- SUN. IT was soon noised abroad that Patrick Henry was to address the people at March Court. Great was the political excitement — still greater the anxiety to hear the first orator of the age for the last time. They came from far and near, with eager hope depicted on every countenance. It was a treat that many had not enjoyed for years. Much the largest portion of those who flocked together that day, ha$ only heard from the glowing lips of their fathers the won- derful powers of the man they were about to see and hear for the first time. The college in Prince Edward was emptied not only of its students, but of its professors. Dr. Moses Hogue, John H. Rice, Drury Lacy, eloquent men and learned divines, came up to enjoy the expected feast. The young man who was to answer Mr. Henry, if indeed the multitude suspected that any one would dare venture on a reply, was unknown to fame. A tall, slender, effeminate looking youth was he ; light hair, combed back into a well-adjusted cue — pale countenance, a beardless chin, bright quick hazel eye, blue frock, buff small clothes, and fair-top boots. He was doubtless known to many on the court green as the little Jack Randolph they had frequently seen dashing by on wild horses, riding a la mode Anglais, from Roanoke to Bizarre, and back from Bizarre to Roanoke. A few knew him more intimately, but none had ever heard him speak in 130 LIFE OF JOHN RANDOLPH. public, or even suspected that he could make a speech rt My first attempt at public speaking," says he, in a letter to Mrs. Bryan, his niece, " was in opposition to Patrick Henry at Charlotte March Court, 1799 ; for neither of us was present at the election in April, as Mr. Wirt avers of Mr. Henry." The very thought of his attempting to answer Mr. Henry, seemed to strike the grave and reflecting men of the place as preposterous. " Mr. Taylor," said Col. Reid, the clerk of the county, to Mr. Creed Taylor, a friend and neighbor of Ran- dolph, and a good lawyer, " Mr. Taylor, don't you or Peter Johnson mean to appear for that young man to-day ?" " Never mind," re- plied Taylor, " he can take care of himself." His friends knew his powers, his fluency in conversation, his ready wit, his polished satire, his extraordinary knowledge of men and affairs ; but still he was about to enter on an untried field, and all those brilliant faculties might fail him, as they had so often failed men of genius before. They might well have felt some anxiety on his first appearance upon the hustings in presence of a popular assembly, and in reply to a man of Mr. Henry's reputation. But it seems they had no fear for the result — he can take care of himself. The reader can well imagine the remarks that might have been made by the crowd as he passed carelessly among them, shaking hands with this one and that one of his acquaintance. " And is that the man who is a candidate for Con- gress?" "Is he going to speak against Old Pat?" "Why, he is nothing but a boy — he's got no beard !" " He looks wormy !" " Old Pat will eat him up bodily !" There, also, was Powhatan Boiling, the other candidate for Congress, dressed in his scarlet coat— tall, proud in his bearing, and a fair representative of the old aristocracy fast melting away under the subdivisions of the law that had abolished the system of primogeniture. Creed Taylor and others undertook to banter him about his scarlet coat. " Very well, gentlemen," replied he coolly, bristling up with a quick temper, " if my coat does not suit you, I can meet you in any other color that may suit your fancy." Seeing the gen- tleman not in a bantering mood, he was soon left to his own reflec- tions. But the candidates for Congress were overlooked and forgot- ten by the crowd in their eagerness to behold and admire the great orator, whose fame had filled their imagination for eo many years. " As soon as he appeared on the ground," says Wirt, " he was sur- MARCH COURT. 131 rounded by the admiring and adoring crowd, and whithersoever he moved, the concqurse followed him. A preacher of the Baptist church, whose piety was wounded by this homage paid to a mortal, asked the people aloud, why they thus followed Mr. Henry about ? " Mr. Henry," said he, " is not a god !" " No," said Mr. Henry, deeply affected by the scene and the remark, " no, indeed, my friend ; I am but a poor worm of the dust — as fleeting and unsubstantial as the shadow of the cloud that flies over your fields, and is remembered no more." The tone with which this was uttered, and the look which accompanied it, affected every heart, and silenced every voice. Presently James Adams rose upon a platform that had been erected by the side of the tavern porch where Mr. Henry was seated, and proclaimed — " 0 yes ! 0 yes ! Colonel Henry will address the people from tnis stand, for the last time and at the risk of his life !" The grand-jury were in session at the moment, they burst through the doors, some leaped the windows, and came running up with the crowd, that they might not lose a word that fell from the old man's lips. While Adams was lifting him on the stand, " Why Jimmy," says her " you have made a better speech for me than I can make for my- self." " Speak out, father," said Jimmy, " and let us hear how it is." Old and feeble, more with disease than age, Mr. Henry rose and addressed the people to the following effect : — (Wirt's Life of Patrick Henry, page 393.) He told them that the late proceedings of the Virginia Assembly had filled him with apprehensions and alarm ; that they had planted thorns upon his pillow ; that they had drawn him from that happy retirement which it had pleased a bountiful Providence to bestow, and in which he had hoped to pass, in quiet, the remainder of his days ; that the State had quitted the sphere in which she had been placed by the Constitution ; and in daring to pronounce upon the validity of federal laws, had gone out of her jurisdiction in a manner not warranted by any authority, and in the highest degree alarming to every considerate mind ; that such oppo- sition, on the part of Virginia, to the acts of the General Govern- ment, must beget their enforcement by military power ; that this would probably produce civil war ; civil war, foreign alliances ; and that foreign alliances must necessarily end in subjugation to the powers called in. He conjured the people to pause and consider 10 132 LIFE OF JOHN RANDOLPH. well, before they rushed into such a desperate condition, from which there could be no retreat. He painted to their imaginations, Wash- ington, at the head of a numerous and well appointed army, inflict- ing upon them military execution. " And where (he asked) are our resources to meet such a conflict ? Where is the citizen of America who will dare to lift his hand against the father of his country ?" A drunken man in the crowd threw up his arm and exclaimed that he dared to do it. " No," answered Mr. Henry, rising aloft in all his majesty, '-you dare not do it ; in such a parricidal attempt, the steel would drop from your nerveless arm." Proceeding, he asked " Whether the county of Charlotte would have any authority to dispute an obedience to the laws of Virginia ;" and he pronounced Virginia to be to the Union what the county of Charlotte was to her. Having denied the right of a State to decide upon the constitutionality of federal laws, he added, that perhaps it might be necessary to say something of the laws in question. His private opinion was, that they were good and proper. But whatever might be their merits, it belonged to the people, who held the reins over the head of Congress, and to them alone, to say whether they were acceptable or otherwise to Virginians ; and that this must be done by way of petition. That Congress were as much our represen- tatives as the Assembly, and had as good a right to our confidence. He had seen, with regret, the unlimited power over the purse and sword consigned to the General Government ; but that he had been overruled, and it was now necessary to submit to the constitutional exercise of that power. " If," said he, " I am asked what is to be done when a people feel themselves intolerably oppressed, my answer is ready — overturn the Government. But do not, I beseech you. carry matters to this length without provocation. Wait, at least, until some infringement is made up m your rights, and which cannot otherwise be redressed ; for if ever you recur to another change, you may bid adieu forever to representative government. You can never exchange the present government but for a monarchy. If the admin- istration have done wrong, let us all go wrong together rather than split into factions, which must destroy that Union upon which cur existence hangs. Let us preserve our strength for the French, the English, the Germans, or whoever else shall dare to invade our terri- tory, and not exhaust it in civil commotions and intestine wars." MARCH COURT. 133 When he concluded, his audience were deeply affected ; it is said that they wept like children, so powerfully were they moved by the em- phasis of his language, the tone of his voice, the commanding expres- sion of his eye, the earnestness with which he declared his design to exert himself to allay the heart-burnings and jealousies which had been fomented in the State legislature, and the fervent manner in which he prayed that if he were deemed unworthy to effect it, that it might be reserved to some other and abler hand to extend this bless- ino- over the community. As he concluded, he literally sunk into the arms of the tumultuous throng : at that moment John H. Rice exclaimed, " the sun has set in all his glory !"' Randolph rose to reply. For some moments he stood in silence, his lips quivering, his eye swimming in tears ; at length he began a modest though beautiful apology for rising to address the people in opposition to the venerable father who had just taken his seat ; it was an honest difference of opinion, and he hoped to be pardoned while he boldly and freely, as it became the occasion, expressed his sentiments on the great questions that so much divided and agitated the minds of the people. " The gentleman tells you," said he, " that the late proceedings of the Virginia Assembly have filled him with apprehension and alarm. He seems to be impressed with the conviction, that the State has quitted the sphere in which she was placed by the Constitution ; and in daring to pronounce on the validity of federal laws, has gone out of her jurisdiction in a manner not warranted by any authority. I am sorry the gentleman has been disturbed in his Tepo^e ; still more grieved am I, that the particular occasion to which he alludes should have been the cause of his anxiety. I once cherished the hope that his alarms would have been awakened, had Virginia failed to exert herself in warding off the evils he so prophetically warned us of on another memorable occasion. Her supineness and inactivity, now that those awful squintings towards monarchy, so eloquently described by the gentleman, are fast growing into realities, I had hoped would have planted thorns in his pillow, and awakened him to a sense of the danger now threatening us, and the necessity of exert- ing once more his powerful faculties in warning the people, and rousing them from their fatal lethargy. " Has the gentleman forgotten that we owe to him those obnox- 134 LIFE OF JOHN RANDOLPH. ious principles, as he now would have them, that guided the Legisla« ture in its recent course ? He is alarmed at the rapid growth ol the seed he himself hath sowed — he seems to be disappointed that they fell, not by the wayside, but into vigorous and fruitful soil. He has conjured up spirits from the vasty deep, and growing alarmed at the potency of his own magic wand, he would say to them, f Down, wantons ! down !' but, like Banquo's ghost, I trust they will not down. But to drop metaphor — In the Virginia Convention, that was called to ratify the Constitution, this gentleman declared that the government delineated in that instrument was peculiar in its nature — partly national, partly federal. In this description he hit upon the true definition — there are certain powers of a national cha- racter that extend to the people and operate on them without regard to their division into States — these powers, acting alone, tend to consolidate the government into one head, and to obliterate State divisions and to destroy State authority ; but there are other powers, many and important ones, that are purely federal in their nature — that look to the States, and recognize their existence as bodies poli- tic, endowed with many of the most important attributes of sove- reignty. These two opposing forces act as checks on each other, and keep the complicated system in equilibrium. They are like the cen- trifugal and centripetal forces in the law of gravitation, that serve to keep the spheres in their harmonious courses through the universe. " Should the Federal Government, therefore, attempt to exercise powers that do not belong to it — and those that do belong to it are few, specified, well-defined — all others being reserved to the people and to the States — should it step beyond its province, and encroach on rights that have not been delegated, it is the duty of the States to interpose. There is no other power that can interpose. The counter- weight, the opposing force of the State, is the only check to over- action known to the system. " In questions of meum et tuwni, where rights of property are con- cerned, and some other cases specified in the Constitution, I grant you that the Federal Judiciary may pronounce on the validity of the law. But in questions involving the right to power, whether this or that power has been delegated or reserved, they cannot and ought not to be the arbiter ; that question has been left, as it always was, and always must be Uft, to be determined among sovereignties in tho best MARCH COURT. 135 way they can. Political wisdom has not yet discovered any infallible mathematical rule, by which to determine the assumptions of power between .those who know no other law or limitation save that imposed on them by their own consent, and which they can abrogate at pleasure. Pray let me ask the gentleman — and no one knows bet- ter than himself— who ordained this Constitution ? "Who denned its powers, and said, thus far shalt thou go, but no farther ? Was it not the people of the States in their sovereign capacity '? Did they com- mit an act of suicide by so doing ? — an act of self-annihilation ? No, thank God, they did not ; but are still alive, and, I trust, are be- coming sensible of the importance of those rights reserved to them, and prohibited to that government which they ordained for their common defence. Shall the creature of the States be the sole judge of the legality or constitutionality of its own acts, in a question of power between them and the States ? Shall they who assert a right, be the sole judges of their authority to claim and to exercise it? Does not all power seek to enlarge itself? — grow on that it feeds upon ? Has not that been the history of all encroachment, all usurpa- tion ? If this Federal Government, in all its departments, then, is to be the sole judge of its own usurpations, neither the people nor the States, in a short time, will have any thing to contend for; this creature of their making will become their sovereign, and the only result of the labors of our revolutionary heroes, in which patriotic band this venerable gentleman was most conspicuous, will have been a change of our masters — New England for Old England — for which change I cannot find it in my heart to thank them. " But the genthman has taught me a very different lesson from that he is now disposed to enjoin on us. I fear that time has wrought its influence on him, as on all other men; and that age makes him willing to endure what in former years he would have spurned with indignation. I have learned my first lessons in his school. Be is the high-priest from whom I received the little wisdom my poor abilities were able to carry away from the droppings of the political sanctuary. He was the inspired statesman that taught me to be jealous of power, to watch its encroachments, and to sound the alarm on the first movement of usurpation. t: Inspired by his eloquent appeals — encouraged by his example — alarmed by the rapid strides of Federal usurpation, of which he had 136 LIFE OF JOHN RANDOLPH. warned them — the legislature of Virginia has nobly stepped forth in defence of the rights of the States, and interposed to arrest that en- croachment and usurpation of power that threaten the destruction of the Republic. " And what is the subject of alarm ? What are the laws they have dared to pronounce upon as unconstitutional and tyrannical? The first, is a law authorizing the President of the United States to order any alien he may judge dangerous, any unfortunate refugee that may happen to fall under his royal suspicion, forthwith to quit the coun- try. It is true that the law says he must have reasonable grounds to suspect. Who is to judge of that reason but himself? Who can look into his breast and say what motives have dominion there? 'Tis a mockery to give one man absolute power over the liberty of an- other, and tlwi ask him, when the power is gone, and cannot ie re- called, to exercise it reasonably ! Power knows no other check but power. Let the poor patriot who may have fallen under the frowns of government, because he dared assert the rights of his countrymen, seek refuge on our shores of boasted liberty ; the moment he touches the soil of freedom, hoping here to find a period to all his persecu- tions, he is greeted, not with the smiles of welcome, or the cheerful voice of freemen, but the stern demands of an officer of the law — the « executor of a tyrant's will— who summons him to depart. What crime has he perpetrated? Vain inquiry! He is a suspected per- son. He is judged dangerous to the peace of the country — rebel- lious at home, he may be alike factious and seditious here. What remedy ? What hope ? He who condemns is judge — the sole judge in the first and the last resort. There is no appeal from his arbi- trary will. Who can escape tin suspicion of a jealous and vindictive mind? " The very men who fought your battles, who spent their fortunes, and shed their blood to win for you that independence that was once your boast, may be the first victims of this tyrannical law. Kosci- usko is now on your shores ; though poor in purse and emaciated in body, from the many sacrifices he has made in your cause, he has yet a proud spirit that loves freedom, and will speak boldly of op- pression. " And what is that other law that so fully meets the approbation of my venerable friend ? It is a law that makes it an act of sedition, punishable by fine and imprisonment, to utter or write a sentiment that any prejudiced judge or juror may think proper to construe into disrespect to the President of the United States. Do you understand me ? I dare proclaim to the people of Charlotte my opinion to be, that John Adams, so-called President, is a weak-minded man, vain, jealous, and vindictive ; that influenced by evil passions and preju- dices, and goaded on by wicked counsel, he has been striving to force the country into a war with our best friend and ally. I say that I dare repeat this before the people of Charlotte, and avow it as my opinion. But let me write it down, and print it as a warning to my countrymen. What then ? I subject myself to an indictment fort sedition ! I make myself liable to be dragged away from my home and friends, and to be put on my trial in some distant Federal Court, before a judge who receives his appointment from the man that seeks my condemnation ; and to be tried by a prejudiced jury, who have been gathered from remote parts of the country, strangers to me, and any thing but my peers ; and have been packed by the minions o! power for my destruction. Is the man dreaming ! do you exclaim ? Is this a fancy' picture, he has drawn for our amusement ? I am no fancy man, people of Charlotte ! I speak the truth — I deal only in stern realities ! There is such a law on your Statute Book in spite of your Constitution — in open contempt of those solemn guarantees that insure the freedom of speech and of the press to every Ame- rican citizen. Not only is there such a statute, but, with shame be it spoken, even England blushes at your sedition law. Would that I could stop here, and say that, though it may be found enrolled among the the public archives, it is a dead letter. nical, and unconstitutional enactment. At this moment, while I am addressing you, men of Charlotte ! with the free air of heaven fan- ning iny locks — and God knows how long I shall be permitted to en- joy that blessing — a representative of the people of Vermont — Mat- thew Lyon his name — lies immured in a dungeon, not six feet square, where he has dragged out the miserable hours of a protracted winter, for daring to violate the royal maxim that the king can do no wrong. This was his only crime — he told his people, and caused it to be printed for their information, that the President, * rejecting men of age. experience, wisdom, and independency of sentiment.' appointed those who had no other merit but devotion to their mas- ter : and he intimated that the ' President was fond of ridiculous pomp, idle parade, and selfish avarice.' I speak the language of the indictment. I give in technical and official words the high crime with which he was charged. He pleaded justification — I think the lawyers call it — and offered to prove the truth of his allegations. But the court would allow no time to procure witnesses or counsel : he was hurried into trial all unprepared ; and this representative of the people, for speaking the truth of those in authority, was ar- raigned like a felon, condemned, fined, and imprisoned. These are the laws, the venerable gentlemen would have you believe, are not only sanctioned by the Constitution, but demanded by the necessity of the times — laws at which even monarchs blush — banishing from your shores the hapless victim that only sought refuge from oppres- sion, and making craven, fawning spaniels, aye ! dumb dogs, of your own people ! He tells you, moreover, that if you do not agree with him in opinion — cannot consent that these. vile enactments are either constitutional or necessary — your only remedy, your only hope of re- dress, is in petition. " Petition ! "Whom are \ve to petition ? But one solitary member from Virginia, whose name is doomed to everlasting infamy, dared to record his vote — dared to record, did I say ? I beg pardon — but one who did nQt spurn from them this hideous offspring of a tyrant's lust. "Whom, then, I repeat, are we to petition ? those who are the projectors of these measures, who voted for them, and forced them upon you in spite of your will ? Would not these men laugh at your petition, and, in the pride and insolence of new-born power, trample it under their feet with disdain ? Shall we petition his majesty, who, MARCH COURT. 139 by virtue of these very law?, holds your liberties in his sacred hands 1 I tell you he would spurn your petition from the foot of the throne, as those of your fathers, on a like occasion, were spurned from the throne of George the Third of England. From whose lips do we hear that word petition — an abject term, fit only for the use of sub- jects and of slaves ? Can it be that he is now willing to petition and to supplicate his co-equals in a common confederacy, who proudly disdained entreaty and supplication to the greatest monarch on earth — whose fleets covered our seas, whose armies darkened our shores — sent over to bind and to rivet those chains that had been so long forging for our unfettered limbs ! Has age so tamed his proud spirit that he will gently yield to a domestic usurper what he scorned to grant to a foreign master ? I fear he has deceived himself, and would deceive you ; let not his siren song of peace lull you into a fatal repose. know will never insult the soil of this republic, but to awe you, the people, into submission, and to force upon you, by a display of mili- tary power, the destructive measures of this vaulting and ambitious administration. And yet the gentleman tells you we must wait until some infringement is made on our rights ! Your Constitution broken, your citizens dragged to prison for daring to exercise the freedom of speech, armies levied, and you threatened with immediate inva- sion for your audacious interference with the business of the Federal Government ; and still you are told to wait for some infringement of your rights ! How long are we to wait ? Till the chains are fastened upon us. and we can no longer help ourselves 1 But the gentleman says your course may lead to civil war, and where are your resources ? I answer him in his own words, handed down by the tradition of the past generation, and engraven on the hearts of his grateful country- men. I answer, in his own words : ' Shall we gather strength by irresolution and inaction ? Shall we acquire the means of effectual resistance by lying supinely on our backs, and hugging the delusive phantom of hope, until our enemies shall have bound us hand and foot ? Sir, we are not weak, if we make a proper use of those means which the God of nature hath placed in our power. The battle, sir, is not to the strong alone ; it is to the vigilant, the active, the brave.' " But we are not only to have an invading army marching into our borders, but the gentleman's vivid imagination has pictured "Wash- ington at the head of it, coming to inflict military chastisement on his native State ; and who, exclaims he, would dare lift his hand against the father of his country ? Sternly has he rebuked one of you for venturing, in the outburst of patriotic feeling, to declare that he would do it. I bow with as much respect as any man at the name of Washington. I have been taught to look upon it with a venera- tion little short of that of my Creator. But while I love Caesar, I love Rome more. | 21,908 |
https://github.com/realm/realm-java/blob/master/realm/realm-library/src/main/java/io/realm/RealmList.java | Github Open Source | Open Source | Apache-2.0 | 2,023 | realm-java | realm | Java | Code | 5,217 | 12,979 | /*
* Copyright 2014 Realm Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package io.realm;
import org.bson.types.Decimal128;
import org.bson.types.ObjectId;
import java.util.AbstractList;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Collections;
import java.util.ConcurrentModificationException;
import java.util.Date;
import java.util.Iterator;
import java.util.List;
import java.util.ListIterator;
import java.util.NoSuchElementException;
import java.util.UUID;
import javax.annotation.Nonnull;
import javax.annotation.Nullable;
import io.reactivex.Flowable;
import io.reactivex.Observable;
import io.realm.internal.Freezable;
import io.realm.internal.InvalidRow;
import io.realm.internal.OsList;
import io.realm.internal.OsResults;
import io.realm.internal.RealmObjectProxy;
import io.realm.rx.CollectionChange;
/**
* RealmList is used to model one-to-many relationships in a {@link io.realm.RealmObject}.
* RealmList has two modes: A managed and unmanaged mode. In managed mode all objects are persisted inside a Realm, in
* unmanaged mode it works as a normal ArrayList.
* <p>
* Only Realm can create managed RealmLists. Managed RealmLists will automatically update the content whenever the
* underlying Realm is updated, and can only be accessed using the getter of a {@link io.realm.RealmObject}.
* <p>
* Unmanaged RealmLists can be created by the user and can contain both managed and unmanaged RealmObjects. This is
* useful when dealing with JSON deserializers like GSON or other frameworks that inject values into a class.
* Unmanaged elements in this list can be added to a Realm using the {@link Realm#copyToRealm(Iterable, ImportFlag...)} method.
* <p>
* {@link RealmList} can contain more elements than {@code Integer.MAX_VALUE}.
* In that case, you can access only first {@code Integer.MAX_VALUE} elements in it.
*
* @param <E> the class of objects in list.
*/
public class RealmList<E> extends AbstractList<E> implements OrderedRealmCollection<E> {
private static final String ONLY_IN_MANAGED_MODE_MESSAGE = "This method is only available in managed mode.";
static final String ALLOWED_ONLY_FOR_REALM_MODEL_ELEMENT_MESSAGE = "This feature is available only when the element type is implementing RealmModel.";
private static final String REMOVE_OUTSIDE_TRANSACTION_ERROR = "Objects can only be removed from inside a write transaction.";
@Nullable
protected Class<E> clazz;
@Nullable
protected String className;
// Always null if RealmList is unmanaged, always non-null if managed.
private final ManagedListOperator<E> osListOperator;
/**
* The {@link BaseRealm} instance in which this list resides.
* <p>
* Warning: This field is only exposed for internal usage, and should not be used.
*/
public final BaseRealm baseRealm;
private List<E> unmanagedList;
/**
* Creates a RealmList in unmanaged mode, where the elements are not controlled by a Realm.
* This effectively makes the RealmList function as a {@link java.util.ArrayList} and it is not possible to query
* the objects in this state.
* <p>
* Use {@link io.realm.Realm#copyToRealm(Iterable, ImportFlag...)} to properly persist its elements in Realm.
*/
public RealmList() {
baseRealm = null;
osListOperator = null;
unmanagedList = new ArrayList<>();
}
/**
* Creates a RealmList in unmanaged mode with an initial list of elements.
* A RealmList in unmanaged mode function as a {@link java.util.ArrayList} and it is not possible to query the
* objects in this state.
* <p>
* Use {@link io.realm.Realm#copyToRealm(Iterable, ImportFlag...)} to properly persist all unmanaged elements in Realm.
*
* @param objects initial objects in the list.
*/
public RealmList(E... objects) {
//noinspection ConstantConditions
if (objects == null) {
throw new IllegalArgumentException("The objects argument cannot be null");
}
baseRealm = null;
osListOperator = null;
unmanagedList = new ArrayList<>(objects.length);
Collections.addAll(unmanagedList, objects);
}
/**
* Creates a RealmList from a OsList, so its elements are managed by Realm.
*
* @param clazz type of elements in the Array.
* @param osList backing {@link OsList}.
* @param baseRealm reference to Realm containing the data.
*/
RealmList(Class<E> clazz, OsList osList, BaseRealm baseRealm) {
this.clazz = clazz;
osListOperator = getOperator(baseRealm, osList, clazz, null);
this.baseRealm = baseRealm;
}
RealmList(String className, OsList osList, BaseRealm baseRealm) {
this.baseRealm = baseRealm;
this.className = className;
osListOperator = getOperator(baseRealm, osList, null, className);
}
OsList getOsList() {
return osListOperator.getOsList();
}
long createAndAddEmbeddedObject() {
return osListOperator.getOsList().createAndAddEmbeddedObject();
}
/**
* {@inheritDoc}
*/
@Override
public boolean isValid() {
if (baseRealm == null) {
return true;
}
//noinspection SimplifiableIfStatement
if (baseRealm.isClosed()) {
return false;
}
return isAttached();
}
/**
* {@inheritDoc}
*/
@Override
public RealmList<E> freeze() {
if (isManaged()) {
if (!isValid()) {
throw new IllegalStateException("Only valid, managed RealmLists can be frozen.");
}
BaseRealm frozenRealm = baseRealm.freeze();
OsList frozenList = getOsList().freeze(frozenRealm.sharedRealm);
if (className != null) {
return new RealmList<>(className, frozenList, frozenRealm);
} else {
return new RealmList<>(clazz, frozenList, frozenRealm);
}
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
public boolean isFrozen() {
return (baseRealm != null && baseRealm.isFrozen());
}
/**
* {@inheritDoc}
*/
@Override
public boolean isManaged() {
return baseRealm != null;
}
private boolean isAttached() {
return osListOperator != null && osListOperator.isValid();
}
/**
* Inserts the specified object into this List at the specified location. The object is inserted before any previous
* element at the specified location. If the location is equal to the size of this List, the object is added at the
* end.
* <ol>
* <li><b>Unmanaged RealmLists</b>: It is possible to add both managed and unmanaged objects. If adding managed
* objects to an unmanaged RealmList they will not be copied to the Realm again if using
* {@link Realm#copyToRealm(RealmModel, ImportFlag...)} afterwards.</li>
* <li><b>Managed RealmLists</b>: It is possible to add unmanaged objects to a RealmList that is already managed. In
* that case the object will transparently be copied to Realm using {@link Realm#copyToRealm(RealmModel, ImportFlag...)}
* or {@link Realm#copyToRealmOrUpdate(RealmModel, ImportFlag...)} if it has a primary key.</li>
* </ol>
*
* @param location the index at which to insert.
* @param element the element to add.
* @throws IllegalStateException if Realm instance has been closed or container object has been removed.
* @throws IndexOutOfBoundsException if {@code location < 0 || location > size()}.
*/
@Override
public void add(int location, @Nullable E element) {
//noinspection ConstantConditions
if (isManaged()) {
checkValidRealm();
osListOperator.insert(location, element);
} else {
unmanagedList.add(location, element);
}
modCount++;
}
/**
* Adds the specified object at the end of this List.
* <ol>
* <li><b>Unmanaged RealmLists</b>: It is possible to add both managed and unmanaged objects. If adding managed
* objects to an unmanaged RealmList they will not be copied to the Realm again if using
* {@link Realm#copyToRealm(RealmModel, ImportFlag...)} afterwards.</li>
* <li><b>Managed RealmLists</b>: It is possible to add unmanaged objects to a RealmList that is already managed. In
* that case the object will transparently be copied to Realm using {@link Realm#copyToRealm(RealmModel, ImportFlag...)}
* or {@link Realm#copyToRealmOrUpdate(RealmModel, ImportFlag...)} if it has a primary key.</li>
* </ol>
*
* @param object the object to add.
* @return always {@code true}.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
*/
@Override
public boolean add(@Nullable E object) {
if (isManaged()) {
checkValidRealm();
osListOperator.append(object);
} else {
unmanagedList.add(object);
}
modCount++;
return true;
}
/**
* Replaces the element at the specified location in this list with the specified object.
* <ol>
* <li><b>Unmanaged RealmLists</b>: It is possible to add both managed and unmanaged objects. If adding managed
* objects to an unmanaged RealmList they will not be copied to the Realm again if using
* {@link Realm#copyToRealm(RealmModel, ImportFlag...)} afterwards.</li>
* <li><b>Managed RealmLists</b>: It is possible to add unmanaged objects to a RealmList that is already managed.
* In that case the object will transparently be copied to Realm using {@link Realm#copyToRealm(RealmModel, ImportFlag...)} or
* {@link Realm#copyToRealmOrUpdate(RealmModel, ImportFlag...)} if it has a primary key.</li>
* </ol>
*
* @param location the index at which to put the specified object.
* @param object the object to add.
* @return the previous element at the index.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @throws IndexOutOfBoundsException if {@code location < 0 || location >= size()}.
*/
@Override
public E set(int location, @Nullable E object) {
E oldObject;
if (isManaged()) {
checkValidRealm();
oldObject = osListOperator.set(location, object);
} else {
oldObject = unmanagedList.set(location, object);
}
return oldObject;
}
/**
* Moves an object from one position to another, while maintaining a fixed sized list.
* RealmObjects will be shifted so no {@code null} values are introduced.
*
* @param oldPos index of RealmObject to move.
* @param newPos target position. If newPos < oldPos the object at the location will be shifted to the right. If
* oldPos < newPos, indexes > oldPos will be shifted once to the left.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @throws java.lang.IndexOutOfBoundsException if any position is outside [0, size()].
*/
public void move(int oldPos, int newPos) {
if (isManaged()) {
checkValidRealm();
osListOperator.move(oldPos, newPos);
} else {
final int listSize = unmanagedList.size();
if (oldPos < 0 || listSize <= oldPos) {
throw new IndexOutOfBoundsException("Invalid index " + oldPos + ", size is " + listSize);
}
if (newPos < 0 || listSize <= newPos) {
throw new IndexOutOfBoundsException("Invalid index " + newPos + ", size is " + listSize);
}
E object = unmanagedList.remove(oldPos);
unmanagedList.add(newPos, object);
}
}
/**
* Removes all elements from this list, leaving it empty. This method doesn't remove the objects from the Realm.
*
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @see List#isEmpty
* @see List#size
* @see #deleteAllFromRealm()
*/
@Override
public void clear() {
if (isManaged()) {
checkValidRealm();
osListOperator.removeAll();
} else {
unmanagedList.clear();
}
modCount++;
}
/**
* Removes the object at the specified location from this list.
*
* @param location the index of the object to remove.
* @return the removed object.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @throws IndexOutOfBoundsException if {@code location < 0 || location >= size()}.
*/
@Override
public E remove(int location) {
E removedItem;
if (isManaged()) {
checkValidRealm();
removedItem = get(location);
osListOperator.remove(location);
} else {
removedItem = unmanagedList.remove(location);
}
modCount++;
return removedItem;
}
/**
* Removes one instance of the specified object from this {@code Collection} if one
* is contained. This implementation iterates over this
* {@code Collection} and tests each element {@code e} returned by the iterator,
* whether {@code e} is equal to the given object. If {@code object != null}
* then this test is performed using {@code object.equals(e)}, otherwise
* using {@code object == null}. If an element equal to the given object is
* found, then the {@code remove} method is called on the iterator and
* {@code true} is returned, {@code false} otherwise. If the iterator does
* not support removing elements, an {@code UnsupportedOperationException}
* is thrown.
*
* @param object the object to remove.
* @return {@code true} if this {@code Collection} is modified, {@code false} otherwise.
* @throws ClassCastException if the object passed is not of the correct type.
* @throws NullPointerException if {@code object} is {@code null}.
*/
@Override
public boolean remove(@Nullable Object object) {
if (isManaged() && !baseRealm.isInTransaction()) {
throw new IllegalStateException(REMOVE_OUTSIDE_TRANSACTION_ERROR);
}
return super.remove(object);
}
/**
* Removes all occurrences in this {@code Collection} of each object in the
* specified {@code Collection}. After this method returns none of the
* elements in the passed {@code Collection} can be found in this {@code Collection}
* anymore.
* <p>
* This implementation iterates over the {@code Collection} and tests each
* element {@code e} returned by the iterator, whether it is contained in
* the specified {@code Collection}. If this test is positive, then the {@code
* remove} method is called on the iterator.
*
* @param collection the collection of objects to remove.
* @return {@code true} if this {@code Collection} is modified, {@code false} otherwise.
* @throws ClassCastException if one or more elements of {@code collection} isn't of the correct type.
* @throws NullPointerException if {@code collection} is {@code null}.
*/
@Override
public boolean removeAll(Collection<?> collection) {
if (isManaged() && !baseRealm.isInTransaction()) {
throw new IllegalStateException(REMOVE_OUTSIDE_TRANSACTION_ERROR);
}
return super.removeAll(collection);
}
/**
* {@inheritDoc}
*/
@Override
public boolean deleteFirstFromRealm() {
if (isManaged()) {
if (!osListOperator.isEmpty()) {
deleteFromRealm(0);
modCount++;
return true;
} else {
return false;
}
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
public boolean deleteLastFromRealm() {
if (isManaged()) {
if (!osListOperator.isEmpty()) {
osListOperator.deleteLast();
modCount++;
return true;
} else {
return false;
}
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* Returns the element at the specified location in this list.
*
* @param location the index of the element to return.
* @return the element at the specified index.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @throws IndexOutOfBoundsException if {@code location < 0 || location >= size()}.
*/
@Override
@Nullable
public E get(int location) {
if (isManaged()) {
checkValidRealm();
return osListOperator.get(location);
} else {
return unmanagedList.get(location);
}
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E first() {
return firstImpl(true, null);
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E first(@Nullable E defaultValue) {
return firstImpl(false, defaultValue);
}
@Nullable
private E firstImpl(boolean shouldThrow, @Nullable E defaultValue) {
if (isManaged()) {
checkValidRealm();
if (!osListOperator.isEmpty()) {
return get(0);
}
} else if (unmanagedList != null && !unmanagedList.isEmpty()) {
return unmanagedList.get(0);
}
if (shouldThrow) {
throw new IndexOutOfBoundsException("The list is empty.");
} else {
return defaultValue;
}
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E last() {
return lastImpl(true, null);
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E last(@Nullable E defaultValue) {
return lastImpl(false, defaultValue);
}
@Nullable
private E lastImpl(boolean shouldThrow, @Nullable E defaultValue) {
if (isManaged()) {
checkValidRealm();
if (!osListOperator.isEmpty()) {
return get(osListOperator.size() - 1);
}
} else if (unmanagedList != null && !unmanagedList.isEmpty()) {
return unmanagedList.get(unmanagedList.size() - 1);
}
if (shouldThrow) {
throw new IndexOutOfBoundsException("The list is empty.");
} else {
return defaultValue;
}
}
/**
* {@inheritDoc}
*/
@Override
public RealmResults<E> sort(String fieldName) {
return this.sort(fieldName, Sort.ASCENDING);
}
/**
* {@inheritDoc}
*/
@Override
public RealmResults<E> sort(String fieldName, Sort sortOrder) {
if (isManaged()) {
return this.where().sort(fieldName, sortOrder).findAll();
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
public RealmResults<E> sort(String fieldName1, Sort sortOrder1, String fieldName2, Sort sortOrder2) {
return sort(new String[] {fieldName1, fieldName2}, new Sort[] {sortOrder1, sortOrder2});
}
/**
* {@inheritDoc}
*/
@Override
public RealmResults<E> sort(String[] fieldNames, Sort[] sortOrders) {
if (isManaged()) {
return where().sort(fieldNames, sortOrders).findAll();
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
public void deleteFromRealm(int location) {
if (isManaged()) {
checkValidRealm();
osListOperator.delete(location);
modCount++;
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* Returns the number of elements in this {@code List}.
*
* @return the number of elements in this {@code List}.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
*/
@Override
public int size() {
if (isManaged()) {
checkValidRealm();
return osListOperator.size();
} else {
return unmanagedList.size();
}
}
/**
* Returns a RealmQuery, which can be used to query for specific objects of this class.
*
* @return a RealmQuery object.
* @throws IllegalStateException if Realm instance has been closed or parent object has been removed.
* @see io.realm.RealmQuery
*/
@Override
public RealmQuery<E> where() {
if (isManaged()) {
checkValidRealm();
if (!osListOperator.forRealmModel()) {
throw new UnsupportedOperationException(ALLOWED_ONLY_FOR_REALM_MODEL_ELEMENT_MESSAGE);
}
return RealmQuery.createQueryFromList(this);
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public Number min(String fieldName) {
// where() throws if not managed
return where().min(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public Number max(String fieldName) {
// where() throws if not managed
return this.where().max(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
public Number sum(String fieldName) {
// where() throws if not managed
return this.where().sum(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
public double average(String fieldName) {
// where() throws if not managed
return this.where().average(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public Date maxDate(String fieldName) {
// where() throws if not managed
return this.where().maximumDate(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public Date minDate(String fieldName) {
// where() throws if not managed
return this.where().minimumDate(fieldName);
}
/**
* {@inheritDoc}
*/
@Override
public boolean deleteAllFromRealm() {
if (isManaged()) {
checkValidRealm();
if (!osListOperator.isEmpty()) {
osListOperator.deleteAll();
modCount++;
return true;
} else {
return false;
}
} else {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
}
/**
* {@inheritDoc}
*/
@Override
public boolean isLoaded() {
return true; // Managed RealmLists are always loaded, Unmanaged RealmLists return true pr. the contract.
}
/**
* {@inheritDoc}
*/
@Override
public boolean load() {
return true; // Managed RealmLists are always loaded, Unmanaged RealmLists return true pr. the contract.
}
/**
* Returns {@code true} if the list contains the specified element when attached to a Realm. This
* method will query the native Realm underlying storage engine to quickly find the specified element.
* <p>
* If the list is not attached to a Realm, the default {@link List#contains(Object)}
* implementation will occur.
*
* @param object the element whose presence in this list is to be tested.
* @return {@code true} if this list contains the specified element otherwise {@code false}.
*/
@Override
public boolean contains(@Nullable Object object) {
if (isManaged()) {
baseRealm.checkIfValid();
// Deleted objects can never be part of a RealmList
if (object instanceof RealmObjectProxy) {
RealmObjectProxy proxy = (RealmObjectProxy) object;
if (proxy.realmGet$proxyState().getRow$realm() == InvalidRow.INSTANCE) {
return false;
}
}
return super.contains(object);
} else {
return unmanagedList.contains(object);
}
}
/**
* {@inheritDoc}
*/
@Override
@Nonnull
public Iterator<E> iterator() {
if (isManaged()) {
return new RealmItr();
} else {
return super.iterator();
}
}
/**
* {@inheritDoc}
*/
@Override
@Nonnull
public ListIterator<E> listIterator() {
return listIterator(0);
}
/**
* {@inheritDoc}
*/
@Override
@Nonnull
public ListIterator<E> listIterator(int location) {
if (isManaged()) {
return new RealmListItr(location);
} else {
return super.listIterator(location);
}
}
private void checkValidRealm() {
baseRealm.checkIfValid();
}
/**
* {@inheritDoc}
*/
@Override
public OrderedRealmCollectionSnapshot<E> createSnapshot() {
if (!isManaged()) {
throw new UnsupportedOperationException(ONLY_IN_MANAGED_MODE_MESSAGE);
}
checkValidRealm();
if (!osListOperator.forRealmModel()) {
throw new UnsupportedOperationException(ALLOWED_ONLY_FOR_REALM_MODEL_ELEMENT_MESSAGE);
}
if (className != null) {
return new OrderedRealmCollectionSnapshot<>(
baseRealm,
OsResults.createFromQuery(baseRealm.sharedRealm, osListOperator.getOsList().getQuery()),
className);
} else {
// 'clazz' is non-null when 'dynamicClassName' is null.
//noinspection ConstantConditions
return new OrderedRealmCollectionSnapshot<>(
baseRealm,
OsResults.createFromQuery(baseRealm.sharedRealm, osListOperator.getOsList().getQuery()),
clazz);
}
}
/**
* Returns the {@link Realm} instance to which this collection belongs.
* <p>
* Calling {@link Realm#close()} on the returned instance is discouraged as it is the same as
* calling it on the original Realm instance which may cause the Realm to fully close invalidating the
* list.
*
* @return {@link Realm} instance this collection belongs to or {@code null} if the collection is unmanaged.
* @throws IllegalStateException if the Realm is an instance of {@link DynamicRealm} or the
* {@link Realm} was already closed.
*/
public Realm getRealm() {
if (baseRealm == null) {
return null;
}
baseRealm.checkIfValid();
if (!(baseRealm instanceof Realm)) {
throw new IllegalStateException("This method is only available for typed Realms");
}
return (Realm) baseRealm;
}
@Override
public String toString() {
final String separator = ",";
final StringBuilder sb = new StringBuilder();
if (!isManaged()) {
// Build String for unmanaged RealmList
// Unmanaged RealmList does not know actual element type.
sb.append("RealmList<?>@[");
// Print list values
final int size = size();
for (int i = 0; i < size; i++) {
final E value = get(i);
if (value instanceof RealmModel) {
sb.append(System.identityHashCode(value));
} else {
if (value instanceof byte[]) {
sb.append("byte[").append(((byte[]) value).length).append("]");
} else {
sb.append(value);
}
}
sb.append(separator);
}
if (0 < size()) {
sb.setLength(sb.length() - separator.length());
}
sb.append("]");
} else {
// Build String for managed RealmList
// Determines type of List
sb.append("RealmList<");
if (className != null) {
sb.append(className);
} else {
// 'clazz' is non-null when 'dynamicClassName' is null.
//noinspection ConstantConditions,unchecked
if (isClassForRealmModel(clazz)) {
//noinspection ConstantConditions,unchecked
sb.append(baseRealm.getSchema().getSchemaForClass((Class<RealmModel>) clazz).getClassName());
} else {
if (clazz == byte[].class) {
sb.append(clazz.getSimpleName());
} else {
sb.append(clazz.getName());
}
}
}
sb.append(">@[");
//Print list values
if (!isAttached()) {
sb.append("invalid");
} else if (isClassForRealmModel(clazz)) {
for (int i = 0; i < size(); i++) {
//noinspection ConstantConditions
sb.append(((RealmObjectProxy) get(i)).realmGet$proxyState().getRow$realm().getObjectKey());
sb.append(separator);
}
if (0 < size()) {
sb.setLength(sb.length() - separator.length());
}
} else {
for (int i = 0; i < size(); i++) {
final E value = get(i);
if (value instanceof byte[]) {
sb.append("byte[").append(((byte[]) value).length).append("]");
} else {
sb.append(value);
}
sb.append(separator);
}
if (0 < size()) {
sb.setLength(sb.length() - separator.length());
}
}
sb.append("]");
}
return sb.toString();
}
/**
* Returns an Rx Flowable that monitors changes to this RealmList. It will emit the current RealmList when
* subscribed to. RealmList will continually be emitted as the RealmList is updated -
* {@code onComplete} will never be called.
* <p>
* Items emitted from Realm Flowables are frozen (See {@link #freeze()}. This means that they
* are immutable and can be read on any thread.
* <p>
* Realm Flowables always emit items from the thread holding the live RealmList. This means that if
* you need to do further processing, it is recommend to observe the values on a computation
* scheduler:
* <p>
* {@code
* list.asFlowable()
* .observeOn(Schedulers.computation())
* .map(rxResults -> doExpensiveWork(rxResults))
* .observeOn(AndroidSchedulers.mainThread())
* .subscribe( ... );
* }
* <p>
* If you would like the {@code asFlowable()} to stop emitting items you can instruct RxJava to
* only emit only the first item by using the {@code first()} operator:
* <p>
* <pre>
* {@code
* list.asFlowable()
* .first()
* .subscribe( ... ) // You only get the results once
* }
* </pre>
* <p>
*
* @return RxJava Observable that only calls {@code onNext}. It will never call {@code onComplete} or {@code OnError}.
* @throws UnsupportedOperationException if the required RxJava framework is not on the classpath or the
* corresponding Realm instance doesn't support RxJava.
* @see <a href="https://github.com/realm/realm-java/tree/master/examples/rxJavaExample">RxJava and Realm</a>
*/
@SuppressWarnings("unchecked")
public Flowable<RealmList<E>> asFlowable() {
if (baseRealm instanceof Realm) {
return baseRealm.configuration.getRxFactory().from((Realm) baseRealm, this);
} else if (baseRealm instanceof DynamicRealm) {
@SuppressWarnings("UnnecessaryLocalVariable")
Flowable<RealmList<E>> results = baseRealm.configuration.getRxFactory().from((DynamicRealm) baseRealm, this);
return results;
} else {
throw new UnsupportedOperationException(baseRealm.getClass() + " does not support RxJava2.");
}
}
/**
* Returns an Rx Observable that monitors changes to this RealmList. It will emit the current RealmList when
* subscribed. For each update to the RealmList a pair consisting of the RealmList and the
* {@link OrderedCollectionChangeSet} will be sent. The changeset will be {@code null} the first
* time an RealmList is emitted.
* <p>
* RealmList will continually be emitted as the RealmList is updated - {@code onComplete} will never be called.
* <p>
* Items emitted from Realm Observables are frozen (See {@link #freeze()}. This means that they
* are immutable and can be read on any thread.
* <p>
* Realm Observables always emit items from the thread holding the live Realm. This means that if
* you need to do further processing, it is recommend to observe the values on a computation
* scheduler:
* <p>
* {@code
* list.asChangesetObservable()
* .observeOn(Schedulers.computation())
* .map((rxList, changes) -> doExpensiveWork(rxList, changes))
* .observeOn(AndroidSchedulers.mainThread())
* .subscribe( ... );
* }
*
* @return RxJava Observable that only calls {@code onNext}. It will never call {@code onComplete} or {@code OnError}.
* @throws UnsupportedOperationException if the required RxJava framework is not on the classpath or the
* corresponding Realm instance doesn't support RxJava.
* @throws IllegalStateException if the Realm wasn't opened on a Looper thread.
* @see <a href="https://github.com/realm/realm-java/tree/master/examples/rxJavaExample">RxJava and Realm</a>
*/
public Observable<CollectionChange<RealmList<E>>> asChangesetObservable() {
if (baseRealm instanceof Realm) {
return baseRealm.configuration.getRxFactory().changesetsFrom((Realm) baseRealm, this);
} else if (baseRealm instanceof DynamicRealm) {
DynamicRealm dynamicRealm = (DynamicRealm) baseRealm;
RealmList<DynamicRealmObject> dynamicResults = (RealmList<DynamicRealmObject>) this;
return (Observable) baseRealm.configuration.getRxFactory().changesetsFrom(dynamicRealm, dynamicResults);
} else {
throw new UnsupportedOperationException(baseRealm.getClass() + " does not support RxJava2.");
}
}
/**
* Adds a change listener to this {@link RealmList}.
* <p>
* Registering a change listener will not prevent the underlying RealmList from being garbage collected.
* If the RealmList is garbage collected, the change listener will stop being triggered. To avoid this, keep a
* strong reference for as long as appropriate e.g. in a class variable.
* <p>
* <pre>
* {@code
* public class MyActivity extends Activity {
*
* private RealmList<Dog> dogs; // Strong reference to keep listeners alive
*
* \@Override
* protected void onCreate(Bundle savedInstanceState) {
* super.onCreate(savedInstanceState);
* dogs = realm.where(Person.class).findFirst().getDogs();
* dogs.addChangeListener(new OrderedRealmCollectionChangeListener<RealmList<Dog>>() {
* \@Override
* public void onChange(RealmList<Dog> dogs, OrderedCollectionChangeSet changeSet) {
* // React to change
* }
* });
* }
* }
* }
* </pre>
*
* @param listener the change listener to be notified.
* @throws IllegalArgumentException if the change listener is {@code null}.
* @throws IllegalStateException if you try to add a listener from a non-Looper or
* {@link android.app.IntentService} thread.
*/
public void addChangeListener(OrderedRealmCollectionChangeListener<RealmList<E>> listener) {
CollectionUtils.checkForAddRemoveListener(baseRealm, listener, true);
osListOperator.getOsList().addListener(this, listener);
}
/**
* Removes the specified change listener.
*
* @param listener the change listener to be removed.
* @throws IllegalArgumentException if the change listener is {@code null}.
* @throws IllegalStateException if you try to remove a listener from a non-Looper Thread.
* @see io.realm.RealmChangeListener
*/
public void removeChangeListener(OrderedRealmCollectionChangeListener<RealmList<E>> listener) {
CollectionUtils.checkForAddRemoveListener(baseRealm, listener, true);
osListOperator.getOsList().removeListener(this, listener);
}
/**
* Adds a change listener to this {@link RealmList}.
* <p>
* Registering a change listener will not prevent the underlying RealmList from being garbage collected.
* If the RealmList is garbage collected, the change listener will stop being triggered. To avoid this, keep a
* strong reference for as long as appropriate e.g. in a class variable.
* <p>
* <pre>
* {@code
* public class MyActivity extends Activity {
*
* private RealmList<Dog> dogs; // Strong reference to keep listeners alive
*
* \@Override
* protected void onCreate(Bundle savedInstanceState) {
* super.onCreate(savedInstanceState);
* dogs = realm.where(Person.class).findFirst().getDogs();
* dogs.addChangeListener(new RealmChangeListener<RealmList<Dog>>() {
* \@Override
* public void onChange(RealmList<Dog> dogs) {
* // React to change
* }
* });
* }
* }
* }
* </pre>
*
* @param listener the change listener to be notified.
* @throws IllegalArgumentException if the change listener is {@code null}.
* @throws IllegalStateException if you try to add a listener from a non-Looper or
* {@link android.app.IntentService} thread.
*/
public void addChangeListener(RealmChangeListener<RealmList<E>> listener) {
CollectionUtils.checkForAddRemoveListener(baseRealm, listener, true);
osListOperator.getOsList().addListener(this, listener);
}
/**
* Removes the specified change listener.
*
* @param listener the change listener to be removed.
* @throws IllegalArgumentException if the change listener is {@code null}.
* @throws IllegalStateException if you try to remove a listener from a non-Looper Thread.
* @see io.realm.RealmChangeListener
*/
public void removeChangeListener(RealmChangeListener<RealmList<E>> listener) {
CollectionUtils.checkForAddRemoveListener(baseRealm, listener, true);
osListOperator.getOsList().removeListener(this, listener);
}
/**
* Removes all user-defined change listeners.
*
* @throws IllegalStateException if you try to remove listeners from a non-Looper Thread.
* @see io.realm.RealmChangeListener
*/
public void removeAllChangeListeners() {
CollectionUtils.checkForAddRemoveListener(baseRealm, null, false);
osListOperator.getOsList().removeAllListeners();
}
// Custom RealmList iterator.
private class RealmItr implements Iterator<E> {
/**
* Index of element to be returned by subsequent call to next.
*/
int cursor = 0;
/**
* Index of element returned by most recent call to next or
* previous. Resets to -1 if this element is deleted by a call
* to remove.
*/
int lastRet = -1;
/**
* The modCount value that the iterator believes that the backing
* List should have. If this expectation is violated, the iterator
* has detected concurrent modification.
*/
int expectedModCount = modCount;
/**
* {@inheritDoc}
*/
@Override
public boolean hasNext() {
checkValidRealm();
checkConcurrentModification();
return cursor != size();
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E next() {
checkValidRealm();
checkConcurrentModification();
int i = cursor;
try {
E next = get(i);
lastRet = i;
cursor = i + 1;
return next;
} catch (IndexOutOfBoundsException e) {
checkConcurrentModification();
throw new NoSuchElementException("Cannot access index " + i + " when size is " + size() + ". Remember to check hasNext() before using next().");
}
}
/**
* {@inheritDoc}
*/
@Override
public void remove() {
checkValidRealm();
if (lastRet < 0) {
throw new IllegalStateException("Cannot call remove() twice. Must call next() in between.");
}
checkConcurrentModification();
try {
RealmList.this.remove(lastRet);
if (lastRet < cursor) {
cursor--;
}
lastRet = -1;
expectedModCount = modCount;
} catch (IndexOutOfBoundsException e) {
throw new ConcurrentModificationException();
}
}
final void checkConcurrentModification() {
// A Realm ListView is backed by the original Table and not a TableView, this means
// that all changes are reflected immediately. It is therefore not possible to use
// the same version pinning trick we use for RealmResults (avoiding calling sync_if_needed)
// Fortunately a LinkView does not change unless manually altered (unlike RealmResults)
// So therefore it should be acceptable to use the same heuristic as a normal AbstractList
// when detecting concurrent modifications.
if (modCount != expectedModCount) {
throw new ConcurrentModificationException();
}
}
}
private class RealmListItr extends RealmItr implements ListIterator<E> {
RealmListItr(int index) {
if (index >= 0 && index <= size()) {
cursor = index;
} else {
throw new IndexOutOfBoundsException("Starting location must be a valid index: [0, " + (size() - 1) + "]. Index was " + index);
}
}
/**
* {@inheritDoc}
*/
@Override
public boolean hasPrevious() {
return cursor != 0;
}
/**
* {@inheritDoc}
*/
@Override
@Nullable
public E previous() {
checkConcurrentModification();
int i = cursor - 1;
try {
E previous = get(i);
lastRet = cursor = i;
return previous;
} catch (IndexOutOfBoundsException e) {
checkConcurrentModification();
throw new NoSuchElementException("Cannot access index less than zero. This was " + i + ". Remember to check hasPrevious() before using previous().");
}
}
/**
* {@inheritDoc}
*/
@Override
public int nextIndex() {
return cursor;
}
/**
* {@inheritDoc}
*/
@Override
public int previousIndex() {
return cursor - 1;
}
/**
* {@inheritDoc}
*/
@Override
public void set(@Nullable E e) {
baseRealm.checkIfValid();
if (lastRet < 0) {
throw new IllegalStateException();
}
checkConcurrentModification();
try {
RealmList.this.set(lastRet, e);
expectedModCount = modCount;
} catch (IndexOutOfBoundsException ex) {
throw new ConcurrentModificationException();
}
}
/**
* Adding a new object to the RealmList. If the object is not already manage by Realm it will be transparently
* copied using {@link Realm#copyToRealmOrUpdate(RealmModel, ImportFlag...)}
*
* @see #add(Object)
*/
@Override
public void add(@Nullable E e) {
baseRealm.checkIfValid();
checkConcurrentModification();
try {
int i = cursor;
RealmList.this.add(i, e);
lastRet = -1;
cursor = i + 1;
expectedModCount = modCount;
} catch (IndexOutOfBoundsException ex) {
throw new ConcurrentModificationException();
}
}
}
private static boolean isClassForRealmModel(Class<?> clazz) {
return RealmModel.class.isAssignableFrom(clazz);
}
private ManagedListOperator<E> getOperator(BaseRealm realm, OsList osList, @Nullable Class<E> clazz, @Nullable String className) {
if (clazz == null || isClassForRealmModel(clazz)) {
return new RealmModelListOperator<>(realm, osList, clazz, className);
}
if (clazz == String.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new StringListOperator(realm, osList, (Class<String>) clazz);
}
if (clazz == Long.class || clazz == Integer.class || clazz == Short.class || clazz == Byte.class) {
return new LongListOperator<>(realm, osList, clazz);
}
if (clazz == Boolean.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new BooleanListOperator(realm, osList, (Class<Boolean>) clazz);
}
if (clazz == byte[].class) {
//noinspection unchecked
return (ManagedListOperator<E>) new BinaryListOperator(realm, osList, (Class<byte[]>) clazz);
}
if (clazz == Double.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new DoubleListOperator(realm, osList, (Class<Double>) clazz);
}
if (clazz == Float.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new FloatListOperator(realm, osList, (Class<Float>) clazz);
}
if (clazz == Date.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new DateListOperator(realm, osList, (Class<Date>) clazz);
}
if (clazz == Decimal128.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new Decimal128ListOperator(realm, osList, (Class<Decimal128>) clazz);
}
if (clazz == ObjectId.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new ObjectIdListOperator(realm, osList, (Class<ObjectId>) clazz);
}
if (clazz == UUID.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new UUIDListOperator(realm, osList, (Class<UUID>) clazz);
}
if (clazz == RealmAny.class) {
//noinspection unchecked
return (ManagedListOperator<E>) new RealmAnyListOperator(realm, osList, (Class<RealmAny>) clazz);
}
throw new IllegalArgumentException("Unexpected value class: " + clazz.getName());
}
}
| 43,238 |
https://github.com/chakra-ui/chakra-ui/blob/master/packages/components/icons/src/Search2.tsx | Github Open Source | Open Source | MIT | 2,023 | chakra-ui | chakra-ui | TSX | Code | 16 | 186 | import { createIcon } from "@chakra-ui/icon"
export const Search2Icon = createIcon({
d: "M23.414,20.591l-4.645-4.645a10.256,10.256,0,1,0-2.828,2.829l4.645,4.644a2.025,2.025,0,0,0,2.828,0A2,2,0,0,0,23.414,20.591ZM10.25,3.005A7.25,7.25,0,1,1,3,10.255,7.258,7.258,0,0,1,10.25,3.005Z",
displayName: "Search2Icon",
})
| 15,300 |
https://github.com/v-maudel/docs-1/blob/master/docs/visual-basic/language-reference/data-types/codesnippet/VisualBasic/generic-types_3.vb | Github Open Source | Open Source | CC-BY-4.0, MIT | 2,021 | docs-1 | v-maudel | Visual Basic | Code | 12 | 26 | Public integerClass As New classHolder(Of Integer)
Friend stringClass As New classHolder(Of String) | 8,780 |
https://github.com/ihumphrey-usgs/ISIS3_old/blob/master/isis/src/base/objs/Column/unitTest.cpp | Github Open Source | Open Source | Unlicense | 2,019 | ISIS3_old | ihumphrey-usgs | C++ | Code | 268 | 1,015 | #include "Column.h"
#include <iostream>
#include "IException.h"
#include "Preference.h"
using namespace std;
using namespace Isis;
void printColumn(const Column &column);
int main() {
cerr << "\nUnit Test for Column!!!\n\n";
Preference::Preferences(true);
try {
Column testColumn;
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetWidth(1);
testColumn.SetName("test column");
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetName("test column");
testColumn.SetWidth(100);
testColumn.SetPrecision(100);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetName("test column");
testColumn.SetWidth(1);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetType(Column::Pixel);
testColumn.SetPrecision(100);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetType(Column::Real);
testColumn.SetAlignment(Column::Decimal);
testColumn.SetPrecision(100);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetType(Column::Integer);
testColumn.SetAlignment(Column::Decimal);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetType(Column::String);
testColumn.SetAlignment(Column::Decimal);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetAlignment(Column::Decimal);
testColumn.SetType(Column::Real);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetAlignment(Column::Decimal);
testColumn.SetType(Column::Integer);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn;
testColumn.SetAlignment(Column::Decimal);
testColumn.SetType(Column::String);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
try {
Column testColumn("test column", 15, Column::Integer);
printColumn(testColumn);
}
catch (IException &e) {
e.print();
}
return 0;
}
void printColumn(const Column &column) {
cerr << "Column \"" << column.Name() << "\"\n";
try {
cerr << "\tWidth() = " << column.Width() << "\n";
cerr << "\tDataType() = " << column.DataType() << "\n";
cerr << "\tAlignment() = " << column.Alignment() << "\n";
cerr << "\tPrecision() = " << column.Precision() << "\n\n";
}
catch (IException &e) {
cerr << "\t" << e.toString() << "\n\n";
}
}
| 47,671 |
https://github.com/paullewallencom/sencha-978-1-8495-1510-8/blob/master/_src/Chapter 7/touchstart/lib/touch-charts/docs/extjs/src/grid/column/Action.js | Github Open Source | Open Source | Apache-2.0 | null | sencha-978-1-8495-1510-8 | paullewallencom | JavaScript | Code | 1,256 | 3,309 | /*
This file is part of Ext JS 4
Copyright (c) 2011 Sencha Inc
Contact: http://www.sencha.com/contact
Commercial Usage
Licensees holding valid commercial licenses may use this file in accordance with the Commercial Software License Agreement provided with the Software or, alternatively, in accordance with the terms contained in a written agreement between you and Sencha.
If you are unsure which license is appropriate for your use, please contact the sales department at http://www.sencha.com/contact.
*/
/**
* @class Ext.grid.column.Action
* @extends Ext.grid.column.Column
* <p>A Grid header type which renders an icon, or a series of icons in a grid cell, and offers a scoped click
* handler for each icon.</p>
*
* {@img Ext.grid.column.Action/Ext.grid.column.Action.png Ext.grid.column.Action grid column}
*
* ## Code
* Ext.create('Ext.data.Store', {
* storeId:'employeeStore',
* fields:['firstname', 'lastname', 'senority', 'dep', 'hired'],
* data:[
* {firstname:"Michael", lastname:"Scott"},
* {firstname:"Dwight", lastname:"Schrute"},
* {firstname:"Jim", lastname:"Halpert"},
* {firstname:"Kevin", lastname:"Malone"},
* {firstname:"Angela", lastname:"Martin"}
* ]
* });
*
* Ext.create('Ext.grid.Panel', {
* title: 'Action Column Demo',
* store: Ext.data.StoreManager.lookup('employeeStore'),
* columns: [
* {text: 'First Name', dataIndex:'firstname'},
* {text: 'Last Name', dataIndex:'lastname'},
* {
* xtype:'actioncolumn',
* width:50,
* items: [{
* icon: 'images/edit.png', // Use a URL in the icon config
* tooltip: 'Edit',
* handler: function(grid, rowIndex, colIndex) {
* var rec = grid.getStore().getAt(rowIndex);
* alert("Edit " + rec.get('firstname'));
* }
* },{
* icon: 'images/delete.png',
* tooltip: 'Delete',
* handler: function(grid, rowIndex, colIndex) {
* var rec = grid.getStore().getAt(rowIndex);
* alert("Terminate " + rec.get('firstname'));
* }
* }]
* }
* ],
* width: 250,
* renderTo: Ext.getBody()
* });
* <p>The action column can be at any index in the columns array, and a grid can have any number of
* action columns. </p>
*/
Ext.define('Ext.grid.column.Action', {
extend: 'Ext.grid.column.Column',
alias: ['widget.actioncolumn'],
alternateClassName: 'Ext.grid.ActionColumn',
/**
* @cfg {String} icon
* The URL of an image to display as the clickable element in the column.
* Optional - defaults to <code>{@link Ext#BLANK_IMAGE_URL Ext.BLANK_IMAGE_URL}</code>.
*/
/**
* @cfg {String} iconCls
* A CSS class to apply to the icon image. To determine the class dynamically, configure the Column with a <code>{@link #getClass}</code> function.
*/
/**
* @cfg {Function} handler A function called when the icon is clicked.
* The handler is passed the following parameters:<div class="mdetail-params"><ul>
* <li><code>view</code> : TableView<div class="sub-desc">The owning TableView.</div></li>
* <li><code>rowIndex</code> : Number<div class="sub-desc">The row index clicked on.</div></li>
* <li><code>colIndex</code> : Number<div class="sub-desc">The column index clicked on.</div></li>
* <li><code>item</code> : Object<div class="sub-desc">The clicked item (or this Column if multiple
* {@link #items} were not configured).</div></li>
* <li><code>e</code> : Event<div class="sub-desc">The click event.</div></li>
* </ul></div>
*/
/**
* @cfg {Object} scope The scope (<tt><b>this</b></tt> reference) in which the <code>{@link #handler}</code>
* and <code>{@link #getClass}</code> fuctions are executed. Defaults to this Column.
*/
/**
* @cfg {String} tooltip A tooltip message to be displayed on hover. {@link Ext.tip.QuickTipManager#init Ext.tip.QuickTipManager} must have
* been initialized.
*/
/**
* @cfg {Boolean} stopSelection Defaults to <code>true</code>. Prevent grid <i>row</i> selection upon mousedown.
*/
/**
* @cfg {Function} getClass A function which returns the CSS class to apply to the icon image.
* The function is passed the following parameters:<ul>
* <li><b>v</b> : Object<p class="sub-desc">The value of the column's configured field (if any).</p></li>
* <li><b>metadata</b> : Object<p class="sub-desc">An object in which you may set the following attributes:<ul>
* <li><b>css</b> : String<p class="sub-desc">A CSS class name to add to the cell's TD element.</p></li>
* <li><b>attr</b> : String<p class="sub-desc">An HTML attribute definition string to apply to the data container element <i>within</i> the table cell
* (e.g. 'style="color:red;"').</p></li>
* </ul></p></li>
* <li><b>r</b> : Ext.data.Model<p class="sub-desc">The Record providing the data.</p></li>
* <li><b>rowIndex</b> : Number<p class="sub-desc">The row index..</p></li>
* <li><b>colIndex</b> : Number<p class="sub-desc">The column index.</p></li>
* <li><b>store</b> : Ext.data.Store<p class="sub-desc">The Store which is providing the data Model.</p></li>
* </ul>
*/
/**
* @cfg {Object[]} items An Array which may contain multiple icon definitions, each element of which may contain:
* <div class="mdetail-params"><ul>
* <li><code>icon</code> : String<div class="sub-desc">The url of an image to display as the clickable element
* in the column.</div></li>
* <li><code>iconCls</code> : String<div class="sub-desc">A CSS class to apply to the icon image.
* To determine the class dynamically, configure the item with a <code>getClass</code> function.</div></li>
* <li><code>getClass</code> : Function<div class="sub-desc">A function which returns the CSS class to apply to the icon image.
* The function is passed the following parameters:<ul>
* <li><b>v</b> : Object<p class="sub-desc">The value of the column's configured field (if any).</p></li>
* <li><b>metadata</b> : Object<p class="sub-desc">An object in which you may set the following attributes:<ul>
* <li><b>css</b> : String<p class="sub-desc">A CSS class name to add to the cell's TD element.</p></li>
* <li><b>attr</b> : String<p class="sub-desc">An HTML attribute definition string to apply to the data container element <i>within</i> the table cell
* (e.g. 'style="color:red;"').</p></li>
* </ul></p></li>
* <li><b>r</b> : Ext.data.Model<p class="sub-desc">The Record providing the data.</p></li>
* <li><b>rowIndex</b> : Number<p class="sub-desc">The row index..</p></li>
* <li><b>colIndex</b> : Number<p class="sub-desc">The column index.</p></li>
* <li><b>store</b> : Ext.data.Store<p class="sub-desc">The Store which is providing the data Model.</p></li>
* </ul></div></li>
* <li><code>handler</code> : Function<div class="sub-desc">A function called when the icon is clicked.</div></li>
* <li><code>scope</code> : Scope<div class="sub-desc">The scope (<code><b>this</b></code> reference) in which the
* <code>handler</code> and <code>getClass</code> functions are executed. Fallback defaults are this Column's
* configured scope, then this Column.</div></li>
* <li><code>tooltip</code> : String<div class="sub-desc">A tooltip message to be displayed on hover.
* {@link Ext.tip.QuickTipManager#init Ext.tip.QuickTipManager} must have been initialized.</div></li>
* </ul></div>
*/
header: ' ',
actionIdRe: /x-action-col-(\d+)/,
/**
* @cfg {String} altText The alt text to use for the image element. Defaults to <tt>''</tt>.
*/
altText: '',
sortable: false,
constructor: function(config) {
var me = this,
cfg = Ext.apply({}, config),
items = cfg.items || [me],
l = items.length,
i,
item;
// This is a Container. Delete the items config to be reinstated after construction.
delete cfg.items;
me.callParent([cfg]);
// Items is an array property of ActionColumns
me.items = items;
// Renderer closure iterates through items creating an <img> element for each and tagging with an identifying
// class name x-action-col-{n}
me.renderer = function(v, meta) {
// Allow a configured renderer to create initial value (And set the other values in the "metadata" argument!)
v = Ext.isFunction(cfg.renderer) ? cfg.renderer.apply(this, arguments)||'' : '';
meta.tdCls += ' ' + Ext.baseCSSPrefix + 'action-col-cell';
for (i = 0; i < l; i++) {
item = items[i];
v += '<img alt="' + (item.altText || me.altText) + '" src="' + (item.icon || Ext.BLANK_IMAGE_URL) +
'" class="' + Ext.baseCSSPrefix + 'action-col-icon ' + Ext.baseCSSPrefix + 'action-col-' + String(i) + ' ' + (item.iconCls || '') +
' ' + (Ext.isFunction(item.getClass) ? item.getClass.apply(item.scope||me.scope||me, arguments) : (me.iconCls || '')) + '"' +
((item.tooltip) ? ' data-qtip="' + item.tooltip + '"' : '') + ' />';
}
return v;
};
},
destroy: function() {
delete this.items;
delete this.renderer;
return this.callParent(arguments);
},
/**
* @private
* Process and refire events routed from the GridView's processEvent method.
* Also fires any configured click handlers. By default, cancels the mousedown event to prevent selection.
* Returns the event handler's status to allow canceling of GridView's bubbling process.
*/
processEvent : function(type, view, cell, recordIndex, cellIndex, e){
var me = this,
match = e.getTarget().className.match(me.actionIdRe),
item, fn;
if (match) {
item = me.items[parseInt(match[1], 10)];
if (item) {
if (type == 'click') {
fn = item.handler || me.handler;
if (fn) {
fn.call(item.scope || me.scope || me, view, recordIndex, cellIndex, item, e);
}
} else if (type == 'mousedown' && item.stopSelection !== false) {
return false;
}
}
}
return me.callParent(arguments);
},
cascade: function(fn, scope) {
fn.call(scope||this, this);
},
// Private override because this cannot function as a Container, and it has an items property which is an Array, NOT a MixedCollection.
getRefItems: function() {
return [];
}
});
| 25,848 |
theologynewtest00oostgoog_1 | US-PD-Books | Open Culture | Public Domain | 1,871 | The Theology of the New Testament: A Handbook for Bible Students | None | English | Spoken | 7,239 | 9,875 | The author of this volume is very generally regarded as the ahloBt living Dutch dirine of the evangelical school. He ia already Ttell known in this country by his contributions to Lahge's Commentary, viz ; on Luke, the Pastoral Epistles, Phile- mon, and James. These expositions are among the very best in this comprehensive Bible Work, edited by Dr. Schaff, A small treatise of his, Biatory ot Romance, in leply to Eenan, has l»een published by the American Tract Society. Besides these works, Dr. Van Oosterzee has also written a Li^fe ofJesut, 3 vols., 3d ed., 1863-1885 ; a Christology ; or. Manual for Chrutirms, 8 vols., 1855- 1801, and several other essays and articles, and he has vigorously defended the Christian faith against the assaults of rationalism. He ia at present engaged upon a manuai of Dogmatics, a transla- tion of which is already announced in England, and which will be, in some sort, a continaation of tha present volume. Dr. Van Oosterzee was born at Rotterdam, Holland, in 1817 ; studied at the Univergity of Utrecht ; was pastor of one of the chief cburches in Eotterdam for eighteen years ; and, since 1862, Hcssdb, Google ii Introductory Note. he Iiaa lieeti a Professor of Theology in the UniTereity of tTtrecht He ia no leaa distinguiated in the pulpit than in the professor's chair. The present volume was prepared for the nee of Ms own classes in the University, to meet a trant which la likewise felt in the theological seminaries of this country. Besides the able treatises on Doctrinal Theology, of all schools, which are accept- able to our students, there ia also needed a manual on Biblical Theology proper.* The existing Qerman works on this branch, learned and admirable as some of them are, do not in oil respects BO well meet the demand as does this volume of Dr. Van Ooster- zee. It is clear, simple, well arranged, and thoroughly imbued with the spirit of the New Testament writers. Its criticisms of other works, and its literary references will also bo found of value. It has already been translated and published in this country Ijy Dr. Day, in the Theological EclecUe. The present eidilion, printed from the English stereotype plates, will, it is hoped, increase its circulation and usefulness. It may safely be said, that every student of theology should have it at hand ; and also that it will be of great use to all intelligent laymen Interested in the study of the Sacred Scripture, especially in its doctrinal ci New Xokk, Nov. 10, 1871. Hcssdb, Google AUTHOR'S PREFACE. The present handbook owes its origin to the personal need of the writer. Called, inter alia, to lecture on the Biblical Theology of the New Testament as a separate branch of theological science, I looked in vain for a manual which should in all respects correspond to my wishes. Taking into account tlie great wealth of the subject, and the limited time which could be devoted by my class to this important theological discipline, I felt impelled as early as possible to set my hand to the work, and to present my students with a book which should by no means render unnecessaiy a more complete analysis of the material therein treated of, but should rather incite thereto ; and should thus form, in some measure, the basis on which yet further to build. From the nature of the case, therefore, much could be only hinted at which calls for additional oral information ; and, on the other hand, as far as possible, all had to be set aside which belongs to the domain of kindred theological science. In the choice, also, of literature to which the student is referred, I had regard less to completeness than to Hcssdb, Google vi Author's Preface. adaptation, and reserve to myself the right and the duty of adding thereto as occasion may demand. The " points for inquiry " at the end of each section are designed to serve, not as rigid bonds, but as hints leading to further discussion and interchange of thoughts. I hope in this way to have contri- buted something also towards the " self-culture " of those who think they can derive some profit from the study of my book. That constant application to Holy Scripture itself must inseparably accompany the tise of this handbook will be at once ^elf -evident. Only thus can it call forth a thorough acquaintance with the Scriptures, and prepare the way for the study of Systematic Theology. Should this attempt answer the end in view, it is my intention to issue a similar compendium of Christian Dogmatics, and possibly also of Practical Theology— to both which subjects, no less than to Biblical Theology, I am called to devote my best endeavours. To the former and present members of my class, who have hitherto followed these lectures with interest, and not without profit, these pages bring with them my sincere and heartfelt salutations. VAN OOSTERZEE. Hcssdb, Google TRANSLATOR'S PREFACE. But few words are necessary in introducing an English Edition of this work. Tliat such a text- book for students was felt to be needed is apparent from its speedy reproduction in a German form (Barmen, 1869). Another reason also has weighed with the Translator, There are not a few, among those who make no claim to the title of Theological Students, for whom the Christian faith — no less than the Christian life — of the first age will always be a matter of supreme importance ; — who believe, moreover, that independent research in the domain of New Testament doctrine is essential to the cultivation of genuine devotion ; — and who will gladly avail themselves of every suitable means of learning somewhat more fully what is "the mind of the Spirit." For such, a trustworthy compendium of the teaching of the New Testament Scriptures themselves is well-nigh indispensable. In making use of the present volume to this end, the neces- sary labour of consulting the Scripture authorities Hcssdb, Google viii Translator's Preface. will be abundantly repaid — not least in th«se cases where the bearing of a citation is not at once seen. In the literature of the earlier part of the volume some of the Continental works have been referred to by their English titles, even where no translation exists ; where a translation is extant, the fact has, as a rule, been indicated, except in the case of well- known writers, such as Neander. Readers who have an opportunity of consulting the work of Archbishop Trench on the Parables of our Lord, and the Bible Dictionaries of Drs. Smith and Kitto on the various Apostolic writers of the New Testament, will acquire thereby a considerable addition to the English literature of the subject. For converiience of reference, there has been added to the English translation an index of subjects, and another of the principal Greek words cited in the volume. M. J. E. Stralferd-on-A-von, Sept., iSya Hcssdb, Google CONTENTS. INTRODUCTION. 1. Definition of the Science 2. Its History 3. Its Method, Main Division, and Requirement FIRST PART. OLD TESTAMEN2 BASIS. 4. MOSAISM 28 j, prophetism 37 6. Judaism 47 7. John the Baptist 57 8. Result — ... 60 SECOND PART, the theology of jesus christ. 9, General Sumuakv ~ Hcssdb, Google FIRST DIVISION. THE SYNOPTICAL GOSPELS, The King of Kini The SUBjEcrs Salvation The Way of Salv The Completion SECOND DIVISION. TIfE GOSPEL OF JOHN. 8. The Son o F God N THE Flesh 9. The Son ■ God N His relation to the Father 0. The Son*3 F God IN His relation to the World 21. The Son F God IN RELATION TO HiS DiSCirLES 22. The Som F God IN RELATION TO HiS FUTURF. ... THIRD DIVISION. HIGHER UNITY. 2,1. Diversity AND Harmony 84. Result THIRD PART. THE TUEQLOCy OF THE APOSTLES. 25. General Survey Hcssdb, Google FIRST DIVISION. THE PETRINE THEOLOGY. Summary Peter, an Apostle of Jesus Christ Peter, the Apostle of the Circumcision Peter, the Apostle of Hope The Second Epistle of Peter Kindred Types of Doctrine Result and Thansition SECOND DIVISION. TUB PAULINE THEOLOGY. General Survey FIRST SUBDIVISION. 34. The Gentile and Jewish World 35. The Cause of this Condition 36. Its Consequences SECOND SUBDIVISION. HVMANITY AND THE INDIVWUAL MAN THROUGH AND IN CHRIST. 37. The Plan op Salvation 286 38. The Christ 296 39. The Work of Redemption 304 40. The Way of Saivation 316 6,1. The Church 324 43. The Future 333 43. KiNDKBD Types of Doctrine 343 44, Result and Transition 36a Hcssdb, Google xii Contents. THIRD DIVISION. THE yOHANNINE THEOLOGY. 4^. General Summaey FIRST SUBDIVISION. TJ£S GOSPEL AI^D THE EPISTLES. 46.- The World out or Christ 47, The Appearing of Christ 4S. Life in Christ SECOND SUBDIVISION. THE APOCALYPSE. Y). Diversity and Harmony FOURTH PART. JO. Harmony 51. Harmony 52. Harmony i HIGHER UNITY. JE Apostles with ea( iE Apostles with th. B Scriptures op the Old Testament Hcssdb, Google THE THEOLOGY OF THE NEW TESTAMENT. INTRODUCTION. SECTION I. getirrthjK of t^e ^fieittt. The Biblical Theology of the New Testament is that part of theological science which presents in a summary form the doctrine of the New Testament concerning God and Divine things, and expresses the same in systematic order. In its character, extent, and aim, it is distinguished from Christian dogmatics, and belongs to the domain of historic theology. I. Theology is in general the science of God and of Divine things : according to a newer, but not, therefore, better definition, the science of religion. In the stricter sense, this word designates the science of God, in con- tradistinction from that of man, of sin, of Christ, etc. Theology, the name for the locus de Deo in dogmatics, as distinguished from anthropology, hamartology (doctrine of sin), Chris to logy, etc. There is no religion of any importance which has not a more or less developed theology, as, for instance, the Hcssdb, Google 3 Theology of the New Testament. theology of Mosaism, of Islamism, of Buddhism, etc. ; yea, even philosophy has its theology, as well as its anthropology and cosmology. From this purely philosophic theology, the Christian, however, is dis- tinguished : inasmuch as the former is the fruit of our own thought, matured by reflection and experience ; the latter, on the other hand, is derived from a special Divine revelation, whose authentic document is the Holy Scripture. To this latter alone the words of Thomas Aquinas have their application — a Deo docetur, Deum docet, et ad Deum ducit. 3. The Biblical theology of the New Testament has to do with the ideas of God and Divine things which are presented in the New Testament. It investigates, in other words, the doctrine of the New Testament, without, at the same time, wishing to maintain that the New Testament presents a strictly defined system of doctrine, and much less that the essential characteristic of the Christian saving revela- tion consists exclusively or principally in its doctrine. If this is justly denied, it cannot be disputed that the New Testament really contains a doctrine of God and of Divine things. This doctrine the Biblical theology of the New Testament presents in a summary manner, contemplates each of its parts in itself and in con- nection with the others, and determines its place in history as a complete whole. In the widest sense of the word. Biblical theology embraces the doctrine of Divine things, as contained in the Old Testament as well as in the New. It is known how close is the connection between the two. Hcssdb, Google Definition of the Scierice. 3 Novum testamentum in vetere latet: vetus e novo patet (Augustine). If, therefore, a perfect separation is scarcely conceivable, a certain distinction is yet pos- sible, desirable, in some sense necessary ; and has, consequently, often been attempted, especially in later times, with the desired result. 3. The distinction between Biblical theology of the New Testament and Christian dogmatics— which are not seldom confounded to their common injury- begins already to be clear to us. Both parts of theo- logical science have their peculiar character. That of Christian dogmatics is historlco-philosophic ; that of the Biblical theology of the New Testament, on the contrary, is purely historic The former investigates, not what the Christian Church in general, or one of its parts, acknowledges as truth, but, above all, what, in the domain of Christian faith, must really be regarded as truth. The Biblical theology of the New Testament, on the other hand, inquires only what is adduced as truth by the New Testament writers. From its stand-point, it has to do, not with the correctness, but with the contents of the ideas which it finds in the teaching of Jesus and the Apostles. Elle ne dimontre pas, elle raconte (Reuss),* It has in this another aim than that proposed by one who treats of systematic theology. While dog- matics seeks to develop the subject-matter of the * Obscure and incorrect Is the distinction of Schenliel {Ckristliche Dogntatik, vol. I. p. 3S0), "Its design is not to bring to light the truth of salvation, but only the reality of the Scripture history of salva- HO,. db, Google 4 Theology of t/ie New Testametit. Christian faith, and to lay firm its foundations. Biblical theology, of the New Testament, has fulfilled its task when it has clearly presented what, in the New Testa- ment, in contradistinction from other religious docu- mentary authorities, is proclaimed as truth ; although the question, with what right it is so proclaimed, is left to the sister science. If its aim Is in so far a humbler one it has, on the other hand, a so much wider compass. Though, since the time of Calixtus (1634), dogmatics and ethics have been separated — with what right we here leave undecided — yet this separation is, in the domain of the Biblical theology of the New Testa- ment, as Httle justifiable as desirable. A clear hne of demarcation between the docirine of salvation and the doctrine of life had no existence in the mind of Jesus and his Apostles. From the stand-point of the New Testament writers, faith and life are not only united, but one. Biblical theology has, consequently, not less to investigate the practical than the theoretical side of the New Testament teaching. On the other hand, it cannot have as its proper object to treat of the life of the Lord and his Apostles in addition to their doctrine, which is attempted, amongst others, by C. F. Schmid, in a work to which we shall shortly have occasion to refer. While the Biblical theology of the New Testament has a much more objective character than Chris- tian dogmatics, it can yet dispense with the help of the latter, although Christian dogmatics cannot pos- sibly dispense with its help. It demands, therefore, in one who treats of it, not only that he should be a Hcssdb, Google Definition of tke Sciefice. 5 Christian philosopher, but also, above all, a good exegete and thorough historian. As for the herme- neute, so also for the Biblical theologian of the New Testament, the main question is, What readest thou? * It is on this account also better to designate our science by the name of Biblical theology than of Biblical Dogmatics of the New Testament, When we speak of the Biblical dogmatics of the New Testament, wc naturally think of a complete system of ideas, so far as this can be deduced, as a whole, from the New Testament Biblical theology, on the other hand, seeks to investigate, in a purely historical manner, the whole teaching {leerhegrip) of each single writer of the New Testament. Besides this, the word dogma reminds us almost involuntarily of the Church. The sayings of Jesus and of the Apostles, with which the Biblical theology of the New Testament has to do, have been just the elements from which the later dogmas have been derived, and by which they have been established. 4. The character of our science we have above indicated determines at the same time its place in the organic whole of the theological encyclopEedia. If we distinguish between exegetical, historical, syste- matic, and practical theology, it will soon be seen that the Biblical theology of the New Testament takes its place at the head of the second of these, where it shines as "a focus of light in theological study" (Hagenbach). Thankfully this science receives • Compare J. J. Doedes, " Hermeneutics of the New Testament ■Writings," (English translation.) Hcssdb, Google 6 Theology of the New Testament. the indispensable services which exegesis renders to it, and in turn confers these services upon the follow- ing parts of historic theology, as well as of systematic and practical theology, and especially on the history of Christian doctrines, whose basis and initial point it is. On tlie other hand, it can leave the critical investigation of the history of those sources from whence it draws, to the so-called introductory science — Isagogics of the New Testament. Without doubt, Biblical theology may not leave unused the light kindled _ by the latter science as a help in its investigation. On disputed questions, which are of importance for his subject, it is to be expected of the Biblical theologian that he should express his opinion, support, and defend it ; but a forma! treatment of these questions, leading to a final decision, ought not to be expected of him in this capacity. The un- ceasing accumulation of material demands, above all in our days, a division of labour. The ideal of our science is attained If it presents a clear, we 11- arranged, complete, and comprehensive view of the doctrines contained in the writings of the New Testament, without troubling itself what is asserted, with or without justice, hy criticism, concerning the origin, the connection, and the value of these books. 5. The importance of the investigation in which Biblical Theology is engaged, after what we have said, scarcely needs to be mentioned. Even from a purely historic point of view, it merits the attention of every one who treats of the history of humanity and of the kingdom of God upon earth. The ad- Hcssdb, Google Definition of the Science. 7 vanced Christian justly attaches great value to an exact acquaintance with the answer given by the Lord and his Apostles to the highest questions oi life. Especially must the Christian theologian learn to distinguish the teaching of Jesus and his Apostles from many other teachings. As a Protestant, he has, moreover, an interest in this investigation which is not felt by the Roman Catholic, or not felt in the , same degree ; and far from its being the case that in our time this investigation is rendered less important on account of the variously modified views of Holy Scripture, it is rather manifest of itself that— entirely apart from the justice of the modifications we have indicated— the very signs of the times most urgently impel us to its unwearied prosecution. On the idea and character of our science, compare F. F. Fieck on Biblical Theology as a Science in our Time, in Rohr's " Prediger-Bibliothek," anno 1S34; Schenkel, Ths Problem of Biblical Theology, etc., in "Studien und Kritiken," iSj^ ; the introduction to Lange's Bible Work (" Homiietical Commentaries,", English Translation, Edinburgh) ; and, above all, the article of C. I. Nitzsch, in Ilerzog's " Real-Encyklo- p^die," vol. ii. p. 219 and following. POINTS FOR INQUIRY. Character and psychological basis of theological science in general. — Wherefore was the investigation of the Old and the New Testament theology at first combined and afterwards separated ?— Criticism of some other definition?! of our science, more or less different from our own. — Views Hcssdb, Google S TJieology of the Nenj Testament. in regard to its place in the Encyclopsedia. — ^^Vllerefore does not the life of Jesus and his Apostles belong to its domain?— More exact statement and defence of its im- portance in itself, and in comparison with other branches of theological science.— From what cause is the low estimation of this science on many hands to be explained ; and where- fore and how is this to be combated ? Hcssdb, Google SECTION II. lis listeg. The age of the Biblical theology of the New Testament, as an independent part of theo- logical science, extends not far beyond the present century. It has passed through a loug period of preparation, but has developed itself, in any considerable degree, only within a short time, and is now in a condition of promise and of life, which powerfully impels to its further cultivation, I. Not without reason is it usual, in the introduction to any scientific investigation, to afford a'sketch of its history. In this case, also, history proves itself "the light of trutli, the witness of the times, the instructress of life." It makes us acquainted with that which has been already done within a given sphere, and on this account, also, with that which yet remains to be done. It shows how the science has gradually attained to an independent rank, affords the key to the explanation of its present con- Hcssdb, Google lo Theology of tlie New Testainetit. dition, and places us thus in a position furtlier to build upon a foundation already laid. 2. Some one has justly termed the Biblical theo- logy of the NewTestament an "especially Protestant" science. It is. so at least to this extent, that though the germ of this science was before present, it could only freely develop itself on the soil of Protestantism. The period before the Reformation may be designated the preparatory one. To this period belong the most important Fathers of the first centuries, who are more or less Biblical theologians. Especially does this honourable title belong to the coryphjei of the Alexandrine school. In some measure, the work de testiinoniis, which is usually ascribed to Cyprian {pbiit A.D. 258), may be adduced as an instance of independent research within this sphere, as well as also that of the African bishop, Junilius, de partibus legis, which belongs to the sixth century. That the Middle Ages were not favourable to works on Biblical theology is manifest from the nature of the case. As a rule, the question then was not — What is the teaching of Scripture .' but — What is the teaching of the Church ? They did not, however, entirely abstain from appealing to Scripture against those who differed from them ; and the age before the Reforma- tion prepared at the same time the way for a juster and more successful treatment of Biblical theology, especially that of the New Testament. The Doctores ad Biblia were expressly called to its explanation, and Luther's example shows with what zeal indi- viduals among them entered upon this work. The Hcssdb, Google Its History. ii dogmatic masterpieces of the Reformation are at the same time the fruit of an earnest study of the Bible ; although it was by no means entered upon from an histoiic standpoint, or with a purely scientific aim. Unfortunately, there arose in the seventeenth century a new scholasticism in place of the old, and the boundary line between Biblical theology and the dogmatics of the Church was more and more oblite- rated. Exegesis retired to the background, polemics came to the front. Even polemics, however, appealed to the so-called dicta probantia, which were expounded more or less according to the tenets of a particular school. _ The desire to find the truth of salvation as clearly and perfectly expressed as possible, even in those living under the Old Covenant, gave rise to very special investigations. Thus the theology of Job (1687}, of Jeremiah (1696), even that of Elizabeth (1706), was treated witli minute care. In an in- creasing degree— alongside of scholastico -dogmatic' investigation — the necessity for Biblical exegesis (not yet purely historical) made itself felt, and the meaiis thereto were supplied on various hands. In Strasburg, Sebastian Schmidt published his Collegium Biblicum (3rd edition, 1689) ; in Holland, Witsius and Vitringa called forth a purely Biblical school. Even the reac- tion of Pietism against orthodoxy affected favourably our science in its earliest stage ; and during the whole eighteenth century there is manifested an increasing effort to throw off the scholastic yoke, and in the presentation of the Christian doctrine of faith and life, to return to Biblical simplicity. As types of this Hcssdb, Google 12 Tluology of the New Testament. tendency, we may mention M. C. Heyman, Versuch einer Bibl. Tkeol. in TaheUen (4th edition, 1758); A. F. Busching, Epitome Theologian, e solis litteris sacris concinnatw (i7S7)i ="id by the same writer, Gedanken von der Beschaffenheit und der Vorsug der Bibl. Dogm. Theol. vor der scolastischen (1758) ; above all, D. G. F. Zacharise, Bibl Theologie, oder Unter- suchung dcs Bibl. Grundes der vomehmsien Theol. Lehren {3rd edition, in five parts, 1786) ; and Storr, Doctrine Christianm e solis litt. SS. repetit<B Pars T/teor. (Stuttgard, 1793 and 1807). Their footsteps were followed, both within and without our country, at the end of the last century and the beginning of the present, by distinguished Biblical theologians of the supernaturalistic school. 3. Yet, however valuable all this is, the purely historical treatment of the Biblical theology of the New Testament is entirely a fruit of modern time, which brings forth ever more clearly the distinction between this and ecclesiastical or philosophical dog- matics. The idea that the Biblical theology of the New Testament must be treated as an independent part of historic science was first expressed with clear consciousness on the rationalistic side. This took place on the part of J. Ph. Gabler {Professor at Altorf) in the year 17S7, in an academic discourse, De justo discrimine Theol. Bibl. et Dogm., wherein he insisted that in the domain of the first-named science (Biblical theology) the doctrines of the different writers must be objectively investigated, distinguished from each other, and accurately arranged. His main thought Hcssdb, Google Its History. 1 3 wa.s further developed by his colleague, G. L. Bauer, who {1800-1802) published a Biblical Theology of tJie New Testament, in four parts, to which a fifth was promised. While this writer gave to his historic investigation an apologctico-practical tendency, an independent standpoint was taken by C. F. Ammon, in his Outlvte of a purely Biblical Theology (Erl. 1792), and his Biblical Theology {2nd edition, in three parts, 1801-1802). According to his view, Biblical theology should deal only with the "materials, fundamental ideas, and results of Biblical teaching, without troubling itself about the connection of the same, or weaving them into an artificial system." " This, business," he says, "is reserved for the writer on dogmatics, who harmonises together these results." Whether the task of dogmatics is so simple as it would appear from these words, may remain for us at present a matter of indifference ; it suffices that the historic character of our science has been intelligently expressed by Ammon. Yet more clearly is this done by G. F, C. Kayser, in his work, Bibl. Theologie, oder Judaismits und Chrisiianismus, etc. (Erl. 1813-14); but especially by the Basle Professor, W. M. L. de Wette (died 1850), who has rendered this science most important services, less as concerns results than as concerns method. He placed Biblical dogmatics parallel with those of the Lutheran Church, in a certain respect opposite to them, and distinguished in the former better than had been before done between the ideas of Hebraism and those of Judaism, between the doctrine of Jesus and that of the Apostles. He asked, above all things, not Hcssdb, Google 14 Theology of the New Testament. whether he could harmonize his views with the Scrip- ture teaching, but what the Scriptural conceptions were, how they were developed from each other, and beside each other, and in what connection they stood with the peculiar ideas of the time in which they were first uttered. Without doubt this work also has its weaker sides : Biblical theology is here too much Biblical dogmatics in- the stricter sense of the word, and the peculiar philosophic standpoint of the author — he belonged to the school of Fries — had an overweening influence upon the historic view of his subject. This, however, does not prevent his having made, in some respects, gigantic progress in the good way, so that others with the desired success could further build upon the foundation he had laid. This was done also, although in a less happy form, by L F. O. Baumgarten-Crusius, Professor in Jena, in his Outlines of Biblical Theology {\?>z%); by L. D. Cramer, Prelections upon the Biblical Theology of the New Testa- ment, brought out by Nabe, Leipzig, 1830; and on a much greater scale by D. V. Colin, Professor at Breslau, whose Biblical Theology, in two parts, was published after his death, in 1836, by Dr. D. Schulz. It was, however, not only the wholly or half ration- alistic school of theology which devoted itself with manifest preference to the prosecution of this part of the science ; on the supernaturahstic side also its domain was cultivated by skilled hands. During the second quarter of the century, the theology of the Old Testament began to receive especial attention. The writings on this subject of Steudel (1840), Oehler Hcssdb, Google lis History. IS (1840), and especially of Havernick {1848), deserve to be mentioned with honour. As far as the i>few Testa- ment is concerned, our science is especially under deep oblig'ation to the ever-memorable Neander (died 1858). In the first part of his Life of Jesus (ist edi- tion, 1837), he gave an historic summary of the doc- trine of the Redeemer as derived from his parables, in which we cannot fail to recognise the master hand whicJi had already analysed with rare tact the doc- trinal teaching of the different apostolic writers, in his Planting and Training of the Apostolic Church (ist edition, 1832). He brought out the finer shades of thought in the peculiarity of each one, but at the same time pointed out the higher unity, and sought especially to show "how, notwithstanding all differ- ence, there was an essential unity beneath, unless one is deceived by the form, and how the form in its diversity is easily explained." The weaker sides of Neander's treatment are avoided in one of the best works which we have here to mention, C. F. Schmid's Bibl. Theol. des N. T., which, after his death, was edited by Dr. K. Weizsiicker (1S53), of which a new edition appeared in 1 864, He presents the theology of the New Testament objectively and clearly, and penetrates with manifest sympathy into the organism of the different groups of doctrines, the treatment of which is preceded by a special biography of the Lord and His Apostles. If the latter is not to be com- mended (comp. § I, 3), his work deserves the preference to the incomplete Tluology of the New Testament, by Dr. G. L. Hahn, Leipzig, 1854. This treats only of the Hcssdb, Google 1 5 Theology of the New Testament. fundamental idea of God and the world, which under- lies the teaching both of the Lord and His Apostles, without making a just distinction between, the different doctrinal types, and brings out indeed very clearly the unity of the fore -mentioned ideas of God and the world, but without doing sufficient justice to the diversity of the doctrinal development in the writers of the New Testament As far as the theology of the Apostles especially is concerned, we give the pre- ference to H. Messner, TIu Doctrine of tlie Apostles, Berlin, 1856 — a hook here and there a little heavy in style, but ricTi in contents, and constructed on a good method ; and especially G. V, Lechler, The Apos- tolic and Post-Apostolic Age, with regard to Diversity and Unity in Doctritie and Life, crowned in the year 1848 by the Teyler Society, and published in 1857 a second time, so greatly augmented and improved that it may almost be called a new work. The special literature of the Petrine, Pauline, and Johannine theology we shall cite in the proper place. That the treatment especially of the theology of Jesiis must be considerably modified through the influence of the criticism of Strauss and the Tubingen school, was a natural consequence of the spirit of the time, and is manifest, besides, from many examples. In general we must not suppose that even where the purely historical character of our science is acknowledged and defended, the theological and philosophical standpoint of the writer has been without great influence upon its treatment. How prejudicially the Hegelian philosophy has affected Hcssdb, Google Its History. 17 Biblical theology we may perceive from the work of Vatke (1835), whose a priori construction of doctrine and history lias been combated but not improved by Bruno Bauer, The Religion of the Old Testament, Berlin, 1S38-39. As far as the New Testament is concerned, we should bestow a yet higher praise than we do upon the, in many respects, so excellent Histoire de la Tfieol. Ckret. du Sihle Apostol., by E, Reuss, Strasburg, 1852 (latest edition 1864), if the clearness and completeness of the pre- sentation were equalled by its strict objectivity. But in tile grouping, here and there also in the treatment and appreciation of the materials, the author's con- siderable sympathy with the Tubingen construction ol the earliest Church history is unmistakable, whilst Ills investigation, moreover, extends beyond the limits t'l the New Testament ; which is not advantageous for tne recognition of the entirely peculiar value of its ci/iitents. In a far greater degree, however, does this Objection apply to the work of the head of the 'iiibingen school. Dr. F. C, Baur, in whose Prelections on New Testament Tfieology, published after his death by his son (1864), the well-known bright and dark sides of this school are, so to speak, concentrated. The whole rich material of New Testament theology Baur divides into three different periods, after he has first separately dealt with the teaching of Jesus. To the first of these he assigns the four Pauline epistles, acknowledged by him as genuine, together with the Apocalypse, and discusses their dogmatic contents. In the second follow the Epistle to the Hebrews, the Hcssdb, Google 1 8 Theology of the New Testament. smaller epistles of Paul (with the exception of those to Timothy and Titus), and, further, the Epistles of Peter and James, the Synoptical Gospels and the Acts, In the third, finally, the doctrinal contents of the pastoral epistles and the Johannine writings, which, according to Baur, are by far the latest in the whole canon. Thus the whole conception and method rests upon a system of Isagogics and criti- cism, to which no one will give the name of impartial. Yet more arbitrarily and with much less talent has this presentation of history been attempted from the same standpoint by L. Noack in his Bibl. TksoL, Introduction to the Old and New Testament, Halle, 1853. From the Roman Catholic side an important contribution to our science has been made ic Ger- many by J. A. B, Lutterbeck, On ilte New Testt'^^'nt Doctrines ; or, Investigations as to the Period cf the Religious Change, the Stages preparatory to Chris- tianity, and the first form.- of the same. (Two parts, Mainz, 1852). It contains a treasure of material, although the author himself has published it oiil" as a Handbook of the Earliest History of Doctrines and Systematic Exegesis of the New Testament, and although he leaves the doctrine of Jesus entirely untreated of, and, on the other hand, has taken up a great deal that does not properly belong to the subject As far as the literature of Holland is concerned, comparatively much has been done for the advance- ment of Biblical and Evangelical dogmatics (Mun- tinghe, Egeling, Heringa, Vinke), but as yet but little Hcssdb, Google Its History. 19 for the scientific and purely liistoric treatment of New Testament theology. From the standpoint of the Groningen school many an important contribution to the knowledge of the doctrines of Paul and his fellow- Apostles has been received in the early issues of Waarheid in Liefde. A copious compendium was afforded to his students by the Leyden professor, J, H. Scholten, in his History of Christian Doctrine during the Period of the New Testament (2nd edition), Leyden, 1858, in which the well-known clearness and acuteness of the author is just as little to be denied as the influence of his own dogmatic system upon the result. An important contribution to Biblical theo- logy was made by Dr. A. H. Blom, in his treatise. The Doctrine of the Messianic Kingdom among tfie First Christians, according to the Acts of the Apostles, Dordr., 1863 ; a study in which, not in vain, the requirement of strict objectivity is made. In regard to Eschatology, an exact and thorough historic and exegetical investigation has been made by J. P. Briet (Two parts), Thiel, 1857, 1858. " 4. At the end of our historic summary we see that, while it is by no means impossible to treat Biblical theology as an independent science, just as little is a new attempt at the development and completion of 'this science to be regarded as superfluous. It is fur- ther clear that the requirement of the science is so much the more fully met, in proportion as we keep before the eye its objective historic character; that, on the other hand, untimely admixture of one's own dog- matic and philosophic opinions can only tend to its Hcssdb, Google 20 Theology of the Neiv Testament. essential injury. During a succession of years, ship- wreck has been made on one or other of these rocks alternately ; either the unmistakable diversity of the doctrinal contents was sacrificed to the prosecution of an ideal unity, or the higher unity was sacrificed to a too strongly coloured diversity. The former of these especially was more prevalent at an earlier period, under the influence of ruling dogmatism ; the latter more especially in our own time, under the influence of the criticism which gives the present tone. True wisdom demands that we avoid Scylla, and remain equally far from Charybdis. But this leads us to the following section. Compare, on the subject treated of in this sec- tion, Reuss, Histoire de la Theol. Chr^t., pp. 13-28; Baur, Vorksungen Uber neii-testamentliche TJuologie, p. 1-44. POINTS FOR INQUIRY. Whence is it that the Biblical theology of the New Testament is as yet a comparatively youthful science? What beneficial and what hurtful influence has the Tubingen school exerted upon its development? Is it possible and necessary to keep it free from the influence of a definite Christian philosophic system ? Hcssdb, Google SECTION III. Its ^li^oij, ^ain giljisicra, mib ^tc[ummmt. The method of our investigation can, from the nature of the case, be no other than the genetic, chronologico-analytic. The main division of the material is determined by the peculiarity and mutual connection of the different doctrinal systems which are met with in the New Testament. If the treatment is to correspond to its object, it must be carried out in a truly scientific manner, but at the same time in a truly Christian spirit. I. In every science the question as to the mode of proceeding is of primary importance. All the value of a result stands or falls with the legitimacy of the method by which it is obtained. As a part of historic theology, our science can obey no other laws than those which apply to every historic investigation. The method must, consequently, be a genetic one, that is, it must take into account not only the con- Hcssdb, Google 22 Theology of the New Testament. tents, but also the manner of origination (genesis) of the different ideas. In this, histori co-psycho- logical exegesis, especially, will render good service. Further, it must be chronological. We find in the New Testament a series of writings and thoughts which, gradually formed, were not seldom developed under the opposing influence of one writer upon another ; even the inner process of development of one and the same writer — e.g., that of Paul — was by no means immovably fixed during a succession of years. " History is the unfolding of life " (Schmid). Here, consequently, the well-known direction, dis- tingue tempora, is to be carefully observed. Finally, analytical or disjunctive, Wc have to ask not at once after the doctrines of the Apostolic age en bloc, but after those of each of the different witnesses which meet us in the New Testament. It is true we have here also to do with a higher unity ; but this becomes manifest only when the manifest diver- sity is first clearly presented. The synthesis has no value unless the analysis has been pure. " It is of analysis that we shall seek the light which shall lighten our path ; of analysis, which teaches the historian to lose sight of himself, in order not to fail of his subject, which knows how to respect the particular character of each fact, of each idea that it meets, which recognises to each epoch, to each group, to each individuality even, however small, its right to appear to-day in the mirror of history, that which it once was in the reality of life " (Reuss). Hcssdb, Google lis Method, Main Division, etc. 23 2. The main division of the subject upon which we are entering is already, in principle, indicated by what we have said. First, we must separate tlte theology of the Lord Jesus Christ and that of the Apostolic writers from each other, and treat of the former before the latter. In dealing with the first, the difference between the utterances "of the Lord in the Synoptics and those in the Gospel of John is at once evident. Also, the investigation of the Apostles' doctrine demands a similar threefold division. Peter, Paul, John, give — and indeed in this order — their successive testimony. Around these leading forms are grouped also others, who manifest more or less of spiritual affinity with them and their thoughts. Thus, to the Petrine theology belongs the doctrinal system of James and Jude; the Gospels Of Matthew and Mark must also be arranged under this head. Around Paul are grouped his predecessor Stephen, his fellow-labourer Luke, and his spiritual kinsman the author of the Epistle to the Hebrews. John stands alone; but the John of the Fourth Gospel and of the Epistles, on the one hand, and the John of the Apocalypse, on the other hand, are sufficiently different for us to listen to the one only after the other has spoken. In these two main division.s, the material for our investigation is comprehended, but not yet fully mastered. We cannot understand the teaching of the Lord and His Apostles so long as we have not — even though only in a general sense— learnt to know the ground out of which the plant grew, Hcssdb, Google 24 Theology of the Ncio 'Testament. | 43,032 |
sn84024649_1851-07-24_1_3_2 | US-PD-Newspapers | Open Culture | Public Domain | 1,851 | None | None | English | Spoken | 4,254 | 7,124 | J • 84—w4w B. II. NOW LIN. c . c «\ VT u circuit court of the corporation of Lynch burr, continued and held at tho courthouse in ' <»id corporation, on Tuesday the i t day of Julv, j 1831. ' * John C. Shackleford and the satin* John C. Shack- ■ lofonl and John *S. Lewellin, lute saddler* and part ner* trading under tho *tyle and him of Slmcklc k’ld A Li*w» !li.'. who sue tot* the heucfit ot David B. Np-.*nco and Charles li. iS.aughter^ receivers, &c., I'JointiU*, against NN ihium T. fiii tin, Jehu J. (Lean trustee, James 11. Luck executor of V» liiotm li. 11 a good dec’d, John V:ituies», E. I*. Moyer, E IwiirJ Jenkins A I’m., ibinti A Joseph (1. Fuller, William Ayres, i empic Lewis A (Jo., E. I Dowm #, Jum<*# M. Reynolds. I loliuiid A I.av . Edward L. Kegoii, V* illiam Bi '.mcr, Janie* M. Wiilio":-u'n! Nuthaniei Wibon, D- fend a at *. T hi* cotisc came on this day to he heat J, on tin* hi:l. nn-werof the delendant, William T . (Jlmm, exhibit*, the order of publication uguinst tho uhsenl defendant a John Yuiine*#, E. |*. Mover, Edward Jenkins A Brother. and Ciiinu At Bowe, which np pears to have been duly published and posted at the courthouse door, and upon the process of #pn. re turned “executed, and the i im • i ,l.i. • . ut ■ ■ •a. I will appear to all the other defendants, the cause is matured for a hearing and is argued by counsel; and the order that one of the commissioners of the court shall take, state and settle the following accounts: 1st. An account of the debts claimed by the plaintiff, John C. Nickleford and Shackleford vs. Lewellyn, in the building being due and owing by the defendant William T. Gideon. 2nd. An account of the trust fund under the deed of trust from W.T. Glenn in the hands of John J. Glenn, the trustee, or any agent of his, showing what has become of the assets therein conveyed; how much money or property has been lost into the hands of the said John J. Glenn, or his agent, under said deed of trust, and in what manner, when and to whom he has disposed of the same, and in what amount and under what authority. 3rd. An account of the debts of the several parties, secured in said deed, and in which, by virtue of the trust, has been paid thereon, and when and by whom, and out of what fund paid. V. high accounts said commissioner will take, state and settle, with any other matter specially stated, deemed pertinent by himself, to be required by the parties or either of them to be so stated, and make report thereof to the court.—And either party is at liberty to interrogate the other before said commissioner touching any matter pertinent to such accounts; such interrogatories to be answered on oath or affirmation by the party so interrogated; and the commissioner, in taking said account, may give notice thereof, by advertisement in out- or more of the newspapers published in this place, for four successive weeks, which shall be equivalent to personal service of notice on the parties. A copy—Teste, D. HODGES, Clerk. Commissioners' Office, July 2nd, 1851. The parties interested in the above order, will take notice, that I shall, on Friday, the 21st day of August, at 10 o'clock A.M., proceed to cute the same, at which time they are required to attend at my office, prepared with all the books, papers, vouchers, and other evidence necessary to a settlement of the grievances directed. THUS. J. KIRKPATRICK, July 24—w Lv Commission, General. Auction: That I shall, at the franklin Hotel, in the town of Lynchburg, on the 20th day of August, 1851, proceed to take the deposition of Edwin Dejarnet and others; and that I shall, in the Clerk’s office of Halifax county, on the 1st and 2nd days of September, 1851, proceed to take the depositions of Zebedere Petty and others, all of which depositions are to be read as evidence upon the trial of a suit now remaining in the circuit court for Halifax county, in which I am plaintiff and you are defendant. Yours, &c., SOPHIA J. MPSCOMBE, Who sues by Theo. J. Collins, her next friend. July 24-vv-lw Trustee: That on the 17th day of September, 1851, at the house of Wiley J. Stephenson, in Newmarket, in the county of Jefferson. State of Tennessee, I shall take the deposition of Wiley Stephenson, to be read as evidence in two suits now pending in the circuit court of Columbia. In the county of Virginia, in the State of Virginia, in each of which suits you are plaintiffs and I am defendant—and should the taking of said deposition not be completed on that day, it will be continued from day to day till completed. July 24-v. Iw_JAMES F. CATH, Most re. Hukurd 11 a Inc and Juc Wta c, cicu/ui t of Joint A- l 'adi n— fJ V-YKE LOTTERY—That I s’, all, in the Jl mart house of Halifax county, on the 25th and 'itii days of August, 1851, proceed to take the depositions of Zebedee Petty and others, to be read us evidence upon the trial of a suit now depending in the circuit court for the county of Halifax, in which I am plaintiff and you are defendants. Yours, iIt., ■Iii'vM-v.Iw RiniARH W. PETTY WACKEREL, MF.K.RIVUM, Ac. -1-* *- We have just received a consignment of 100 bids, roe, dipt and gross Herrings, 25 half bids. No. 2 Mackerel, 15 “ “ 3 do Which we will sell lower than any in the market. Apply at JONDA Y HOLCOMBELS. July 17—I m Amc!» and Com. Mr,. ^ i % in; i.i. iioi hi: i on him. This well known Hotel situated on Bunk square, is for rent for one or more years, commencing from the 1st September next. Apply to RICHARD K. CRADLE, and R. fi MANSON, guardians of July 14—ts the heirs of Sally Ward, deceased. JUST RECEIVED a large hit i Checks, bound in books Tobacco Books, ruled to suit shippers. At., from 2 to 6 q. 1 D. rAl m; & pro. Black-water j a.m.; scriber has in store 203,000 yds Woolen June. assorted colors, manufactured by the Lynchburg Manufacturing Company, which he will sell on accommodating terms, or exchange for Wool. A. B. RICKER, Agent July 14-lm for L. M. Company. We are offering for CASH—In order to close our business, we are now offering our entire stock strictly at cost; consisting of a very large assortment of Staple and Fancy Dry Goods. Ready-Made Clothing, Shoes, Boots, Hats, Caps, Underwear, etc. We feel assured the public never had such a good opportunity before of being supplied with so many desirable Goods at such low prices, and we cordially invite all to come soon. Merchants and others wanting large supplies are advised to make early calls. Large additions were made from this Spring’s importations. May 29-ifrs_ MEE.M & GW ATKIN. CARTS AND WAGONS FOR SALE—I have on hand and will sell very low for cash or on a short credit for good negotiable paper. No. 1 Rail Road Carts. Two burse wagons, one do do, and one do do. They are all made of the best materials, with good iron axles, and I will myself sell them. A. B. RICKER, Agent LOTTERIES. LOTTERIES FOR SALE. From the GOLD ORDERS — 11th Monthly. Mouns OFFER. — 11th Monthly. Sussex County Lottery. Class 1. By virtue of a recent order, the following individuals have been appointed to draw prizes for the 1,500.—Ticket $20. Ivanian's Class V. 18 17 51.,0 0 71 11 00 14 57 40 2 Alleghany Class V. 19 47 58 68 67 12 71 5*1 65 5 57 45 60 Mountain Class V. 19 47 58 68 67 12 71 5*1 65 5 57 45 60 Mountain Class V. 34 61 63 19 36 21 44 33 49 29 43 70 t Monongahela Class V. 34 61 63 19 36 21 44 33 49 29 43 70 t Monongahela Class V. 11 40 47 74 7J 38 52 33 57 4* 7i 13 35 67 37 Prizes.Sold. Monongahela Class V. 11 67 71 —returned $1,000 12 67 71 —returned $1,000 80 52 57 37—half ticket $150 A. F. WHITTEMORE, Jr. Orders for packages, certificates of packages, or single tickets, in the batteries of J. W. Maury & Co., will meet with prompt attention if addicted to A. B. WHITTEMORE, of Commerce, F. MORRIS & CO., Successors to P. P. Co., P. Co., and Co., Manufacturers, whose liberal and popular merchandise commands admiration and are not excelled by any other in the United States, and from their good luck here of, are in the distribution of our products. The package, Certificates, or Single Tickets, can be had at all times by order or otherwise. Two Schemes, large and small, and Unwilling, received daily. To All orders, they will be promptly attended to. All Flirts, cashed at the office. Thursday 24—County 30—75 14. $1,8,000; 9,000; 6,090; 3,000; 20 of 500 —Tickets Finlay 25—1/ Crns- ltd’i'ed 43—78 12. $17,500; 7’,300; 5,000; 2,500; 5 of 1,000.—Tickets Saturday 26—Clran l Coiwclida'c 10.—78 20. $60,000; 40 009; 20 000; 10,000; 7,500; 5,000; 5 of 3,000; 5 at 2,000.—Tickets $20. Drawn. ia inhcrti. Pa'aj’tco 16. 11 53 78 40 62 57 til 46 72 21 71 21 9 56 Md. CanndiduUd 42. 18 66 57 49 20 27 39 25 2 47 30 11 58 63 67 Vatapsro 197. 63 33 37 33 75 2 3 69 55 12 14 48 Grimd t.'i■nrolida tti 18. 53 75 55 7 2 8 65 39 69 68 32 22 51 Furprir.es call or send to July 24-11 McCUHKY’S Lucky OJftc*. Ni:u (CAMiltA — Vviil. A A l take this method of i.forrnir.g their friends and the public generally, that they have taken, the large and commodious granite front building, on Bank Square, opposite Henry Duvall (formerly occupied by A. B. Kticker) for the, J.urpon -f t U * ic'i ig I geii' lid b/iOt.7.’ I', t ommis^ios a- rori i\ AJU)L\a hum I si:ms. We are now rerei\ ing our supply of < it M >|).S, re cent.lv pmvln-- d in the Northern imnket* upon the most advantageous terms, ruiisi.*t n.\: in part ul I* H N O tttnl Cuba Hu- Kbe gars Sperm. Adamantine and | St Croix and Cuba Sit- Tallow Candle* i cur* very fine Brown and \ oriogatvd j J* It O and Sugar house Soaps Mola-'-se* Green anil Blnck Ten*, ; Kin nnd Lngu; ra coiloe pni'l very superior | Muiicabo do I bur Old govm’t Java do VI t.Uer.l Mochu do Clipt and line Hairing* J Cotton yarn* of all No* Suit* Jc-atln r Nail* of nil id/en Shoe Thread Bur. rolled, baud anil Nova Scotia grind itoim.1* j hoop iron Pointed I'uiU Blistered Steel Nest Tubs Cast do l.iquor* of every quality, Shear do embracing all the dif ()ctngon ca*t do lerent kinds of \\ lii-kv. Salt Brntidy.Hum.Gin. Mul Liine Biu,Madeira,Port,Sher- j Bacon superior quality rv nod Champagne* Cii'arr-,i*oine of the \ • r> \\ in*’s. finest brand* Be-t London Porter, qt«. 1 Window (tln-« <Xr puttv and t*ts. HoMBNTICS. CALICO, ALPACCA, Lawns, Ginghams, Irish Linens, Silk nnd cotton l.dkY*, Oznnbtlrgs, Nankeen t l/.uubui.’«, H its.Boot* arid Shoe*. Pepper, Ginger, Spice, Mar.-, NuUic g, Cnppei m. A Hum, Indigo, Madder, Starch, Soda, Salt Pel re. Brim-tone, Bed-cord* and Plough line*; id of which we will *uli on the most favorable terms tor rush, or to punctual customer m exchange for country produce. Pci-otis ‘idling this market would do well to give usn rail le-foic purelia ing. As we are determined to give attention to our business, we can offer prompt and reliable services to people to buy from us. Particular attention paid to forwarding goods. Please note a trial. W.M.A. & J.M. Milner. Notice—The undersigned, having purchased the interest of JNO.M. Milner in the concern of W.A.J. Milner in Lynchburg, the business will in future be conducted at the same stand, under the style and firm of MILLER & COMPTON. This change is intended to include all the business iron-acted by the firm from its commencement here, consequently no change will be undertaken in the accounts. WM.A. Milner, July 10—tf JNO.M. Milner. Notice—The subscriber has this day taken charge of the well-known and popular Tavern, the Mill L. Horse, recently occupied by Mr. John Hevey, where he can at all times be found ready to accommodate those who may honor him with a call. The House is now undergoing thorough repair, and he promises that no pains will be spared on his part to render his guests comfortable. Convenient. His House will be provided with the best the country affords, and having the best of Stables, he promises that every attention shall be given to that department. He takes the method of stating to the public that his own personal attention, aided by Mr. Hilton O. Walker, shall at all times be paid to every department of the establishment. March 11th, CHAHLES & ELI'S?! Ork City, vs. Haverhill Bask, Lynchburg, 3rd July 18. At a meeting of the board of Directors of this Institution, it was ordered, that the discerning day, be changed to Tuesday in each week, instead of Thursday, and that this order take place on Tuesday the 5th day of August next. All paper offered for discount from and after that time, must be plain in Bank on Monday, the day prior. Extract, from the Minutes. JAS. O. WILLIAMS, Secretary. July 10th, 1871 NEW YORK PRICES AND jobbers— muslins, hosiery, Lumber, hardware, and smiths, at our usual office, A. I. We are receiving, by daily arrival, from Europe, our Full and Winter assortment of rich, shimable Fancy Silk and Millinery Goods. We respectfully invite all Cash purchasers thoroughly to examine our Stock and Prices, and, as interest governs, we feel confident our Goods and Prices will induce them to select from our establishment. Particular attention is devoted to Millinery Goods, and many of the articles are manufactured expressly to our order, and cannot be surpassed in beauty. Beautiful Bari Ribbons, for Halls, Cup, Neck and Belt, Satin and Taffeta Ribbons, of all widths and colors, Silk, Satins, Velvets, and uncut Velvets, for Hats, Feathers, American and French artificial Flowers, Buffings, and Cap Trimmings, Dress trimmings, large assortment. Embroideries, Capes, Collars, Cuffs, and Cuffs. Fine embroidered Reviere and Hemstitch Cambric Handkerchiefs. Caps, Lisle, Taffeta, and Cap Laces, Valenciennes, Brussels, Thread, Silk, and Lisle thread, Lace, and Mitts, Kid, Silk, Sewing Silk, Lisle thread, Merino Gloves and Mitts, Figured and plain Swiss, Bonk, Bishop Lawn and Jaconet Muslins. English, French, American and Italian Straw goods. July 14—fit To Definspunt Stnekhoblrra in the lieck y-Movn T'lrnr ikr Componi/. TVT°TIrK ** HEREBY RIVEN, J. v that it the requisitions heretofore railed for and now due, on stock, in the Rorkymnunt 'furn pike Company, be not paid w ithin thirty days from and after this notice, said stock will be publicly sold at auction for en*h. to meet s»iid rrejm-itions. July 2!-Jm BLBASANT BKE6TON, JWt.. Republican copy._J ALE COTTON,-I,000 HALES j Lea U *vi lie Co non Yuras, assorted number*, fer sale at factor prices. Junc23-to_JAS. T. WILLIAMS. | REFINED MLGAl|f.~R BOXES | and hbl». St*'w*rU Loaf and frothed Fuiver* I ited usd Clarified fu. uf* for iaiachine Ju:ic M * .TO'' B VOWLIN MISCELLANEOUS. I ^’W**#!* lit Ltxltiglon.* .1 J I Ik third *e«*ion of (hr nbsrriher'* l.uw * dtool will Nctm-om * at Lcxingtoni « t» Monday d»< V7thd»y hMVIoInt next, and termiunff on flirt I t day ol Mun ir. Tit* papih will (re df> •i l« d '"to *wf* '-kt.-ses as heretofore, the nirmbti* •I .wo h ln> mp »!i^ privilege of nt tend mg tha r«*ri Int n.n ot lb.- nfhe.* v-it bow? additional charge. Tin* l'->t hooks in the tlnliif course will he Nlephon'* Lommevtnne*. .Stephen oh VJondrng, and (I'ret-M* '•Hf on hi ideuce Tlm Si uiorcniinte will embrace I urkor s (. ommciituric*. Stephen on {'leading.— lireetilml on Kvitlency, Holcombe'* Introduction .. K'juity Jurisprudence, nod the Code ef Virginia. , 1S-IM.) It ; * very di .-iinhic that student* win* iesigu to Htiotid the Senior course. ghnftfd proxidu lotn-elves w rth Interleaved copies of Tucker’* ^oltmjrnlnrlen and the new Code of Virginia. Thw numerous error* of the original text of Judge Tuck* •r’r wofk hare been eurefully e oner ted bv the ^ul’acriber, nnd n c opious and arrumtf nmdv*is of the? fending rate*, derided slum it* ptrhllratb'h, h»s iieen eugrtnfkwij tfprb it. imd with Arose extensive ad* liiions ir In.* become essentially a new work, (ieo t.lem-K w lo» may not hxxo supplied tlu>«r *elve* with i;.v of ti»e 1 vt book a rntiiircrnteti above, ran pru o e them t. !n Hicht.ond, within a few day* after llnjir an ival her... d’lni.o desiring detailed infer* u it > as to the plnn of mstruettrn trdoptrd by the .id -, i *■’. n.riv aildt< *s him hv letter at (hi* place, and their enquire* will im prut... tlv and fully an* iWtM-od. J he fee lor tuition i. $ J per se»*h>u, puyaldti in J W. URoCkBNBHOLOIl. I. mv,ton. V u. July 17th 1 6ji. July 21-tlU WA « W“ H IOH SE.1 ii,sic~ V V 1'iwrjr. (I. I: ./ I.) ,Sf-> >.™ hr FrmkUi. /(..>/. t.f. tVnrff. fa —Till, r... i;r*K >..'W un.l hnn.fatmc r.inbH,Iime.il i, ..pm lur lIlf .•ninmoiluti.m af ntUm! a.U tiaau. nl H.nrr •'ll!..!.:. f.o.'.l «... n.pr. I.illy t'.ir the bu.i *. fu.ni.lifU In new Hurt hm iliume ,t;lr, .ml will be kept in I ho very heat manner. Mm ..Ml C. leierns her think* for the untneee lefnted patinna"e bestowed upon her house during die .out p« rind it has born opened. Arningemcut* has b.,.i, mn. !e fur the occoiiimodutiun of hor*o* nnd vehicle*. Mrs. M. S. is solicited to share in the public patronage, promising a pleasant and personal visit to every detail of the House, with the assistance of her husband, who is engaged in another business. The house is similar to the same as similar establishments. The establishment has been established for the past few years, with Mrs. M. S. as the proprietor. She is also a first-rate dining-room, having been recently renovated. On Friday morning, Mr. John H. Noll, a merchant, and Lynch's W. White, in the town of Lewisburg, lost a common sized pocket book, somewhat worn, tied with a buckskin string, containing one hundred dollars in bank notes, and a gold piece of the value of two dollars and a ball, besides a number of bonds, deeds, and other valuable papers. A more net the bonds were two, and a small sum was paid, one for $187, and the other for $1,500; one for $1,500 for the hire of a waterman. In the moon, Win. Inxton, for $17.50, also for the benefit of a waterman. There were also, in said book, a number of shares and other papers of value to me, bills to me other person. The debtors in the said books and due bills are hereby summoned from paying the same, or any part thereof, any other person than the subscriber. It is impossible for me to state exactly the specified value of the pocket book, but I believe I lost it between the points above designated. A like a war will be held today, when will deliver the said stock to the bank with its contents. Over it, the bonds and other parts contained in it are stored to me. I will in that event also, pay to the person living them a fair and reasonable price, pen-operative. James L. D. July 21—21, Nt. to William of America, offer a sufficient assortment of Cloths, Cloths, and Vests, all of the finest quality, very carefully selected to meet my expectations. I will also offer a wide range of men's and women's clothing, including suits, dresses, and other garments. I am committed to providing my customers with the best selection and quality at my store. I look forward to serving you and contributing to your satisfaction. MOTH IJ.-i Hluuble l4iud lor ..JjCL | oiler I'oi sole the Tract of land on "hieh I 1*1--i • Jr*, lying in the county of Camden "i* U shipping Creek. V. miles South of Lynchburg, adjoining the Junds of John N. Payne. A. S. Whit low and others, containing 17 l(> Inm, This ho d la - well and run he ronvrnienlly divided to -nil pmelm-iei* If de-dred Then* urn about 1300 at*red in wood*, well timbered with good pints and oak timber, the building nil undo u good Inneo, with 100 a*'i e« in elover. i lie improvements art* f? TWO (loon fin M//.7) f) li /•;/./A tv mn S/SS, Ire House, nnd nil t.ecf**ary out* liotine*, wail plenty ol good Tobacco Hams. A lull tier d r in; j ipiion is deemed tinnei. ui v,,i» per* -Oils vv i~,t.in • to pUiehn..re invited to view the I [mu • ■ ‘ ■! JOHN BRADLEY. npOBAMBmUKVl II, \ \ \ I It. It Company propose to make some uildi* tions to the Ham upon Blackwater Creek, lately the property of the Lynchburg Manufacturing Co., and invite j I opo.nl. from people engaged in building building. Jurti*t info motion may be obtained at the lailr.nld oilier. C. F M. GARNETT, Engineering, July 31 — llj Chief Engineer, AM ABI E LAND FOR SALE. V Intending to i>-ino» o lo the South YVe*t, i oi ler loi mi ■ piivaiely, ull ol my I utui lying in tho • n,:,yv of Campbell, Comisting of ll.n o Iiur|«. My lu.me t»*n» i lit * on the water* of Denver Cm k near Campbell ctfurtdiouxr. The remaining tw-o trarts ore on the water* of Flat Crook, about half ' wy between the Cotir1-hou-c and New London. The hind* nre valuable, and each tract hit* comfort able improvement* and all nree-oiry building* lot fanning, thrue tract* ol f.and nil lie within Iwrlvit miles ot Lynchburg. Any person »idling to porch* line will find ome person to rhew the Laudato them by rul ing on the *ub<nribcr. Term* of rale will he liheia!. GEORGB YtJJLLE. July 31 *t—f*. I’hhtitond Whig ropy I/twt* (<OTIO\ Yiii ih iiiiiI O/itabtirgii J on e n .i piment.—Just received, n large lot ot ('OTTOS I AKSS (('li’trlu'/iurtilg /'ortory ) Also u Jot of * Izimhurgs, for mile hy Moorman &. martin. Also n lot of ncic Mucltrel. July 17—»* M. & M. \OI H i:.—THE ...id i*ml|iicd araftr-- will, after the 7th of July, run a good I m il HORSE STAGE between Lynchburg and DnH.i’o Sjmi.ig». It will leave Lynchburg on Tm>iliiy - ftml Saturday* nl 7 o’clock, A. M., rind leave the Spring* onxMunday* and Friday*. FA R K—For ndult*.$‘J 3J " “ Children under If) year*.1 JJf l o' if It i* found necenMiry, the thiid trip will he made in the week. t iT Office at the Cube!! Home. Just in time for the latest in technology for making 200 barrels of Thomaston Lime, 100 barrels of Northern Lime, 100 tons of lump plaster, 1 pound of oil will be sent in to be packed, stoutly, a good stock of fresh ground plaster, mostly packed in barrels, and loose ground, ready for the examination of those who prefer conveying their plaster in sacks. Just in time for the best quality of Plaster in sacks. All orders will receive prompt attention, W. A. U'lITB. July 1st, 1878. On proposes, and in order to satisfy all of the fact, will have the interest of the cost of his goods to any who will wish to have their regular customers who may wish to have their goods on the market, will be supplied at a very small advance on cost. Don't forget, Don't miss this opportunity to visit the store of Col. W. T. Hunt, located at the corner of Main and Canal Streets. HI CASKS I IAK MASS KirOH* At I ICE, wffn-untud iMjro. J . ::-t. JDS. B X0WT4S. Jisr HKriavKD a (iion i; int of Fiunilv !■ n' i.n. _Jat, ■ KCIH •r.* A I'KVOII VKu i i,one, roit ham: by 1> July 5’1-ts JO*. II. W1I.WQN. SHUX. A All HI TPIKH FAftH IO !%*.--J.B KDWARDS, Merchant Tuf tar, n few doors above Mcem & Ciwntkiu and oppo site Samuel B. Thurman, return* thank* to hi* cu** tnnrer* and the public generally, foi the liberal en couragement extended to him for the p«** iiltd respectfully nek a continuation of the ‘‘•***V|v„ has a largo number of first rate workmen^ w„rk ed, and being determined to turn not >eritiri* as can he done, hr feel* nitrildrfft tbeir put satisfaction to all who may ••""T* rw „ m W ,t„rk II, wr,»ld ,0.11. rjrc|..fb., *»*•£,. „„h. whirh will I thb ™rr V,*n, |„wfn,ru.h. mtd.*[> m "****><*•"£ euwaBUB, An'u j ?_ f for R. ft. Bradshaw. tfol sirsye* «» *«« rl f li. r n very desirable residence, near Rapub i .. Soring for sale. The House contains fi™ *' * Ian j * neatly ftnBhcd. it being a new hoiid* ing Th< t€Tm* liberal ArrIy to John f? Tvn*w or fhe **jh«crtbef. yiie 3d— wts WM. B. TERRY. | 23,934 |
trialrevalexand01unkngoog_3 | English-PD | Open Culture | Public Domain | 1,825 | The trial of the Rev. Alexander Fletcher, A.M., before the lord chief justice of the court of common sense, and a special jury | None | English | Spoken | 7,270 | 10,909 | By Mr. Thomas Campbell.— Had she conquered that attachment after the first rupture, or, did she still look forwaiti to the possibility of a reconciliation ? Mr. Rogers,— My friend means, did she indulge in the Pleasures of Hope f I think she did ; her affection for Mr. Fletcher was cer- tainly never wholly eradicated. ' By Mr. Rogers. — And she still, I presume, feels keenly tbe injury which had been done her? Mr. Campbell. — My friend means, Sir, that Mennory^ has no Pleasures for her, . It has not. By Mr. KiRKMAN Finlay.^t— What was in the lass's bead, or in yours. Sir, or your father's, eithier, that made ye listen to the callan a second time ? Sure^ ye might fi3 hae kent better than to expect oiiy good to come o't. Did your mi ther never tell ye, that 'tis shame fa' the man that cheats ye ance, but shame fa' yoursel if he cheats, you twice ? We thought that, in the first instance, Mr. F. acted under the influence of his listers, and did not blame him so much as them. Mrs, Piriey wife of Mr. John Pirief merchant, London, examined by Mr. Chitty. Are you acquainted with the defendant, the Rev. Alex- ander Fletcher ? — Oh, I ken him weel ; it was my Chris- tian preevilege, Sir, to be under his meenistry for the. feck o' twal years or mair. My gudeman was treasurer to his congregation, and a manager forbye. Do you recollect of Mr. Fletcher's consulting you about some difficulties that had come in the way of his marriage with Miss Dick, of Glasgow ? — Fu' weel do I. I'se tell ye a' about it. An intimate frien' o' oui-s, and o' the meenis- ter's too, ane Mrs. Dykes, cam to me on Sunday, the loth' , o' June, at the skai'ling o' the kirk, and told me th« mcenister wanted to speak to me. On this, I gaed into the vestry, when Mr. Fletcher trystedme to meet him on the Tuesday following, as he had something very par- ticular to say to me. Sae, to be sure, I met him on the Tuesday — ^ye'll no be for speirin' whar, I suppose? Mr. Scarlett. — Oh yes, good lady, let us have all about it. Weel, since I maun tell ye, I met him at the house o^ my gudeman, {A laugh.) Mre. Pirie, says he, I ken ye to be a godly and discreet woman, an' ane wha has a great frien'ship for your meenistcr. I would trust you aboon ony body I ken in a' Lunnan. I'm come, therefore, to open my mind to you about a very delicate piece of busi- ness. Ye maun ken, that about ten years bygane, I was in luve wi' a dochter o' Dr. Dick's o' Glasgow, and about to be married till her, whan my sister Jean, wha dldna like the leddy, wrote her sic a deeabdlical letter, that the leddy flew aif in a rage, and wad hae naetbing mair to say to me. Howsomever, we've lately forgathered again^ and it 's a' settled that we shall be married in September; but here's what I want your advice about. My sisters, Pbemy and Kate, have fand out what is gan forward, tad are so dour about it^ that I'm afraid they'll be writing Miss Dick ss Jeau did before, aud spoil a' a second time. Now what d' ye thiuk, my dear Mrs. Pirie, should be dune in this distressing perdieament } Wad ye be for reaspniu' wi' tbe lassies ? " Reasonin' wi' them," said 1, " set. them up wi' reasonin', indeed, what rigbt hae they to be reasoned wl' in the business ? Canna tlieir brother think for Kimsel? ' Til tell ye wbat, Mr. Fletcher, Td advise you to do. It maybe wadua hike just sae weel for you id be writin* to Miss Dick ony ill about your sisters,. but yQU can get some frien' to write to the leddy in con6d^ce^ telling her how ye stand wi' them, and,, warniu' her no to mind ony thing they may tak it into « their heads to say anent the business/' " My con- science ! Mrs. Pirie," said the meenister to me, " but that'» an excellent thought — I kent you would advise nie for the best. " And now, mem," says the meenister, ** if. ypu would only be yoursel the kind frien' that wad write, the letter ye sae discreetly recommend to Miss Dick, I wad be mair behaden to you than tongue can tell.". ^^.'Atweel I'se do that/' says I to the meenister, " and , b^ linco glad to render ye sic a service ; Miss Dick is o' a hraw family, and it's^ a connexion will do you meikle credit." .And so you did write to Miss Dick on the subject ? —. Troth, I did; a letter enteerely o' my ain composin'. My • g^eipan did nae ken a word about it. And when I sent a copy 6't to the meenister, by our frieh', Mrs. Dykes,. he said that naething couW hae been better dupe*^ — Na he went and put it into the post-office himsel. .Did Miss Dick send any answer to your letter ? — D*ye tlnnk she wad hae been, sae uncivil as no to do that? Snie wrote to me, beggin' me to accept her warmest thanks for my frien'ly letter, and . saying, that a' that , Afr. Fletcher's sisters could say or do, should hae nae Itifiueiioe whatever on her mind. 'Did you show that answer to Mr. Fletcher ? — I sent if oAc to the meeoister, the moment I received it; and the nei^t.time I saw hini, he gave it me back, observio', by thfe way, 0* Miss Dick, that hec answer wbs written just lilc hersel. ^iaid ypii my farther correspphdencQ with the Dick -* > ^^»y^ii n i II I ' ^ I ■ I * I I I ■ > ■ « > .1 i«i ■ !■ ii > I I 111 m * Appeadix^ A, No. B. ss. fiiitiiily? — ^t baft anolfaef tetter, a few days after/ no Miss Leezy Dick, the meenister's intencled, but Nelly Dick, her sister; and eh, Sh's! sic a letter! £ couldna. Sir, believe my ain eeu when I read iu To ihitik that my gude arid pious meenister couid be gmtty o* sic dupleecity ! Wad you or ouy bo<ly believe k^ Sir, It turned out, frae what Miss Nelly Dick said, that after a^ 1 had been saving, her sister had i^ceived a letter fme the meenister, in which be said naething at a' about the rumpaging o' his iwn sisters, but pretended that on account o' the pranks o' his madcap brrtlier Robert^ he could nae niair think o' carrying on the corresu pon<!ettce wi' Miss Dick ony longer, than o' fleeiii* ift the air! Now ye maun ken. Sir, that a' thae pranks about which the meenister made sic a fuss to Miss Dick, had happen&d afore he opened his mind to me, as he prfs» tended on the subject, and yet he never ance meo** tioned that they were ony obstacle— as how could tbey^l to his marryin' the ieddy 1 Weel, Sir, I was sae coi^ foonded to think that the meenister should play £ist and loose In this W'ay,^-^.saying ae thing to me, ami anit&er to Miss Dick---m»kin' a tule o' the young Ieddy, and o* xne too, as it war-^that I ran, at ance, into the countin'-* bouse to my gudeman^ and telKd him the hale stoiy; And surprecVd he was, ye may be sure, to hear it^. *^ Oh ! '* Siiid John, ^* that sic a chief in God's Israail should ever hae beliaved sae« Alas! Iiow is the gold become dim*^ how is the most refined gold changed } We miist caf a sueetln' o' «une frien's, my dear, and sec what's to be done to preserve the meenister, if ]>ospiWe, frae sae wae^ &* a backsildin^'~ We sent, accordingly, for twa itbef o' Mt*. Fletcher's maist intiniatc friend, and went owp a* the particulars o' the case to them, whau it was agreed amoiig us, nemine comine^ as my giideman my^^r thai ti)e meenister was wantin' to begowk the young teddy,, ^d that a« Irieh'ti to bun, and members o' his eoagre- gation, it behoved us to reuioastrate wi' hii» ou the «Qbje(it«; And sae they deputed me--»-beifig in a waf preevileged to speak to him about it — bavin' made BM^itti eimident, ye ken-r-t^dQ what was proper on tbeoccaaiMk Did you tee Mr* Flalcher^ then, on ttte sttli^t?"'^ YtBf meettug bim in |b<e vefitfj^rrQcim of die kid(>i Nil# him what soft o* letter I bad received frae Missr TSikSf M 56 Biek, and how surpreezed we a' \mv, that be should think now o' breakin' aff his eogagepent. I expostu- lated \vV him a'.tbati was able, and entreated him id eonseeder weel the consequences, baith to the leddy and Limsel, if he did nae do as honour and duty requeered o* hini. '^ O say nae niair aboot it/' said the meenister, at length and lang, ^^ Fil no deny, but what I'm bound ia honour and conscience to many the leddy, and God knows I like her weel. I was just writing a letter to her, to set matters a' right again ; but I was ca'd awa' in the midst o't to speak a word o' comfort to Tain Lang^ lands, the miller, wha's now, puir sinner, reapin' a ci*ap o' his ain sawiii ; but I'll hae it finished, and sent aff by the morn's post" — ^and sae we parted. Do you kuow whether he ever sent the letter which he promised to do ? — Na, I am sure he never did. Whan doon in Scotlaml, some time since, seein' my frien's^ Miss Dick told me, that every letter she received after that, was mair unkind and cruel than anither. Cross -examined by Mr. Scarktt. Do you remember, Madam, receivuig a letter from Mr. Fletcher, about the beginning of July, 1823,. saying that he wished to have no mure of your interference iu this affair ? — Atweel he did ; his note was dated the 3d of July; but ye's tak this alang wi' you, Sir, it was written on the' same day that he wrote a letter to Miss- Dick, putting an end to the affair athegither. < Examined by the. Jury. ; By Mr. Galt. — ^If I may be sae bauld, Mem, as to speir, is it the custom wi' folks o' your persuasion, to sit^ in conclave in the way ye hae described, on the sinfii' doings of their neighbours ? — ^Atweel is it. ' What ! ev'ry little hit o' sculduddery that ye oau lay your ban's on ? — Ay, Sir, ev'ry thing affecking the. f peurity o' aue's life an' conversation ! • Gude guide us, leddy, ye maun then be a very godly people, or ye hae a great deal to do ! Mae that meikle to do either. Sir, nor sae very godiy,^ I am wae to say. . But how d'ye contrive, Mem, to punish your evil- doers ? — O, fu' brawly, Sir ! First, ye see, we admonish them ; neist we rebeuk them 5 and gin a' thui winna do^ J 6^ tten we excbttimuciicat thein-^urn them out' o' Ihe fauld, as it war — and fceep ihetn out till tfeey repent a* their sins, and show themselves deservift' o' bein* .re- stored to kirk preevileges. But surely, Mem, ye dinna veesit ev'ry little praiik a man mae be guilty o' wi' sic severity as this. Not that Iwud ca' Mr. Fletcher's a mere prank, but, for exaiimple's sake, noo ; sup|)ose I war ane o' your pei*suasion, and that,- by way o' frolic, I war to write a beuk- — ^I wiite beuks, ye ken-^which might be ca'd no just the thing in a re- ligious point o* view, wad I be taken owr the coals for^ that, and rebeuked before a hale congregation ? — Troth, wud ye. Sir! And' if I'm no mista'en, there's a gentle- man near you can tell you frae his aiu experience sometiuug about it. Wha do you mean, Mem ? Mr. Blackwooo.— My stars! my Lord, what has a' this to do wi' thie case in ban' ? Mr. Galt. — Be quiet now. Bailie, and ye'U see — I was speirin', Mem, wha ye meant ? Just Bailie Blackwood himsel. Sir. Mr. Blackwood.— Had I ken t this— — Mr. Galt. — ^You wudna hae come here, I suppose, Bailie. But go on, Mem. Iv'e nae wish, Sir, to gie olSence, but I 'm sure the Bailie minds Weel boo he was*ta'eft iii hand for makim' a mockery o' the Haly Scriptures in his Magazirie, and how they wudna bapteeze bis bairn till lie stood in the kirk to be rebeuked for his sinfu' conduct. Wud ye mind the name o' the thing ye speak o', Mena^ were I to tell you 't ? W^s it the Chaldee Manuscnpt ?^— The vary same. Sir. Weel, that's strange ! I never kent till noo, that my firien'j thie 'Bailie, wad the author o' tlmt wicked pro- duction. Haud a wee there, Sir! I wa^na saying he wrote it. — Hiin write it! — ^He's but a Bailie.^ — {Qreat Uiughier.) — ^Na, na ; it was written, as I have heard, by some of the waefu' wags o^ writer chicls and sang-makers that come about him. But tSien ye ken it was the Bailie wha p66b«- Mshed it, and; wtiatis war, he poobKshedit just to put a leetle49iUtr in^bis pouch. Did ye ever bear o' sic sadreleg^? v; «8 'And fafts the BaiUe, Mem^ since be stood on the stodi for this heinous offence, l>een restored to bis kirk pree^, vUeges wi' you ? — Restored, Sir ! Aye wns he, and had his bairn "bapteezed like a dacent Christian. But I 'uk thinktn' his repentance badna been just as. sincere as he pretended. For sune after, he seceded frae our eonw nexion, and now I.diunaken that be beiang^ to ony per-» suaBiou ava. Mr. MooaE. — A pretty connexion yours is, Ma'am, for a literary man to belong to !• I should like to know how many writers of note you have, aniongst you ? . Hoo niony writers o' note aniang us ! Let me see ; tho pious and godly Ralph Erskine 's aue, and thesauatedMr«.- Brawn o' Haddington's anither — bujt stay— how tliat I mind, baith they great men are dead ; and it's aboui leevin' worthies ye' re speerin *, 1 reckon ? Mr, Mobftjfi.'— Yes, Ma'am ; name us some living, wor- thies, if you please. Wcel, there's Dr. Jameson. Mr. MooKE. — A mere dictiouary*maker. And Dr. M^Crie. .. Sir Walier Scjott. — Forgive me. Madam ; the name of Dr. M*Crie is one which does honour to Scottieb lite- rature; but you forget that the Doctor has refused tot have any connexion with your Associate Synod. There's no denying that, Sir Walter; but ye ken the. Doctor's o' the Secession kirk for o' that ; a tluivin' aff-. shoot, as it were, o' the parent tree. But lettin' alaue the Doctor, and forbye Dr.. Jameson, there's the gude Doctot Dick bimiel, and the Rev. Mr. Langgrace, o' Kittlema- e«its^ wbase Cordial for Contrite Spirits hi» beea my h(»omr companion for mony a year, and the Re.v. £benezer Samp-r soD^ tbe famous poet. Mr. MooBK.. — ^JEbenezer Sampson, tlie poet ! I never heard of such a name. ; *Mr*CAMPB»LL.-<-Nor L ' ! Mr« Ro6»Rs.7^P^/m$on, I. suppose, the witnesft- nraanaw (Alaugk) And there's Ji»bH Inverarity, ruling elder, whose book on Ceevic Economy, as my gitdeman tells me, dmgs ywmt, Doctor Chalmers a' to piece« ; and Els^peth Sangssler^ A^ author o* the Hiliskte Mebdies, and the Rev. Mt^ KSs^. nmelaver, whase Sunday Nights Conversation?^ I'm sare^ 6» can never be too heighly preezed; and tbejg^reatDojcjtor Ogle- . • Mr. Moore. — Enough! enough! Ma*ani. An en- lightened pereuasion truly that has such a host of illus- ti'ipus names to boast of! Its Sampsons, its Sangsters, it^ Krishmaelavei*s, * and its great Doctdr Ogle ! O blessed effect of Presbyterian inquisition !. Mr, Rogers. — I think a good deal of time has been wasted (very pleasantly, to be sure) in examining this witness about what is very little to the purpose. 1 must trouble her, however, with one question, farther, which I wonder has escaped my friend, Mr. Moore. — Pray Madam, do any of the Fudge Family belpng.to your connexion ? (A laugh,) Na, na,Sir; we're a' Solemn League and Covenant folks^ Mr. BlackWood. — As my name (dag on 't !) has l^eetk very onnecessarily dragged into this buziness — and for the siame I canna say I 'm muckle behaden to mV frien* Mr. Gait— I maun beg leave to offer a few words by way o* explanation^ It is vary true I was mysel a seceder yince, and that the bigotted bodies made me stand on^ the stool for my consarn wi' that piece o' deevilry, the Chaldee Manuscript; but it's no true, as the gude leddy here; asserts — God forgie her !^— that I pooblished it merely to pit money ia my pocket. You a' ken, I suppose, that it was Jamie Hogg, the loon, that wrote the thing; (for which; and mair forbye that shall be nameless, the cutty-stoo^ wud hae suited him a hantle better than oie.) But it% quite oonknown hoo I was plagued and teazed by Jamie* and the lave at Ambrose's before I wud gie my consent to its appeainn'. I did nae muckle mind the shepherd*^ threatenin* id tak' his sheep in future to Newcastle (though, to be sure, there *s few better cdmes to Embray),.' nor yet Colin the tiger's threat to make a Saugur pie o** my carcase gin I refused; nor even a hirit iVae the Ensign aboot bein* a flae in my lug as lang a& I leeved.^ But whan the Doctor (dag on 't !) told m6 that if Iwad nae pnnt the arteecle, he wad get Wadsworth to mak me the hero o* his neist six volumes in quarto. Oh graa^ shiotis ! I could stand out nae langer. I taul^ the Doc- to)- that rather than be biiried alive in tliat way, I wicl consent to ony tiling, he liked. An* this, believe me, Gen- tlenieO;; is the realaW true account o' the matter. 60 Mr. John Pine examined by Mr. Qiitty, You were for some years, I believe, one of the maua- gers and treasurers of Mr. Fletcher's congregation ? — I was for a good many years. And on terms of intimacy with Mr. Fletcher? — Of great intimacy. Do you remember of hearing, some time in the month of June, 1823, of a projected marriage between Mr. F. and Miss Dick? — ^I do; I heard of it from my wife early in June, and was extremely glad to receive the intelli- gence. It appeared to me a most desirable union, in every point of view, and one wliich was sure to give satisfaction to the whole of his congregation. Did you think the match would be equally agreeable to Mr. Fletcher's own immediate relations ? — I had soon every reason to believe, that it would be quite the reverse. I found that his sisters, who resided with biro, were endeavouring, by all ])o§$ible means, to prevent the marriage, and that Mr. F.'s relations, generally, were much averse to it. About the middle of June, I received a letter from Mr. M^Crone, a brother-in-law of Mr. Fletcher's, requesting me to procure the settlement of some money matters between Mr. F. and his sisters, pre- vious to the intended marriage, of which he took occasion to speak in very harsh terms. Do you know what were the objections of Mr. Fletcher to the match ? — As stated by Mr. M'Crone, tiie chief ob- jection was, that the lady had, many years ago, rejected Mr. Fletcher with scorn, and ill-treated his relations ; and that when unable to do better, she now came for- ward with the offer of her hand, which Mr. F. was silly enough to accept. Did they object to the connexion as a disreputable one ? — Oh, by no means I Mr. M'Crone owned, that it was quite the reverse, but, objected to the Dicks, be- cause, as be said, they thought ^' more highly of them- selves than all the Fletchers or M'Crones on earth."— {Laughter,) — ^^ Consequently," said he, " I consider Mr. Fletpher a lost brother to us all!" — {Much lattghter,)-^ Have you that letter with you ? — ^I have. — Produce it. [Witness produced the letter,*] What answer did you make to Mr. M^Cron^ ? — I told > I ■ I , ..p. ■■■ I. ■ ■ I ■ ' ■ — ■ fc * Appendix, A» Mo. 7. 61 him, that if Mr. Fletcher had committed himself in alhy degree to the young lady, and in consequence of the in- terference of his sisters, or any relations on earth, should draw back — from that moment I should fear his useful- ness as a minister, and his cbatacter, as a man^ would be at an end. Did Mr. M^Crone make any reply to your letter? — Yes; he replied, that if Mr/ Fletcher had entirely, of his own accord, brought matters a certain length, it would, in-p defed, be " drawing back to perditioii,'' were he not to fulfil.his engagement ; but, if, as fame reported, the laAy made the first advances, in that case, he thought Mr. Fletcher's drawing back might admit of explanation. (Produces the letter,*) Did your wife, about the same time, inform you of a correspondence, on the subject, which she had with Miss Dick and berlsister? — She did. : [The witness was then examined at length, touching the suhsequent particulars already <leiailed in evidence, by Mrs. Pirie and Mr. Alexander Dick, all of which he fully confirmed.] • Crdss-examined by Mr. Scarlett. -. Besides what you have told us. Sir, of your answer to Mr. M^Crone, did you not say to him, that if Mr. Fletcher refiisedto marry Miss Dick, you would place yourself m the front of the battle, against him ? — I did say I would do so, but only in the event of its turning out. that Mr. Fletcher had so far committed luniselt^ that he could not retract with hohour.' .. . And so you were pleased. Sir, of your own mere will and authority, to constitute yourself champion of this forsaken damsel, and generalissimo of the battle array against your late friend and pastor. 1 dare, say now, Sir, you will tell us that it was by a sense of duty alone that you were actuated, and that there was nqthing, in the least, meddling, officious, qr impertinent, in all this ? — It wds. Sir, by. a si^hsfe of duty, alone, I was actuated. When the obligations ; of Christian, fellowship are so iBagrantty infringed, as they were in this case by Mr. Fletcher,—. Not so fast, if. you please. Sir, that is a point which we have to put to the Jury, yeJ, with your leave. . » ' Appendix, A., No. 11. Wei], btit'I may etate^ I presume, what my own im*- presidoli9 vrere. J, for one, thought that Mr. Fletcher had behaved in so unchristian-like a manner, that it became the duty of every honest man to take part agfainst him. And you kept your word, 1 believe ? — I am not in 1I10 faabit, Sir, of doing otherwise ; notwitlistanding I sat do long uiider Mr. Fletcher's ministry. You kept in the front of the battle, I mean > — >I have never shnmk, Sir^ from doing my duty. It was you, I believe, who employed the solicitors, who conducted certain legal proceedings, which were insti- tuted by Miss Dick's family, against Mr. Fletcher ?— ^ It was. And it was vou who showed Dr. Dick the letters which Mr. M^Crone, in the full confid^ce of friendship, ad- dressed to you ipespecting this business, and which were made the chief pretextfor these proceedings? — itwas ; biil permit me. Sir, to explain. Mr. M^Crone liad stated,' in so positive a manner, in these letters, that Miss Dick made the first advances to the .second correspqudenee with Mr. Fletcher, that I was led to repeat the same aa a matter of fact to several pfersons, and, on its being «61emnly dietiied by Miss Dick and her family, I could not do else than give up my author. Mr. M^Crone sliould not hav^e told me what was false, and 1 would not then have been under the necessity of exposing his corres- pondence. Exammed by the Jury* By Mr. Galt. — I am no satisfied at a' wi' ony o' the motives I've yet heard suggested for Mr. Fletchei**s ex- traorditiai^y conduct in this affair ; and I want to see whether this witness can help us to get at the bottom of it. Frae Mf. Piric's lang itUimacy with Mt. Fletcher and his sisters, he will be able, i dare say, to soItc me* tills question. 'What is their weak point ? is it ambition, ranity, family pHde, or what? A mixture of the whole three, I believe. I never kmew any persons more conceited and lofty in their notions. Mr^ Fletcher, if he might b^ believed, has the blood of the royal race of Bruce in his veins, his great grand£sithep faa^itig beeto a **• descendant, not remote, of the famous Andrew Fletcher, Of Salton, whose mother was a Bruce.*'*- I — - — ' — ' -■ ..- ^ ■-...■ , - __ II * See Appeal to Public Opinion. it. / * Sir Walter Scorrr.-^— ** A descendant, not temote^aUm great graadfather !" Wby» the man must be cracked ta talk such nonsense. Andrew Fletcher^ of Saltou^ did not die XA\ after the Revolution, when this .remote den scendant of his must have been, also, with onefoot^or both, in the grave. . I am only repeating. Sir, what I fi^ve beard Mr* Fletcher, and his sisters too, boast of; not that, foe mj own part, I paid much heed to what they said. Mr. Galt. — Weel, I suppose Mr. Fietdier thinks hia»-> self a worthy sciou of the illustrious stock with which he is pleased to claim alliance ? Oh ! I don't believe he thinks there 's his match in all the Secession Church. I am jalousing there'll be matr than himsel o' that opinion, before a's done. And pray, how has he the con- ceit to tliink he ranks amang the shining lights o' tliis metropolis i Ohl Sir, for above them all. He fancies there's no- body of half his tiilents, or qualified to do half so much good« He calls his station, one of the most important i( ever occupied, by any minister, in this vast metropolis;'* and says, 4;faat his coming and reception here, form an sera in ecclesiastical history, which is without a .parallel since the days of the. apostles 1 U * :. My certy ! that's modest fifut can yoti tdl me how it fares wi' the outward man, aniid a' this mental exaitar tiou ? Is he bamely in hrs apparefl, and o' a humUle de- portment? Or fond o' purple and fine linen, and o* showing aif his person to advantage ? Rather showy, I should say, in his dress, and v»in (^ fais person : he is fond of tdiing the ladies, that though he cannot pretend to the wit of iEsop^ be has dot, thank Ood, the distorted figure of that far^&uned Phrygian. Now I begin to guess how the win' blaws. But tell me fiirther, Mr. Phie, did you ever hear any complaint made of the manner in which Miss Dick, and her taniily, spoke of Mr. Fletcher,, and M$ family, after lJ>eir,firs^ rxiptuire ?-^ Yes; I certainly have. Miss Dick or some ofher friends arc reported to have said,, that Mr. Fl^eber was a m{U;ch &^ beneath. her, and that it was .a great struck of oonde* ■ p-«-^^ - — _— ^ — — . — -^^— ^_- . ■■ — — . ^ — . .. ..- .^ ^ — ■■-> ■ * See Appeal. 64 scei>sioi^ in her, td have any thing to say. to him. And frbm the way iu which both the ihinister and his two sisters used to speak of the Dicks — of their holding their heads high, and so forth— I am sure that they felt sore about the reports which were abroad. But can you recollect naething a wee mair preceese, Mr. Pirie, on the subject ? Ony expressions o' Mr. Fletcher or his sisters to the exact effect ye hae stated ? 1 do recollect now, of one of the sisters,— I forget which — saying, in a company of friends, some time after Mr. Fletcher, had got into his new chapel, *^ I wonder what Miss Dick would say now ? Sour plumbs, sour plumbs, I fancy, as tlie tod said when it could not climb the tree." . Mr. Robert Fletcher examined. Mr. Phillips. — Our chief purpose, my Lord, in ex- amining this witness, whom, for obvious, reasons, we produce with extreme reluctance, is to show, that there was really no ground for' making his conduct, the pre- text for the second breach of engagement. The hostility between the brothers was an old story, and one in which, I suspect, the unfortunate gentleman, now in the witness's box, will be found more sinned against than sinning. Mr. Chitty. — You came to London, Sir, I believe, in the year 1818, for the purpose of settling here ? — I did ; in the jnonth of Oct6ber, 1818. Did you expect that your brother, Mr. Alexander Fletcher, would assist in putting you into a way of doing for yourself and family ? — I did ; but was grievously dis- appointed. Did he do nothing whatever towards forwarding your views ? — Nothing whatever. Never lend you any money ? — Not a farthing. I know he has given. out that he did, but it is not true. Some time after my arrival, he offered to purcliase a right which I had to a legacy of 200/., on the death of an aged relation, and I agreed to assign it to him for lOOi. But when I executed the assignment, prepared by liis solicitor, instead of receiving down. the 1(K)/. as I expected, I was told, that L^uld dravy it as I needed it, from time to time. I coMented to do so, and whatever sums I re- ceived from him^ after comiQg to London^ were all on the credit of this account* It is not perhaps true, either, that he furnished you with assistance iu the shape of provisions from his farm, fiuch as eggs, poultry, &c. ? — Yes j he did furnish my &mily with some supplies of that description, and, at first, I thought they were brotherly presents, for wbidi I felt disposed to be duly grateful ; but on reckoning with him for the legacy, 1 found the prices of these articles regularly charged against me. Then you had no gratuitous assistance whatever from your brother ?— None. The only gratis thing I ever re- . ceived from him was a great deal of ill-will, of which I €ould never divine the cause. Was there not some property bequeathed to you and your brother and sisters by an uncle, about which you rather molested him ? — ^There was. My brother and my sistei* Jean had contrived to get the whole management oi it into their hands,* and none of the rest of the family had been ever able to obtain any count and reckoning with them. Now, therefore, that I was on the spot, and found tbatlhad so little to expect from my brother's friend- ship or generosity, I thought it but right to press for a statement of my uncle's affairs, the more especially as I .had every reason to believe there must be still a large sum <lue to me but of the estate. Did your brother then refuse to give the statement you required ? — He did ^ for two long years and more, I made application after application to him, both personally and by writing, and always in the most polite and decorous manner, but was invariably put off with some frivolous apology or other. At last he would not even notice the letters I wrote him on the subject; and when I called at his house, he was not to b^ seen. My wife, thinking that she jnight perhaps be received better, then tried to obtain an interview with him ; but she too was repulsed in the rudest jnanner from his door. I next endeavoured to procure^ by the intercession of mutual friends, what was denied to my own entreaties. Dr.Waugh,of Well- street, and Dr. Allidge, of Homerton, both spoke to him in my behalf. To the former he would not listen at all, and to, the latter he would give no other answer, than that I fcad already re- ceived (which was not true) out of my utfj^'s estate more m than was my due.* A tbird friend, Mr. Burr, then wrote to him, requesting, in the politest manner, that he would give some more specific explanation on the subject ; and, not receiving any answer, wrote a second time to the same effect. I nnve here the letter which Mr. Burr aft length received from him — {Reads) — " Mr. Fletcher presents his compliments to Mr. Burr, and informs him, that he will not receive any more letters from him. Mr. F. hopes that Mr. B. will not lay him under the necessity of returning him any of his notes. Homerton,Dec.3,182i.^* You were a good deal irritated, I dare say, by this ob- stinate silence of your brothei*'s ?-^I was. It stung me to the quick, amid a thousand difficulties I had to en- counter in London, to find what I conceived to be but simple justice denied me by a brother; and in the height of my vexation and distress, I was guilty of some excesses towards him, which I now sincerely deplore, but which were not perhaps.without their apology in the conduct that provoked them. In consequence of these excesses, I believe he caused yoii to be sent to a mad-house? — ^Yes. Although, happily, he did not succeed, as he seemed desirous of doing, in driving me really mad, he caused me to be forcibly seized, and committed to an asylum for lunatics at Hox- ton, where Iremained immured for nine days, to the in- finite distress of my family, and the utter destruction of a school which I had- by great exertions established. But 80 little ground was there for ' this cruel proceeding, that, while treated and confined as a lunatic, my brother actually proposed to liberate me if I^ would go out as a missionary to teach the gospel to the heathen ; and after I had spurned this base proposal, the keeper of the esta- blishment was so satisfied— not, however, by that alone — of my perfect sanity, that he set me free on his own responsibility, without waiting to ask my brother's leave. You certainly, liowever, must have fHghtened your brother : for in a letter which he wrote about this time to Miss Dick of Glasgow, to whom he wasthenunder apro- mise of marriage, he says, that for two years and more your iniquities and crimes^ and outrages, bad ^^ wrung his heart with anguish */* that he had been living in the eenstant dreacLf^ of.beiog mui'dered by you;'' and that ^in (he very ptilpit'* he had bceo aWrmed wiA the fci* of your destroying him ? ' AH ftidge, Sir, raw head and bloody bones ! My broi- ther w,as hot frightened ; he only wanted to frighten othera. He had no feai', God knows, of being murdered by hiv brother, whatever he may himself have done to mnrdeh that brother's peace and happiness. I have been guiltjr of outrages, it is true, — outrages provoked by his ovrti cruel conduct ; — ^biit oi crime j no man, hot even my bro- ther, can accuse. me. ^^I am not mad, most noble Festus^ but speak the. words of soberness and truth.** But you are aware, of course, that your brother says you were the sole cause of his not fulfilling his second' ei^agem^nt to. Miss Dick ? — Yes ; so he wds pleased to assert at one time, while at another he chose to give my sisters the credit of that achievement. I don't believe,, however, that any of us had the' merit of sticking that feather in his cap. My sisters may have flattered his^ vanity by saying he looked well in it ; but I am persuade ed that even th^r influence, great as it is, extended vk> farther. Were you too of opinion that he looked well in lt?-i Ob, quite the reverse ! As far as ever I had any thing to say in the matter,'! urged the fulfilment of his engage- ment. , You refer, of course, only to the first engagement ?- — Yes, to the first engagement, at which time I was on terms of intimacy with my brother. Do you remember what reason your brother gave yo^ for breaking off the match in that instance ?— Yes : I have brought with me a letter which he wrote me on the subject, from which you will see that he had somehow^ or other become disgusted with the lady artd with h«r relations. (Pi'oduces the letter.*) He alludes, I see, in this letter, to something that yoa ealled Miss Dick on the road to Paisley : have you ai^ recollection of the expression he refers to ?— None ^ I aii^ sure that I never spoke of the lady otherwise thail mtera^ of respect.- -. Cross-examihed hy Mr. Scarlett. Were you not. Sir, in consequence of your fiepeatcd 4 — ■ ' " ■ I I ' I ■ ■ ■■ '■ . I , I ill II I i .1 I " .!!!!! ■ * Appendk, A, No^ 1. v2 t attacks on your brother, bonnd over to keep the peace towards him? — I was; because, whatever might havi^ been the ill-usage I received from my brother, I had no XJght to resort to such means of seeking redress. • Did you not bring an action against your brother for putting you into the mad-house ; and did not the evidence turn out so strongly against you, that your counsel, by the ;9dvice of the learned judge who presided, consented to youi' being called ? — ^He did; but I am not ttie first ho- nest man, Mr. Scarlett, who, by the stupidity of his law* yers, has lost a good cause. Nor your lawyers, Sir, I suspect, the first that have had more of a rogue than fool for their client* Examined by the Jury. By Mr. Galt. — D'ye ken. Sir, ony thing about what the Dicks said o' your brither and his fkmily after the first breaking aifo' the marriage? — I remember it was reported throughout our connexion, that the Dicks pre- tended that my brother had been discarded, because, he was not a fit match for the lady. Do you know if these reports reached the ears of yoiu: brother and sisters?— Yes, they did, and incensed them 9II exceedingly. Who was the uncle that left you the property you have spoken of? — Mr. GilfiUan, of Dunblane. SirWALTKR ScotT. — ^What! myold friend Habakkuk, the gifted GilfiUan ? — ^No; but a worthy descendant of his, who stood up as sturdily as ever Habakkuk did '^for th^ standards of doctrine as agreed on by the ance famous Kirk of Scotland, before she trafficked with theaccui'sed Achan." Mr. Galt. — ^Was the property which he left consider- able ?^— It could not have been otherwise. Sir ; for he was always reputed to be rich, and never had any family of Jiis own ; but as I have never been able to obtain any ac- count of the estate, I cannot tell what may have bee^ the exact amount. My sister Jean, who was with her uncle when he died, and my brother Alexander, took all into their own hands, and did with it as they pleased. Two of my brothers-in-law, who lived in the neighbourhood^ on hearing of Mr. Gilfillan's death, hastened to his bouse, and proposed, as is usual, to seal up the repositories of the deceased 3 but Jean, who was in sad grief, to be sure. xionlA not be brmght to Ifetch £>r a monsest to such worldly doings. Site rated them well^ as I have heard^ for showing, at so ti7ing a moment, such carnal and se*- eular affections; and told them plainly that they did not listen as they ought to the voice of the dispensaiion ! . i Was your uncle the heir o* the gifted GilfiUan ? — He was. And inherited a' the. gifted's ^ sma' means/' his *^ twenty thousand mark,*' his " land about Mauchlin/* «Qd his " real l*ancashire" " breed o* cajttle ?"— The whole. Nae doubt then your uncle maun hae left a gude lock* o' siller ; and is it true that ye hae no touched a plack o't ? — Oh ! some hundred or two I have received, but not, I am sure, the one half of what should be coming fo me by rights. , Sir Walter Scott. — Can you tell me, Sir^ what has be- come of my friend Habakkuk's broadsword, pistols, and" large. blue bonnet?.-:— I romeqdber of seeinig them in my uncle's house at Dunblane, but where they are now I cannot tell. * -Mr;^ARLBTT. — I shall inquire of myclient about ilxem^ Sii* Walter, and if in his possession, I am sure it.wjU not be long before they are added to the interesting collection at Abbotsford. - SirWALTBBCScOTT.V-Mr. Scarlett, that is more than kind* . Mr. K. FiNLAY. — It 's downright bribery, I 'm thinkin'. Sir James Mackintosh. — ^But bribery without corrup^- tion, I'm sure. Mr.ReardoHj SoUcitory London, examined by Mr* Chitty. Were you present, Sir, in the Court of King's Bench, on the 4th April, 182;4, when there. was tried an action for breach of promise of marriage, Dipk against I^letcher ? — I was. My pai*tner and myself were attorneys for the pbuntiff. . Do you recollect what statement Mr. Scarlett, as coun- sel for the defendant, made to the court, with respect to the manner in which the correspondence between Mr. | 45,245 |
ocondedecastelm01palhgoog_127 | Portuguese-PD | Open Culture | Public Domain | 1,883 | O conde de Castel Melhor no exilio, ensaio biographico | Palha, Fernando, d. 1897 | Portugueuse | Spoken | 8,610 | 12,062 | O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. O livro sobreviveu tempo suficiente para que os direitos autorais expirassem e ele se tornasse então parte do domínio público. Um livro de domínio público é aquele que nunca esteve sujeito a direitos autorais ou cujos direitos autorais ou cujos direitos autorais expiraram. A condicião de domínio público de um livro pode variar de país para país. Os livros de domínio público são as nossas portas de acesso ao passado e representam um grande riqueza histórica, cultural e de conhecimentos, normalmente difíceis de serem descobertos. As marcas, observações e outras notas nas margens do volume original aparecerão neste arquivo um reflexo da longa jornada pela qual o livro passou: do editor à biblioteca, e finalmente até você. Diretrizes de uso O Google se orgulha de realizar parcerias com bibliotecas para digitalizar materia de domínio público e torná-los amplamente acessíveis. Os livros de domínio público pertévemos ao público, e nós meramente os preservamos. No entanto, esse trabalho é dispendioso; sendo asim, para continuar a oferecer este recurso, formulamos algumas etapas. Visando evitar o abuso por partes comerciais, incluindo o establecimento de restricciones técnicas nas consultas automatizadas. Pedimos que você: • Faça somente uso não comercial dos arquivos. A Pesquisa de Livros do Google foi projetada para uso individuíil, e nós solicitamos que você use estes arquivos para fines pessoais e não comerciais. • Evite consultas automatizadas. Não envie consultas automatizadas de qualquer espécie ao sistema do Google. Se você estiver realizando pesquisas sobre tradução automática, reconhecimento ótico de caracteres ou outras áreas para as quêus o acesso a uma grande quantidade de texto for útil, entre em contato conosco. Incentivamos o uso de materiais de domínio público para esses fins e talvez possamos ajudar. • Mantenha a atribuição. | 3,842 |
https://stackoverflow.com/questions/73390869 | StackExchange | Open Web | CC-By-SA | 2,022 | Stack Exchange | Gustavo Castilho, funnydman, https://stackoverflow.com/users/1709364, https://stackoverflow.com/users/19786131, https://stackoverflow.com/users/9926721, jasonharper | English | Spoken | 570 | 1,286 | Recursive function to open branches in a list of lists
I have a structure (list) composed by other values and structures, where the last has values and other structures and so on. Basically, it's a html parser in which I will retrieve some table data.
What I need to do is to reach all those branches and gather the desired values inside of them. So, I guess this is best done with a recursive function (here called openStructure).
Here's the html parser:
def getPage(item):
url = ''
round_url = f'{url}{item}'
page = requests.get(round_url)
return BeautifulSoup(page.content, "html.parser")
Here I get the table columns desired as vectors:
def getTable(page):
table = page.find("table", id="customers")
cod = []
qt = []
un = []
typ = []
iRow = 0
checkRows = table.find_all('tr')
if checkRows:
for row in table.find_all('tr'):
iColumn = 0
for column in row.find_all('td'):
if iRow > 0:
parser = column.text.split()
if iColumn == 0:
cod.append(parser[0])
if iColumn == 1:
length = len(parser)
typ.append(parser[length-1])
un.append(parser[length-2])
qt.append(parser[length-3])
iColumn += 1
iRow += 1
return cod, qt, un, typ
Here I gather all MO type itens and append it's respective code and quantity in the vectors:
def getMO(cod, qt, un, typ):
aux_mo_index = 0
mo_index = []
for mo in typ:
if mo == 'MO':
mo_index += [aux_mo_index]
aux_mo_index += 1
mo_cod = []
mo_qt = []
i_index = 0
for i in mo_index:
aux_mo = cod[i]
if aux_mo in mo_cod:
mo_qt[i_index] += qt[i_index]
else:
mo_cod.append(aux_mo)
mo_qt.append(qt[i])
i_index += 1
return mo_cod, mo_qt
Here I check for other structures inside that structure:
def getStructures(cod, qt, un, typ):
sp_index = []
aux_sp_index = 0
for sp in typ:
if sp == 'SP':
sp_index += [aux_sp_index]
aux_sp_index += 1
structure = []
if not sp_index:
return 0
else:
for i in sp_index:
structure.append(cod[i])
return structure
And here, finally, I want to open all structures and sum MO types according to its respective code:
def openStructure(id, mo_cod, mo_qt):
cod, qt, un, typ = getTable(getPage(id))
x, y = getMO(cod, qt, un, typ)
mo_cod += x
mo_qt += y
structures_left = getStructures(cod, qt, un, typ)
if not structures_left:
return mo_cod, mo_qt
else:
for i in structures_left:
return openStructure(i, mo_cod, mo_qt)
But it seems to not work properly (just the openStructure function). Would anyone help me to fix its recursivity?
Examples of inputs/outputs:
getTable() output:
['00200190', '00120173', '00200189', '00200188', '00120174', '00120172', 'MO0004', 'MO0003', 'MO0002', 'MO0001']
['2,0000', '1,0000', '1,0000', '1,0000', '3,0000', '2,0000', '1,0000', '1,0000', '1,0000', '3,0000']
['PC', 'PC', 'PC', 'PC', 'PC', 'PC', 'HR', 'HR', 'HR', 'HR']
['SP', 'SP', 'SP', 'SP', 'SP', 'SP', 'MO', 'MO', 'MO', 'MO']
getMO() output:
['MO0004', 'MO0003', 'MO0002', 'MO0001']
['1,0000', '1,0000', '1,0000', '3,0000']
getStructures() output:
['00200190', '00120173', '00200189', '00200188', '00120174', '00120172']
Can your show some example of input data?
I'm using BeautifulSoap to read a html table where columns code and quantity are represented by cod and qt. The function getStructures analyses the column type for other structures inside this main structure. In case there are other structures, it should go over again to this openStructure function where it will sum all itens that aren't structures and open next structures till there is no structure left.
I will edit my post with the whole code and example of input data
That for i in structures_left: loop is pointless, since you immediately return the results from the first recursive call. You would need to accumulate the results from all of the recursive calls, then return that after the loop.
| 5,653 |
W4391249186.txt_2 | Open-Science-Pile | Open Science | Various open science | null | Comment on egusphere-2023-3127 | None | English | Spoken | 728 | 1,889 | Fettweis, X., Box, J., Agosta, C., Amory, C., Kittel, C., Lang, C., van As, D., Machguth, H., and Gallée, H.: Reconstructions of
375
the 1900–2015 Greenland ice sheet surface mass balance using the regional climate MAR model, The Cryosphere, 11, 1015–1033,
https://doi.org/10.5194/tc-11-1015-2017, 2017.
18
https://doi.org/10.5194/egusphere-2023-3127
Preprint. Discussion started: 22 January 2024
c Author(s) 2024. CC BY 4.0 License.
Goelles, T., Grosfeld, K., and Lohmann, G.: Semi-Lagrangian transport of oxygen isotopes in polythermal ice sheets: Implementation and
first results, Geoscientific Model Development, 7, 1395–1408, https://doi.org/10.5194/gmd-7-1395-2014, 2014.
Greve, R. and Blatter, H.: Dynamics of ice sheets and glaciers, Springer Verlag, Berlin Heidelberg New York, https://doi.org/10.1007/978-3380
642-03415-2, 2009.
Joughin, I., Smith, B., and Howat, I.: A complete map of Greenland ice velocity derived from satellite data collected over 20 years, Journal
of Glaciology, 64, https://doi.org/10.1017/jog.2017.73, 2018.
Kageyama, M., Harrison, S. P., Kapsch, M.-L., Lofverstrom, M., Lora, J. M., Mikolajewicz, U., Sherriff-Tadano, S., Vadsaria, T., Abe-Ouchi,
A., Bouttes, N., Chandan, D., Gregoire, L. J., Ivanovic, R. F., Izumi, K., LeGrande, A. N., Lhardy, F., Lohmann, G., Morozova, P. A.,
385
Ohgaito, R., Paul, A., Peltier, W. R., Poulsen, C. J., Quiquet, A., Roche, D. M., Shi, X., Tierney, J. E., Valdes, P. J., Volodin, E., and Zhu,
J.: The PMIP4 Last Glacial Maximum experiments: preliminary results and comparison with the PMIP3 simulations, Climate of the Past,
17, 1065–1089, https://doi.org/10.5194/cp-17-1065-2021, 2021.
Lhomme, N., Clarke, G. K. C., and Marshall, S. J.: Tracer transport in the Greenland Ice Sheet: constraints on ice cores and glacial history,
Quaternary Science Reviews, 24, 173–194, https://doi.org/10.1016/j.quascirev.2004.08.020, 2005.
390
MacGregor, J. A., Fahnestock, M. A., Catania, G. A., Paden, J. D., Gogineni, S., Young, S. K., Rybarski, S. C., Mabrey, A. N., Wagman,
B. M., and Morlighem, M.: Radiostratigraphy and age structure of the Greenland Ice Sheet, Journal of Geophysical Research, 120, 212–
241, https://doi.org/10.1002/2014JF003215, 2015.
MacGregor, J. A., Chu, W., Colgan, W. T., Fahnestock, M. A., Felikson, D., Karlsson, N. B., Nowicki, S. M. J., and Studinger, M.: GBaTSv2:
a revised synthesis of the likely basal thermal state of the Greenland Ice Sheet, The Cryosphere, 16, 3033–3049, https://doi.org/10.5194/tc-
395
16-3033-2022, 2022.
Morlighem, M., Williams, C. N., Rignot, E., An, L., Arndt, J. E., Bamber, J. L., Catania, G., Chauché, N., Dowdeswell, J. A., Dorschel,
B., Fenty, I., Hogan, K., Howat, I., Hubbard, A., Jakobsson, M., Jordan, T. M., Kjeldsen, K. K., Millan, R., Mayer, L., Mouginot, J.,
Noël, B. P. Y., O’Cofaigh, C., Palmer, S., Rysgaard, S., Seroussi, H., Siegert, M. J., Slabon, P., Straneo, F., van den Broeke, M. R.,
Weinrebe, W., Wood, M., and Zinglersen, K. B.: BedMachine v3: Complete Bed Topography and Ocean Bathymetry Mapping of
400
Greenland From Multibeam Echo Sounding Combined With Mass Conservation, Geophysical Research Letters, 44, 11 051–11 061,
https://doi.org/10.1002/2017GL074954, 2017.
Nishida, A.: Experience in Developing an Open Source Scalable Software Infrastructure in Japan. In: Computational Science and Its Applications – ICCSA 2010, edited by D. Taniar and O. Gervasi and B. Murgante and E. Pardede and B. O. Apduhan, Springer Berlin
Heidelberg, Berlin, Heidelberg, 2010.
405
North Greenland Ice Core Project members: High-resolution record of Norhtern Hemisphere climate extending into the last interglacial
period, Nature, 431, 147–151, https://doi.org/10.1038/nature02805, 2004.
Robinson, A., Alvarez-Solas, J., Montoya, M., Goelzer, H., Greve, R., and Ritz, C.: Description and validation of the ice-sheet model Yelmo
(version 1.0), Geoscientific Model Development, 13, 2805–2823, https://doi.org/10.5194/gmd-13-2805-2020, 2020.
Robinson, A., Goldberg, D., and Lipscomb, W. H.: A comparison of the stability and performance of depth-integrated ice-dynamics solvers,
410
The Cryosphere, 16, 689–709, https://doi.org/10.5194/tc-16-689-2022, 2022.
Rybak, O. and Huybrechts, P.: A comparison of Eulerian and Lagrangian methods for dating in numerical ice-sheet models, Annals of
Glaciology, 37, 150–158, https://doi.org/10.3189/172756403781815393, 2003.
Shapiro, N. M. and Ritzwoller, M. H.: Inferring surface heat flux distributions guided by a global seismic model: Particular application to
Antarctica, Earth and Planetary Science Letters, 223, 213–224, https://doi.org/10.1016/j.epsl.2004.04.011, 2004.
19
https://doi.org/10.5194/egusphere-2023-3127
Preprint. Discussion started: 22 January 2024
c Author(s) 2024. CC BY 4.0 License.
415
Tabone, I., Blasco, J., Robinson, A., Alvarez-Solas, J., and Montoya, M.: The sensitivity of the Greenland Ice Sheet to glacial–interglacial
oceanic forcing, Climate of the Past, 14, 455–472, https://doi.org/10.5194/cp-14-455-2018, 2018.
Vasskog, K., Langebroek, P. M., Andrews, J. T., Nilsen, J. E. Ø., and Nesje, A.: The Greenland Ice Sheet during the last glacial
cycle: Current ice loss and contribution to sea-level rise from a palaeoclimatic perspective, Earth-Science Reviews, 150, 45–67,
https://doi.org/10.1016/j.earscirev.2015.07.006, 2015.
20.
| 15,054 |
https://pt.wikipedia.org/wiki/CES%2034%3A%20Curtis%20vs.%20Burrell | Wikipedia | Open Web | CC-By-SA | 2,023 | CES 34: Curtis vs. Burrell | https://pt.wikipedia.org/w/index.php?title=CES 34: Curtis vs. Burrell&action=history | Portuguese | Spoken | 160 | 296 | CES 34: Curtis vs. Burrell (também conhecido como CES 34) foi um evento de artes marciais mistas promovido pelo CES MMA, que ocorreu em 01 de abril de 2016, no Foxwoods Resort Casino.
Background
A luta entre o campeão dos meio médios, Chris Curtis, e o desafiante, Nah-shon Burrell, é esperada para servir como a luta principal do evento. Na pesagem, Burrell ficou mais de 2 kg acima do limite de peso, portanto, a luta não valeu o cinturão.
Reggie Merriweather era esperado para enfrentar Leon Davis no evento. No entanto, Merriweather foi removido do card devido a razões não divulgadas, e substituído por LT Nelson.
Rodrigo Almeida era esperado para enfrentar Johnny Campbell no evento. Porém, Almeida foi retirado do card, e seu substituto será Matt Lozano.
Uma luta entre Mike Maldonado e George Nassar foi brevemente ligada a este card, e removida após alguns dias.
Card Oficial
Luta não válida pelo título.
Referências
2016 nas artes marciais mistas | 13,135 |
https://github.com/ConFuzzledUK/picnic/blob/master/Picnic 10/routes/admin.ts | Github Open Source | Open Source | Apache-2.0 | 2,018 | picnic | ConFuzzledUK | TypeScript | Code | 271 | 726 | import express = require('express');
import bodyParser = require('body-parser');
import cookieParser = require('cookie-parser');
import _ = require("underscore.string");
import services = require('../services');
import core = require('../classes/core');
var router = express.Router();
router.use(function (req, res, next) {
next();
});
// Root
router.get('/', function (req, res) {
console.log('Admin Root Request');
res.redirect('/admin/sign-in');
});
// Sign In
router.get('/sign-in', function (req, res) {
console.log('Admin Sign In Page Request');
res.render('admin/sign-in', { pageTitle: 'Administration Sign In' });
});
router.post('/sign-in', function (req, res) {
console.log('Admin Sign In Auth Request');
// Check required fields are present
if (!req.body.email || !req.body.password) {
res.redirect('/admin/sign-in');
}
// Look up by e-mail
var user = new core.User();
user.GetByEmail((success, err) => {
if (err) {
console.log('Error Loading user: ' + err);
res.redirect('/admin/sign-in');
return;
}
if (!success) {
// No user found with that e-mail
res.render('admin/sign-in', { pageTitle: 'Administration Sign In', baduserpass: true, user_email: req.body.email });
return;
}
// Is an admin?
if (user.global_admin) {
// Compare Password
user.ComparePassword(req.body.password, (res, err) => {
if (err) {
console.log('Error Checking password: ' + err);
res.redirect('/admin/sign-in');
return;
}
if (res) {
// Good Password
// Set session (use checkbox to set length)
if (req.body.keepalive) {
/*
CONTIUNE:
> Refer to express-session documentation to set up sessions using knex and connect-session-knex
Might need to make a connect-session-knex d.ts, hopefully not
Build future database things using knex, go back and change old ones at some point
Continue on to showing admin home
/*
}
// Perform redirect or render
}
else {
// Bad password
res.render('admin/sign-in', { pageTitle: 'Administration Sign In', baduserpass: true, user_email: req.body.email });
return;
}
});
} else {
// Not an admin
res.redirect('/admin/sign-in');
}
}, req.body.email);
});
export = router;
| 46,728 |
Subsets and Splits