text stringlengths 1 22.8M |
|---|
In Greek mythology, Ialysus (; Ancient Greek: Ἰάλυσον Ialysos) or Jalysus (; Ἰᾱλυσός) was the eponymous founder of Ialysus in Rhodes. He was the eldest son of the Rhodian king, Cercaphus, one of the Heliades, and his niece Cydippe, daughter of Ochimus, also a former king. He had two younger brothers, Lindus and Camirus. In some accounts, Ialysus' parents were given as Rhode and Poseidon.
Mythology
Ialysus and his brothers succeeded to the throne after their father's death. During their time, the great deluge came in which their mother, who was now named as Cyrbe, was buried beneath the flood and laid waste. Later on, they parted the land among themselves, and each of them founded a city which bore his name.
See also
Telchines
Notes
References
Diodorus Siculus, The Library of History translated by Charles Henry Oldfather. Twelve volumes. Loeb Classical Library. Cambridge, Massachusetts: Harvard University Press; London: William Heinemann, Ltd. 1989. Vol. 3. Books 4.59–8. Online version at Bill Thayer's Web Site
Diodorus Siculus, Bibliotheca Historica. Vol 1-2. Immanel Bekker. Ludwig Dindorf. Friedrich Vogel. in aedibus B. G. Teubneri. Leipzig. 1888-1890. Greek text available at the Perseus Digital Library.
Grimal, Pierre, The Dictionary of Classical Mythology, Wiley-Blackwell, 1996. .
Hard, Robin, The Routledge Handbook of Greek Mythology: Based on H.J. Rose's "Handbook of Greek Mythology", Psychology Press, 2004, . Google Books.
Parada, Carlos, Genealogical Guide to Greek Mythology, Jonsered, Paul Åströms Förlag, 1993. .
Pindar, Odes translated by Diane Arnson Svarlien. 1990. Online version at the Perseus Digital Library.
Pindar, The Odes of Pindar including the Principal Fragments with an Introduction and an English Translation by Sir John Sandys, Litt.D., FBA. Cambridge, MA., Harvard University Press; London, William Heinemann Ltd. 1937. Greek text available at the Perseus Digital Library.
Smith, William, Dictionary of Greek and Roman Biography and Mythology, London (1873). Online version at the Perseus Digital Library.
Strabo, The Geography of Strabo. Edition by H.L. Jones. Cambridge, Mass.: Harvard University Press; London: William Heinemann, Ltd. 1924. Online version at the Perseus Digital Library.
Strabo, Geographica edited by A. Meineke. Leipzig: Teubner. 1877. Greek text available at the Perseus Digital Library.
Children of Poseidon
Demigods in classical mythology
Rhodian characters in Greek mythology |
Shewanella algae is a rod-shaped Gram-negative marine bacterium.
Description
Shewanella algae cells are rod-shaped and straight. They can grow on Salmonella-Shigella agar and form yellow-orange or brown colonies. They produce the toxin tetrodotoxin and can infect humans.
Shewanella algae found in humans
Shewanella algae is found naturally in wildlife such as certain marine environments but can also exist as a pathogen in humans where they live in soft tissue and produce hemolytic substance or exotoxins. Humans with Shewanella algae in their system can be immunocompromised. The ingestion of this algae through raw seafood can cause it to grow in one's soft tissue and develop these neurotoxins which, if left untreated, can cause infections or disease. Among the several dozen strains of Shewanella Algae, it is found that S. alga is the most commonly found strain in human illnesses.
Metabolism
Shewanella algae is a facultative anaerobe with the ability to reduce iron, uranium and plutonium metabolically. When no oxygen is available, it can use metal cations as the terminal electron acceptor in the electron transport chain.
Shewanella algae is of great interest to the United States Department of Energy because of its ability to reduce the amount of radioactive waste in groundwater by making it less soluble. An example would be:
References
External links
Type strain of Shewanella algae at BacDive - the Bacterial Diversity Metadatabase
Alteromonadales
Bacteria described in 1990 |
Serhiy Timokhov (; born 9 May 1972) is a Ukrainian Olympics sailor that participated in the 2000 Summer Olympics.
References
1972 births
Living people
Ukrainian male sailors (sport)
Olympic sailors for Ukraine
Sailors at the 2000 Summer Olympics – Soling
Soling class sailors
Soling class world champions |
```c
/*
*
* in the file LICENSE in the source distribution or at
* path_to_url
*/
#include <stdio.h>
#include <stdlib.h>
#include "internal/cryptlib.h"
#include <openssl/evp.h>
#include <openssl/kdf.h>
#include <openssl/core.h>
#include <openssl/core_names.h>
#include "crypto/evp.h"
#include "internal/numbers.h"
#include "internal/provider.h"
#include "evp_local.h"
EVP_KDF_CTX *EVP_KDF_CTX_new(EVP_KDF *kdf)
{
EVP_KDF_CTX *ctx = NULL;
if (kdf == NULL)
return NULL;
ctx = OPENSSL_zalloc(sizeof(EVP_KDF_CTX));
if (ctx == NULL
|| (ctx->algctx = kdf->newctx(ossl_provider_ctx(kdf->prov))) == NULL
|| !EVP_KDF_up_ref(kdf)) {
ERR_raise(ERR_LIB_EVP, ERR_R_EVP_LIB);
if (ctx != NULL)
kdf->freectx(ctx->algctx);
OPENSSL_free(ctx);
ctx = NULL;
} else {
ctx->meth = kdf;
}
return ctx;
}
void EVP_KDF_CTX_free(EVP_KDF_CTX *ctx)
{
if (ctx == NULL)
return;
ctx->meth->freectx(ctx->algctx);
ctx->algctx = NULL;
EVP_KDF_free(ctx->meth);
OPENSSL_free(ctx);
}
EVP_KDF_CTX *EVP_KDF_CTX_dup(const EVP_KDF_CTX *src)
{
EVP_KDF_CTX *dst;
if (src == NULL || src->algctx == NULL || src->meth->dupctx == NULL)
return NULL;
dst = OPENSSL_malloc(sizeof(*dst));
if (dst == NULL)
return NULL;
memcpy(dst, src, sizeof(*dst));
if (!EVP_KDF_up_ref(dst->meth)) {
ERR_raise(ERR_LIB_EVP, ERR_R_EVP_LIB);
OPENSSL_free(dst);
return NULL;
}
dst->algctx = src->meth->dupctx(src->algctx);
if (dst->algctx == NULL) {
EVP_KDF_CTX_free(dst);
return NULL;
}
return dst;
}
int evp_kdf_get_number(const EVP_KDF *kdf)
{
return kdf->name_id;
}
const char *EVP_KDF_get0_name(const EVP_KDF *kdf)
{
return kdf->type_name;
}
const char *EVP_KDF_get0_description(const EVP_KDF *kdf)
{
return kdf->description;
}
int EVP_KDF_is_a(const EVP_KDF *kdf, const char *name)
{
return kdf != NULL && evp_is_a(kdf->prov, kdf->name_id, NULL, name);
}
const OSSL_PROVIDER *EVP_KDF_get0_provider(const EVP_KDF *kdf)
{
return kdf->prov;
}
const EVP_KDF *EVP_KDF_CTX_kdf(EVP_KDF_CTX *ctx)
{
return ctx->meth;
}
void EVP_KDF_CTX_reset(EVP_KDF_CTX *ctx)
{
if (ctx == NULL)
return;
if (ctx->meth->reset != NULL)
ctx->meth->reset(ctx->algctx);
}
size_t EVP_KDF_CTX_get_kdf_size(EVP_KDF_CTX *ctx)
{
OSSL_PARAM params[2] = { OSSL_PARAM_END, OSSL_PARAM_END };
size_t s = 0;
if (ctx == NULL)
return 0;
*params = OSSL_PARAM_construct_size_t(OSSL_KDF_PARAM_SIZE, &s);
if (ctx->meth->get_ctx_params != NULL
&& ctx->meth->get_ctx_params(ctx->algctx, params))
return s;
if (ctx->meth->get_params != NULL
&& ctx->meth->get_params(params))
return s;
return 0;
}
int EVP_KDF_derive(EVP_KDF_CTX *ctx, unsigned char *key, size_t keylen,
const OSSL_PARAM params[])
{
if (ctx == NULL)
return 0;
return ctx->meth->derive(ctx->algctx, key, keylen, params);
}
/*
* The {get,set}_params functions return 1 if there is no corresponding
* function in the implementation. This is the same as if there was one,
* but it didn't recognise any of the given params, i.e. nothing in the
* bag of parameters was useful.
*/
int EVP_KDF_get_params(EVP_KDF *kdf, OSSL_PARAM params[])
{
if (kdf->get_params != NULL)
return kdf->get_params(params);
return 1;
}
int EVP_KDF_CTX_get_params(EVP_KDF_CTX *ctx, OSSL_PARAM params[])
{
if (ctx->meth->get_ctx_params != NULL)
return ctx->meth->get_ctx_params(ctx->algctx, params);
return 1;
}
int EVP_KDF_CTX_set_params(EVP_KDF_CTX *ctx, const OSSL_PARAM params[])
{
if (ctx->meth->set_ctx_params != NULL)
return ctx->meth->set_ctx_params(ctx->algctx, params);
return 1;
}
int EVP_KDF_names_do_all(const EVP_KDF *kdf,
void (*fn)(const char *name, void *data),
void *data)
{
if (kdf->prov != NULL)
return evp_names_do_all(kdf->prov, kdf->name_id, fn, data);
return 1;
}
``` |
Ferncroft is an unincorporated community lying mostly in the town of Albany in Carroll County, New Hampshire, United States. Some of the roads and houses in Ferncroft stretch into the towns of Sandwich and Waterville Valley. The hamlet is a widely spaced cluster of houses centered on several fields lying along the Wonalancet River on Ferncroft Road.
Ferncroft has about 50 seasonal residents and a few full-time residents residing in 11 houses and multiple barns and outbuildings.
Ferncroft was named for the Ferncroft Family Inn which once stood in the area. The area became known as Ferncroft to differentiate it from nearby Wonalancet.
Location
Ferncroft lies northeast of North Sandwich and northwest of Tamworth, off New Hampshire Route 113A. Ferncroft is located in a glen, dale, or dell, known as Birch Intervale. It lies south of a cirque known as "The Bowl". Mountains surround the hamlet on three sides, and Ferncroft Road is the only way in or out, aside from hiking trails. This makes the village rather inaccessible. In fact the closest town center by road is Tamworth, 7 miles away. The center of Albany, Ferncroft's main parent town, is away. Some of the houses in Ferncroft lie within the Waterville Valley town limits; however, the center of Waterville Valley is and 1.5 hours away by car.
Recreation
Ferncroft is a popular hiking center in summer, with several major trails beginning from a parking lot on the east side of Ferncroft Road. The trails travel into the Sandwich Range Wilderness and are maintained by the Wonalancet Out-Door Club and United States Forest Service. Mount Whiteface, Mount Passaconaway, Mount Wonalancet and Mount Paugus are just a few of the peaks easily accessible from Ferncroft.
In winter many shorter trails in the area are maintained and groomed by the Tamworth Outing Club for Nordic skiing. Every February a classic style Nordic ski race is held in Ferncroft on these trails, called the Wonalancet Wander.
Confusion with Wonalancet
Ferncroft can often be confused with the neighboring village of Wonalancet in the town of Tamworth. During the time when the Ferncroft Inn was operating, Ferncroft was considered a part of Wonalancet village. The general distinction today is that the area within Tamworth is known as Wonalancet, while the area in the remaining three towns of Albany, Sandwich and Waterville Valley is known as Ferncroft. The Wonalancet Chapel and post office are located at the beginning of Ferncroft Road.
Hiking trails in the Ferncroft area
Blueberry Ledge Trail – Mt. Whiteface
Rollins Trail – Mt. Whiteface & Mt. Passaconaway
Tom Wiggin Trail – Mt. Whiteface
Dicey Mill Trail – Mt Passaconaway
Wonalancet Range Trail – Mt. Wonalancet & Mt Passaconaway
McCrillis Path – Whiteface Intervale Rd.
Mt. Katherine Trail – Mt. Katherine
Gordon Path
Kelly Trail – Carrigain Col (between Mt. Passaconaway and Mt. Paugus)
Old Mast Rd. Trail – Carrigain Col
Walden Trail – Mt. Passaconaway & Mt. Paugus
Many other trails begin in nearby Whiteface village, Wonalancet and Fowler's Mill, leading to other peaks such as Mount Chocorua, Sandwich Dome and Mount Tripyramid.
References
External links
Wonalancet Out Door Club
Tamworth Outing Club
New England Nordic Ski Association
White Mountain National Forest
Town of Albany, NH
Unincorporated communities in Carroll County, New Hampshire
Unincorporated communities in New Hampshire |
Benington is a village and civil parish in the Borough of Boston in Lincolnshire, England, and approximately east of Boston, and on the A52 road. The parish contains the hamlets of Benington Sea End and West End. Nearby villages are Butterwick and Leverton.
Benington parish has a population of 569, increasing to 580 at the 2011 Census. It is one of eighteen parishes which, together with Boston, form the borough. Local government has been arranged in this way since the reorganisation of 1 April 1974, which resulted from the Local Government Act 1972. The parish forms part of the Coastal electoral ward. Hitherto, the parish had formed part of Boston Rural District, in the Parts of Holland. Holland was one of the three divisions (formally known as parts) of the traditional county of Lincolnshire. Since the Local Government Act of 1888, Holland had been in most respects, a county in itself.
The name derives from Old English meaning "Bennas farm or settlement".
The parish church is a Grade I listed building dedicated to All Saints and dating from the 13th to 15th centuries, although it was restored in 1873 by James Fowler of Louth. It has a 14th-century font. It closed as a church in 2003 (with its last service in 2001) and was boarded up. In 2015, the Benington Community Heritage Trust received a grant from the Heritage Lottery Fund, and as at early 2021 it is being refurbished for use as a community centre "The Beonna at All Saints" (named after Beonna, an eighth century king of East Anglia).
Purril's Almshouses date from the 15th century, although rebuilt in 1728, and are Grade II listed.
References
External links
Parish Council
Villages in Lincolnshire
Civil parishes in Lincolnshire
Borough of Boston |
George Blondheim (April 10, 1956 - February 1, 2020) was a Canadian jazz musician and composer from Edmonton, Alberta. He is most noted for his work composing music for the films Angel Square, for which he won the Genie Award for Best Original Song at the 12th Genie Awards in 1991, and Whale Music, for which he was nominated for Best Original Score at the 15th Genie Awards in 1994.
He was also a two-time Gemini Award winner, winning for Best Original Music Score for a Program at the 11th Gemini Awards in 1997 for The War Between Us, and Best Original Music Score for a Dramatic Series at the 18th Gemini Awards for Da Vinci's Inquest.
Selected filmography
The Gate II: Trespassers (1990)
Angel Square (1990)
Whale Music (1994)
References
External links
1956 births
2020 deaths
Canadian jazz composers
Canadian jazz pianists
Canadian film score composers
Canadian television composers
Musicians from Edmonton
Best Original Song Genie and Canadian Screen Award winners |
```javascript
/**
* @license Apache-2.0
*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
'use strict';
// MODULES //
var tape = require( 'tape' );
var isnan = require( '@stdlib/math/base/assert/is-nan' );
var PINF = require( '@stdlib/constants/float64/pinf' );
var NINF = require( '@stdlib/constants/float64/ninf' );
var entropy = require( './../lib' );
// FIXTURES //
var data = require( './fixtures/julia/data.json' );
// TESTS //
tape( 'main export is a function', function test( t ) {
t.ok( true, __filename );
t.strictEqual( typeof entropy, 'function', 'main export is a function' );
t.end();
});
tape( 'if provided `NaN` for any parameter, the function returns `NaN`', function test( t ) {
var v = entropy( NaN, 0.5 );
t.equal( isnan( v ), true, 'returns NaN' );
v = entropy( 10, NaN );
t.equal( isnan( v ), true, 'returns NaN' );
v = entropy( NaN, NaN );
t.equal( isnan( v ), true, 'returns NaN' );
t.end();
});
tape( 'if provided a nonpositive `gamma`, the function always returns `NaN`', function test( t ) {
var y;
y = entropy( 0.0, 0.0 );
t.equal( isnan( y ), true, 'returns NaN' );
y = entropy( 0.0, -1.0 );
t.equal( isnan( y ), true, 'returns NaN' );
y = entropy( 0.0, NINF );
t.equal( isnan( y ), true, 'returns NaN' );
y = entropy( PINF, NINF );
t.equal( isnan( y ), true, 'returns NaN' );
t.end();
});
tape( 'the function returns the differential entropy of a Cauchy distribution', function test( t ) {
var expected;
var gamma;
var x0;
var y;
var i;
expected = data.expected;
x0 = data.x0;
gamma = data.gamma;
for ( i = 0; i < x0.length; i++ ) {
y = entropy( x0[i], gamma[i] );
t.equal( y, expected[i], 'x0 :'+x0[i]+', gamma: '+gamma[i]+', y: '+y+', expected: '+expected[i] );
}
t.end();
});
``` |
A double hammer is a forging implement used in metallurgy. It operates on puddle balls and blooms by hitting both sides at the same time. Double hammers are made of two blocks attached to rollers which facilitate opposing movement along a set of rails. Double hammers are normally operated by three people at a time: one holding the instrument in place and the other two moving the blocks back and forth.
References
Metalworking tools |
Antônio Luiz dos Santos (born July 16, 1914, date of death unknown) was an Olympic breaststroke swimmer from Brazil, who participated at one Summer Olympics for his native country. At the 1936 Summer Olympics in Berlin, he swam the 200-metre breaststroke, not reaching the finals.
References
1914 births
Year of death missing
Swimmers at the 1936 Summer Olympics
Olympic swimmers for Brazil
Place of birth missing
Brazilian male breaststroke swimmers |
Vladimir Lepko (; 1898–1963) was a Soviet and Russian actor. People's Artist of the RSFSR (1954).
He died 19 October 1963 and is buried at Novodevichy Cemetery.
Selected filmography
The Overcoat (1926) (uncredited)
Lieutenant Kijé (1934) (uncredited)
Lyotchiki (1935)
The Lonely White Sail (1937)
Wish upon a Pike (1938)
The Train Goes East (1947)
They Have a Motherland (1949)
Cossacks of the Kuban (1950)
The Miners of Donetsk (1950) (uncredited)
True Friends (1954) (uncredited)
Did We Meet Somewhere Before (1954)
The Rumyantsev Case (1955)
Ivan Brovkin on the State Farm (1955)
Be Careful, Grandma! (1960)
References
External links
1898 births
1963 deaths
Burials at Novodevichy Cemetery
Honored Artists of the RSFSR
People's Artists of the RSFSR
Soviet male actors
Russian male actors |
```c++
// or more contributor license agreements. See the NOTICE file
// distributed with this work for additional information
// regarding copyright ownership. The ASF licenses this file
//
// path_to_url
//
// Unless required by applicable law or agreed to in writing,
// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
// specific language governing permissions and limitations
#include "kudu/common/schema.h"
#include <cstddef>
#include <cstdint>
#include <string>
#include <tuple> // IWYU pragma: keep
#include <utility>
#include <vector>
#include <glog/logging.h> // IWYU pragma: keep
#include <gtest/gtest.h>
#include "kudu/common/common.pb.h"
#include "kudu/common/key_encoder.h"
#include "kudu/common/row.h"
#include "kudu/common/types.h"
#include "kudu/gutil/strings/stringpiece.h"
#include "kudu/gutil/strings/substitute.h"
#include "kudu/util/faststring.h"
#include "kudu/util/hexdump.h"
#include "kudu/util/int128.h"
#include "kudu/util/memory/arena.h"
#include "kudu/util/slice.h"
#include "kudu/util/status.h"
#include "kudu/util/stopwatch.h" // IWYU pragma: keep
#include "kudu/util/test_macros.h"
#include "kudu/util/test_util.h"
using std::string;
using std::vector;
using strings::Substitute;
namespace kudu {
// Return true if the schemas have exactly the same set of columns
// and respective types.
bool EqualSchemas(const Schema& lhs, const Schema& rhs) {
if (lhs != rhs) {
return false;
}
if (lhs.num_key_columns_ != rhs.num_key_columns_) {
return false;
}
if (lhs.num_columns() != rhs.num_columns()) {
return false;
}
for (size_t i = 0; i < rhs.num_columns(); ++i) {
if (!lhs.cols_[i].Equals(rhs.cols_[i])) {
return false;
}
}
if (lhs.has_column_ids() != rhs.has_column_ids()) {
return false;
}
if (lhs.has_column_ids()) {
if (lhs.col_ids_ != rhs.col_ids_) {
return false;
}
if (lhs.max_col_id() != rhs.max_col_id()) {
return false;
}
}
return true;
}
namespace tablet {
// Copy a row and its referenced data into the given Arena.
static Status CopyRowToArena(const Slice& row,
Arena* dst_arena,
ContiguousRow* copied) {
Slice row_data;
// Copy the direct row data to arena
if (!dst_arena->RelocateSlice(row, &row_data)) {
return Status::IOError("no space for row data in arena");
}
copied->Reset(row_data.mutable_data());
return RelocateIndirectDataToArena(copied, dst_arena);
}
class TestSchema : public KuduTest {};
// Test basic functionality of Schema definition
TEST_F(TestSchema, TestSchema) {
Schema empty_schema;
ASSERT_GT(empty_schema.memory_footprint_excluding_this(), 0);
ColumnSchema col1("key", STRING);
ColumnSchema col2("uint32val", UINT32, true);
ColumnSchema col3("int32val", INT32);
vector<ColumnSchema> cols = { col1, col2, col3 };
Schema schema(cols, 1);
ASSERT_EQ(sizeof(Slice) + sizeof(uint32_t) + sizeof(int32_t),
schema.byte_size());
ASSERT_EQ(3, schema.num_columns());
ASSERT_EQ(0, schema.column_offset(0));
ASSERT_EQ(sizeof(Slice), schema.column_offset(1));
ASSERT_GT(schema.memory_footprint_excluding_this(),
empty_schema.memory_footprint_excluding_this());
EXPECT_EQ("(\n"
" key STRING NOT NULL,\n"
" uint32val UINT32 NULLABLE,\n"
" int32val INT32 NOT NULL,\n"
" PRIMARY KEY (key)\n"
")",
schema.ToString());
EXPECT_EQ("key STRING NOT NULL", schema.column(0).ToString());
EXPECT_EQ("UINT32 NULLABLE", schema.column(1).TypeToString());
}
TEST_F(TestSchema, TestSchemaToStringMode) {
SchemaBuilder builder;
builder.AddKeyColumn("key", DataType::INT32);
const auto schema = builder.Build();
EXPECT_EQ(
Substitute("(\n"
" $0:key INT32 NOT NULL,\n"
" PRIMARY KEY (key)\n"
")",
schema.column_id(0)),
schema.ToString());
EXPECT_EQ("(\n"
" key INT32 NOT NULL,\n"
" PRIMARY KEY (key)\n"
")",
schema.ToString(Schema::ToStringMode::BASE_INFO));
}
enum IncludeColumnIds {
INCLUDE_COL_IDS,
NO_COL_IDS
};
class ParameterizedSchemaTest : public KuduTest,
public ::testing::WithParamInterface<IncludeColumnIds> {};
INSTANTIATE_TEST_SUITE_P(SchemaTypes, ParameterizedSchemaTest,
::testing::Values(INCLUDE_COL_IDS, NO_COL_IDS));
TEST_P(ParameterizedSchemaTest, TestCopyAndMove) {
auto check_schema = [](const Schema& schema) {
ASSERT_EQ(sizeof(Slice) + sizeof(uint32_t) + sizeof(int32_t),
schema.byte_size());
ASSERT_EQ(3, schema.num_columns());
ASSERT_EQ(0, schema.column_offset(0));
ASSERT_EQ(sizeof(Slice), schema.column_offset(1));
EXPECT_EQ(Substitute("(\n"
" $0key STRING NOT NULL,\n"
" $1uint32val UINT32 NULLABLE,\n"
" $2int32val INT32 NOT NULL,\n"
" PRIMARY KEY (key)\n"
")",
schema.has_column_ids() ? "0:" : "",
schema.has_column_ids() ? "1:" : "",
schema.has_column_ids() ? "2:" : ""),
schema.ToString());
EXPECT_EQ("key STRING NOT NULL", schema.column(0).ToString());
EXPECT_EQ("UINT32 NULLABLE", schema.column(1).TypeToString());
};
ColumnSchema col1("key", STRING);
ColumnSchema col2("uint32val", UINT32, true);
ColumnSchema col3("int32val", INT32);
vector<ColumnSchema> cols = { col1, col2, col3 };
vector<ColumnId> ids = { ColumnId(0), ColumnId(1), ColumnId(2) };
constexpr int kNumKeyCols = 1;
const auto& schema = GetParam() == INCLUDE_COL_IDS
? Schema(cols, ids, kNumKeyCols) : Schema(cols, kNumKeyCols);
NO_FATALS(check_schema(schema));
// Check copy- and move-assignment.
Schema moved_schema;
{
Schema copied_schema = schema;
NO_FATALS(check_schema(copied_schema));
ASSERT_TRUE(EqualSchemas(schema, copied_schema));
// Move-assign to 'moved_to_schema' from 'copied_schema' and then let
// 'copied_schema' go out of scope to make sure none of the 'moved_schema'
// resources are incorrectly freed.
moved_schema = std::move(copied_schema);
// 'copied_schema' is moved from so it should still be valid to call
// ToString(), though we can't expect any particular result.
copied_schema.ToString(); // NOLINT(*)
}
NO_FATALS(check_schema(moved_schema));
ASSERT_TRUE(EqualSchemas(schema, moved_schema));
// Check copy- and move-construction.
{
Schema copied_schema(schema);
NO_FATALS(check_schema(copied_schema));
ASSERT_TRUE(EqualSchemas(schema, copied_schema));
Schema moved_schema(std::move(copied_schema));
copied_schema.ToString(); // NOLINT(*)
NO_FATALS(check_schema(moved_schema));
ASSERT_TRUE(EqualSchemas(schema, moved_schema));
}
}
// Test basic functionality of Schema definition with decimal columns
TEST_F(TestSchema, TestSchemaWithDecimal) {
ColumnSchema col1("key", STRING);
ColumnSchema col2("decimal32val", DECIMAL32, false, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(9, 4));
ColumnSchema col3("decimal64val", DECIMAL64, true, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(18, 10));
ColumnSchema col4("decimal128val", DECIMAL128, true, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(38, 2));
vector<ColumnSchema> cols = { col1, col2, col3, col4 };
Schema schema(cols, 1);
ASSERT_EQ(sizeof(Slice) + sizeof(int32_t) +
sizeof(int64_t) + sizeof(int128_t),
schema.byte_size());
EXPECT_EQ("(\n"
" key STRING NOT NULL,\n"
" decimal32val DECIMAL(9, 4) NOT NULL,\n"
" decimal64val DECIMAL(18, 10) NULLABLE,\n"
" decimal128val DECIMAL(38, 2) NULLABLE,\n"
" PRIMARY KEY (key)\n"
")",
schema.ToString());
EXPECT_EQ("DECIMAL(9, 4) NOT NULL", schema.column(1).TypeToString());
EXPECT_EQ("DECIMAL(18, 10) NULLABLE", schema.column(2).TypeToString());
EXPECT_EQ("DECIMAL(38, 2) NULLABLE", schema.column(3).TypeToString());
}
// Test Schema::Equals respects decimal column attributes
TEST_F(TestSchema, TestSchemaEqualsWithDecimal) {
ColumnSchema col1("key", STRING);
ColumnSchema col_18_10("decimal64val", DECIMAL64, true, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(18, 10));
ColumnSchema col_18_9("decimal64val", DECIMAL64, true, false,false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(18, 9));
ColumnSchema col_17_10("decimal64val", DECIMAL64, true, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(17, 10));
ColumnSchema col_17_9("decimal64val", DECIMAL64, true, false, false,
nullptr, nullptr, ColumnStorageAttributes(),
ColumnTypeAttributes(17, 9));
Schema schema_18_10({ col1, col_18_10 }, 1);
Schema schema_18_9({ col1, col_18_9 }, 1);
Schema schema_17_10({ col1, col_17_10 }, 1);
Schema schema_17_9({ col1, col_17_9 }, 1);
EXPECT_EQ(schema_18_10, schema_18_10);
EXPECT_NE(schema_18_10, schema_18_9);
EXPECT_NE(schema_18_10, schema_17_10);
EXPECT_NE(schema_18_10, schema_17_9);
}
TEST_F(TestSchema, TestColumnSchemaEquals) {
Slice default_str("read-write default");
ColumnSchema col1("key", STRING);
ColumnSchema col2("key1", STRING);
ColumnSchema col3("key", STRING, true);
ColumnSchema col4("key", STRING, true, false, false, &default_str, &default_str);
ASSERT_TRUE(col1.Equals(col1));
ASSERT_FALSE(col1.Equals(col2, ColumnSchema::COMPARE_NAME));
ASSERT_TRUE(col1.Equals(col2, ColumnSchema::COMPARE_TYPE));
ASSERT_TRUE(col1.Equals(col3, ColumnSchema::COMPARE_NAME));
ASSERT_FALSE(col1.Equals(col3, ColumnSchema::COMPARE_TYPE));
ASSERT_TRUE(col1.Equals(col3, ColumnSchema::COMPARE_OTHER));
ASSERT_FALSE(col3.Equals(col4, ColumnSchema::COMPARE_OTHER));
ASSERT_TRUE(col4.Equals(col4, ColumnSchema::COMPARE_OTHER));
}
TEST_F(TestSchema, TestSchemaEquals) {
Schema schema1({ ColumnSchema("col1", STRING),
ColumnSchema("col2", STRING),
ColumnSchema("col3", UINT32) },
2);
Schema schema2({ ColumnSchema("newCol1", STRING),
ColumnSchema("newCol2", STRING),
ColumnSchema("newCol3", UINT32) },
2);
Schema schema3({ ColumnSchema("col1", STRING),
ColumnSchema("col2", UINT32),
ColumnSchema("col3", UINT32, true) },
2);
Schema schema4({ ColumnSchema("col1", STRING),
ColumnSchema("col2", UINT32),
ColumnSchema("col3", UINT32, false) },
2);
ASSERT_NE(schema1, schema2);
ASSERT_TRUE(schema1.KeyEquals(schema1));
ASSERT_TRUE(schema1.KeyEquals(schema2, ColumnSchema::COMPARE_TYPE));
ASSERT_FALSE(schema1.KeyEquals(schema2, ColumnSchema::COMPARE_NAME));
ASSERT_TRUE(schema1.KeyTypeEquals(schema2));
ASSERT_FALSE(schema2.KeyTypeEquals(schema3));
ASSERT_NE(schema3, schema4);
ASSERT_EQ(schema4, schema4);
ASSERT_TRUE(schema3.KeyEquals(schema4, ColumnSchema::COMPARE_NAME_AND_TYPE));
}
TEST_F(TestSchema, TestReset) {
Schema schema;
ASSERT_FALSE(schema.initialized());
ASSERT_OK(schema.Reset({ ColumnSchema("col3", UINT32),
ColumnSchema("col2", STRING) },
1));
ASSERT_TRUE(schema.initialized());
Schema schema1;
ASSERT_OK(schema1.Reset({ ColumnSchema("col3", UINT64),
ColumnSchema("col4", STRING),
ColumnSchema("col5", UINT32),
ColumnSchema("col6", STRING) }, 2));
ASSERT_OK(schema.Reset(schema1.columns(), 2));
ASSERT_TRUE(schema == schema1);
for (int i = 0; i < schema1.num_columns(); i++) {
ASSERT_EQ(schema.column_offset(i), schema1.column_offset(i));
}
ASSERT_EQ(schema.key_byte_size(), schema1.key_byte_size());
// Move an uninitialized schema into the initialized schema.
Schema schema2;
schema = std::move(schema2);
ASSERT_FALSE(schema.initialized());
}
// Test for KUDU-943, a bug where we suspected that Variant didn't behave
// correctly with empty strings.
TEST_F(TestSchema, TestEmptyVariant) {
Slice empty_val("");
Slice nonempty_val("test");
Variant v(STRING, &nonempty_val);
ASSERT_EQ("test", (static_cast<const Slice*>(v.value()))->ToString());
v.Reset(STRING, &empty_val);
ASSERT_EQ("", (static_cast<const Slice*>(v.value()))->ToString());
v.Reset(STRING, &nonempty_val);
ASSERT_EQ("test", (static_cast<const Slice*>(v.value()))->ToString());
}
TEST_F(TestSchema, TestProjectSubset) {
Schema schema1({ ColumnSchema("col1", STRING),
ColumnSchema("col2", STRING),
ColumnSchema("col3", UINT32) },
1);
Schema schema2({ ColumnSchema("col3", UINT32),
ColumnSchema("col2", STRING) },
0);
RowProjector row_projector(&schema1, &schema2);
ASSERT_OK(row_projector.Init());
// Verify the mapping
ASSERT_EQ(2, row_projector.base_cols_mapping().size());
ASSERT_EQ(0, row_projector.projection_defaults().size());
const vector<RowProjector::ProjectionIdxMapping>& mapping = row_projector.base_cols_mapping();
ASSERT_EQ(mapping[0].first, 0); // col3 schema2
ASSERT_EQ(mapping[0].second, 2); // col3 schema1
ASSERT_EQ(mapping[1].first, 1); // col2 schema2
ASSERT_EQ(mapping[1].second, 1); // col2 schema1
}
// Test projection when the type of the projected column
// doesn't match the original type.
TEST_F(TestSchema, TestProjectTypeMismatch) {
Schema schema1({ ColumnSchema("key", STRING),
ColumnSchema("val", UINT32) },
1);
Schema schema2({ ColumnSchema("val", STRING) }, 0);
RowProjector row_projector(&schema1, &schema2);
Status s = row_projector.Init();
ASSERT_TRUE(s.IsInvalidArgument()) << s.ToString();
ASSERT_STR_CONTAINS(s.message().ToString(), "must have type");
}
// Test projection when the some columns in the projection
// are not present in the base schema
TEST_F(TestSchema, TestProjectMissingColumn) {
Schema schema1({ ColumnSchema("key", STRING), ColumnSchema("val", UINT32) }, 1);
Schema schema2({ ColumnSchema("val", UINT32), ColumnSchema("non_present", STRING) }, 0);
Schema schema3({ ColumnSchema("val", UINT32), ColumnSchema("non_present", UINT32, true) }, 0);
uint32_t default_value = 15;
Schema schema4({ ColumnSchema("val", UINT32),
ColumnSchema("non_present", UINT32, false, false, false, &default_value) },
0);
RowProjector row_projector(&schema1, &schema2);
Status s = row_projector.Init();
ASSERT_TRUE(s.IsInvalidArgument()) << s.ToString();
ASSERT_STR_CONTAINS(s.message().ToString(),
"does not exist in the projection, and it does not have a default value or a nullable type");
// Verify Default nullable column with no default value
ASSERT_OK(row_projector.Reset(&schema1, &schema3));
ASSERT_EQ(1, row_projector.base_cols_mapping().size());
ASSERT_EQ(1, row_projector.projection_defaults().size());
ASSERT_EQ(row_projector.base_cols_mapping()[0].first, 0); // val schema2
ASSERT_EQ(row_projector.base_cols_mapping()[0].second, 1); // val schema1
ASSERT_EQ(row_projector.projection_defaults()[0], 1); // non_present schema3
// Verify Default non nullable column with default value
ASSERT_OK(row_projector.Reset(&schema1, &schema4));
ASSERT_EQ(1, row_projector.base_cols_mapping().size());
ASSERT_EQ(1, row_projector.projection_defaults().size());
ASSERT_EQ(row_projector.base_cols_mapping()[0].first, 0); // val schema4
ASSERT_EQ(row_projector.base_cols_mapping()[0].second, 1); // val schema1
ASSERT_EQ(row_projector.projection_defaults()[0], 1); // non_present schema4
}
// Test projection mapping using IDs.
// This simulate a column rename ('val' -> 'val_renamed')
// and a new column added ('non_present')
TEST_F(TestSchema, TestProjectRename) {
SchemaBuilder builder;
ASSERT_OK(builder.AddKeyColumn("key", STRING));
ASSERT_OK(builder.AddColumn("val", UINT32));
Schema schema1 = builder.Build();
builder.Reset(schema1);
ASSERT_OK(builder.AddNullableColumn("non_present", UINT32));
ASSERT_OK(builder.RenameColumn("val", "val_renamed"));
Schema schema2 = builder.Build();
RowProjector row_projector(&schema1, &schema2);
ASSERT_OK(row_projector.Init());
ASSERT_EQ(2, row_projector.base_cols_mapping().size());
ASSERT_EQ(1, row_projector.projection_defaults().size());
ASSERT_EQ(row_projector.base_cols_mapping()[0].first, 0); // key schema2
ASSERT_EQ(row_projector.base_cols_mapping()[0].second, 0); // key schema1
ASSERT_EQ(row_projector.base_cols_mapping()[1].first, 1); // val_renamed schema2
ASSERT_EQ(row_projector.base_cols_mapping()[1].second, 1); // val schema1
ASSERT_EQ(row_projector.projection_defaults()[0], 2); // non_present schema2
}
// Test that we can map a projection schema (no column ids) onto a tablet
// schema (column ids).
TEST_F(TestSchema, TestGetMappedReadProjection) {
Schema tablet_schema({ ColumnSchema("key", STRING),
ColumnSchema("val", INT32) },
{ ColumnId(0),
ColumnId(1) },
1);
const bool kReadDefault = false;
Schema projection({ ColumnSchema("key", STRING),
ColumnSchema("deleted", IS_DELETED,
/*is_nullable=*/false,
/*is_immutable=*/false,
/*is_auto_incrementing=*/false,
/*read_default=*/&kReadDefault) },
1);
Schema mapped;
ASSERT_OK(tablet_schema.GetMappedReadProjection(projection, &mapped));
ASSERT_EQ(1, mapped.num_key_columns());
ASSERT_EQ(2, mapped.num_columns());
ASSERT_TRUE(mapped.has_column_ids());
ASSERT_FALSE(EqualSchemas(mapped, projection));
// The column id for the 'key' column in the mapped projection should match
// the one from the tablet schema.
ASSERT_EQ("key", mapped.column(0).name());
ASSERT_EQ(0, mapped.column_id(0));
// Since 'deleted' is a virtual column and thus does not appear in the tablet
// schema, in the mapped schema it should have been assigned a higher column
// id than the highest column id in the tablet schema.
ASSERT_EQ("deleted", mapped.column(1).name());
ASSERT_GT(mapped.column_id(1), tablet_schema.column_id(1));
ASSERT_GT(mapped.max_col_id(), tablet_schema.max_col_id());
// Ensure that virtual columns that are nullable or that do not have read
// defaults are rejected.
Schema nullable_projection;
Status s = nullable_projection.Reset({ ColumnSchema("key", STRING),
ColumnSchema("deleted", IS_DELETED,
/*is_nullable=*/true,
/*is_immutable=*/false,
/*is_auto_incrementing=*/false,
/*read_default=*/&kReadDefault) },
1);
ASSERT_FALSE(s.ok());
ASSERT_STR_CONTAINS(s.ToString(), "must not be nullable");
Schema no_default_projection;
s = no_default_projection.Reset({ ColumnSchema("key", STRING),
ColumnSchema("deleted", IS_DELETED,
/*is_nullable=*/false,
/*is_immutable=*/false,
/*is_auto_incrementing*/false,
/*read_default=*/nullptr) },
1);
ASSERT_FALSE(s.ok());
ASSERT_STR_CONTAINS(s.ToString(), "must have a default value for read");
}
// Test that the schema can be used to compare and stringify rows.
TEST_F(TestSchema, TestRowOperations) {
Schema schema({ ColumnSchema("col1", STRING),
ColumnSchema("col2", STRING),
ColumnSchema("col3", UINT32),
ColumnSchema("col4", INT32) },
1);
Arena arena(1024);
RowBuilder rb(&schema);
rb.AddString(string("row_a_1"));
rb.AddString(string("row_a_2"));
rb.AddUint32(3);
rb.AddInt32(-3);
ContiguousRow row_a(&schema);
ASSERT_OK(CopyRowToArena(rb.data(), &arena, &row_a));
rb.Reset();
rb.AddString(string("row_b_1"));
rb.AddString(string("row_b_2"));
rb.AddUint32(3);
rb.AddInt32(-3);
ContiguousRow row_b(&schema);
ASSERT_OK(CopyRowToArena(rb.data(), &arena, &row_b));
ASSERT_GT(schema.Compare(row_b, row_a), 0);
ASSERT_LT(schema.Compare(row_a, row_b), 0);
ASSERT_EQ(R"((string col1="row_a_1", string col2="row_a_2", uint32 col3=3, int32 col4=-3))",
schema.DebugRow(row_a));
}
TEST(TestKeyEncoder, TestKeyEncoder) {
faststring fs;
const KeyEncoder<faststring>& encoder = GetKeyEncoder<faststring>(GetTypeInfo(STRING));
typedef std::tuple<vector<Slice>, Slice> test_pair;
vector<test_pair> pairs;
// Simple key
pairs.push_back(test_pair({ Slice("foo", 3) }, Slice("foo", 3)));
// Simple compound key
pairs.push_back(test_pair({ Slice("foo", 3), Slice("bar", 3) },
Slice("foo" "\x00\x00" "bar", 8)));
// Compound key with a \x00 in it
pairs.push_back(test_pair({ Slice("xxx\x00yyy", 7), Slice("bar", 3) },
Slice("xxx" "\x00\x01" "yyy" "\x00\x00" "bar", 13)));
int i = 0;
for (const test_pair &t : pairs) {
const vector<Slice> &in = std::get<0>(t);
Slice expected = std::get<1>(t);
fs.clear();
for (int col = 0; col < in.size(); col++) {
encoder.Encode(&in[col], col == in.size() - 1, &fs);
}
ASSERT_EQ(expected, Slice(fs))
<< "Failed encoding example " << i << ".\n"
<< "Expected: " << HexDump(expected) << "\n"
<< "Got: " << HexDump(Slice(fs));
i++;
}
}
TEST_F(TestSchema, TestDecodeKeys_CompoundStringKey) {
Schema schema({ ColumnSchema("col1", STRING),
ColumnSchema("col2", STRING),
ColumnSchema("col3", STRING) },
2);
EXPECT_EQ(R"((string col1="foo", string col2="bar"))",
schema.DebugEncodedRowKey(Slice("foo\0\0bar", 8), Schema::START_KEY));
EXPECT_EQ(R"((string col1="fo\000o", string col2="bar"))",
schema.DebugEncodedRowKey(Slice("fo\x00\x01o\0\0""bar", 10), Schema::START_KEY));
EXPECT_EQ(R"((string col1="fo\000o", string col2="bar\000xy"))",
schema.DebugEncodedRowKey(Slice("fo\x00\x01o\0\0""bar\0xy", 13), Schema::START_KEY));
EXPECT_EQ("<start of table>",
schema.DebugEncodedRowKey("", Schema::START_KEY));
EXPECT_EQ("<end of table>",
schema.DebugEncodedRowKey("", Schema::END_KEY));
}
// Test that appropriate statuses are returned when trying to decode an invalid
// encoded key.
TEST_F(TestSchema, TestDecodeKeys_InvalidKeys) {
Schema schema({ ColumnSchema("col1", STRING),
ColumnSchema("col2", UINT32),
ColumnSchema("col3", STRING) },
2);
EXPECT_EQ("<invalid key: Invalid argument: Error decoding composite key component"
" 'col1': Missing separator after composite key string component: foo>",
schema.DebugEncodedRowKey(Slice("foo"), Schema::START_KEY));
EXPECT_EQ("<invalid key: Invalid argument: Error decoding composite key component 'col2': "
"key too short>",
schema.DebugEncodedRowKey(Slice("foo\x00\x00", 5), Schema::START_KEY));
EXPECT_EQ("<invalid key: Invalid argument: Error decoding composite key component 'col2': "
"key too short: \\xff\\xff>",
schema.DebugEncodedRowKey(Slice("foo\x00\x00\xff\xff", 7), Schema::START_KEY));
}
TEST_F(TestSchema, TestCreateProjection) {
Schema schema({ ColumnSchema("col1", STRING),
ColumnSchema("col2", STRING),
ColumnSchema("col3", STRING),
ColumnSchema("col4", STRING),
ColumnSchema("col5", STRING) },
2);
Schema schema_with_ids = SchemaBuilder(schema).Build();
Schema partial_schema;
// By names, without IDs
ASSERT_OK(schema.CreateProjectionByNames({ "col1", "col2", "col4" }, &partial_schema));
EXPECT_EQ("(\n"
" col1 STRING NOT NULL,\n"
" col2 STRING NOT NULL,\n"
" col4 STRING NOT NULL,\n"
" PRIMARY KEY ()\n"
")",
partial_schema.ToString());
// By names, with IDS
ASSERT_OK(schema_with_ids.CreateProjectionByNames({ "col1", "col2", "col4" }, &partial_schema));
EXPECT_EQ(Substitute("(\n"
" $0:col1 STRING NOT NULL,\n"
" $1:col2 STRING NOT NULL,\n"
" $2:col4 STRING NOT NULL,\n"
" PRIMARY KEY ()\n"
")",
schema_with_ids.column_id(0),
schema_with_ids.column_id(1),
schema_with_ids.column_id(3)),
partial_schema.ToString());
// By names, with missing names.
Status s = schema.CreateProjectionByNames({ "foobar" }, &partial_schema);
EXPECT_EQ("Not found: column not found: foobar", s.ToString());
// By IDs
ASSERT_OK(schema_with_ids.CreateProjectionByIdsIgnoreMissing({ schema_with_ids.column_id(0),
schema_with_ids.column_id(1),
ColumnId(1000), // missing column
schema_with_ids.column_id(3) },
&partial_schema));
EXPECT_EQ(Substitute("(\n"
" $0:col1 STRING NOT NULL,\n"
" $1:col2 STRING NOT NULL,\n"
" $2:col4 STRING NOT NULL,\n"
" PRIMARY KEY ()\n"
")",
schema_with_ids.column_id(0),
schema_with_ids.column_id(1),
schema_with_ids.column_id(3)),
partial_schema.ToString());
}
TEST_F(TestSchema, TestFindColumn) {
Schema schema({ ColumnSchema("col1", STRING),
ColumnSchema("col2", INT32) },
1);
int col_idx;
ASSERT_OK(schema.FindColumn("col1", &col_idx));
ASSERT_EQ(0, col_idx);
ASSERT_OK(schema.FindColumn("col2", &col_idx));
ASSERT_EQ(1, col_idx);
Status s = schema.FindColumn("col3", &col_idx);
ASSERT_TRUE(s.IsNotFound()) << s.ToString();
ASSERT_EQ(s.ToString(), "Not found: No such column: col3");
}
#ifdef NDEBUG
TEST(TestKeyEncoder, BenchmarkSimpleKey) {
faststring fs;
Schema schema({ ColumnSchema("col1", STRING) }, 1);
RowBuilder rb(&schema);
rb.AddString(Slice("hello world"));
ConstContiguousRow row(rb.schema(), rb.data());
LOG_TIMING(INFO, "Encoding") {
for (int i = 0; i < 10000000; i++) {
schema.EncodeComparableKey(row, &fs);
}
}
}
#endif
} // namespace tablet
} // namespace kudu
``` |
Lyndon State College was a public liberal arts college in Lyndon, Vermont. In 2018, it merged with Johnson State College to create Northern Vermont University; the former campus of Lyndon State College is now the university's Lyndon campus. In July 2023, Castleton University, Northern Vermont University-Johnson, Northern Vermont University-Lyndon, and Vermont Technical College merged to become Vermont State University. It is accredited by the New England Association of Schools and Colleges.
History
In 1911, the college was founded as a one-year normal school housed in rented space in nearby Lyndon Institute. The term "normal school" is based on the French école normale supérieure, a school to educate teachers. Consistent with education tradition of the times, the Lyndon Training Course expanded its curriculum in one-year increments, and the first two-year class graduated in 1923. In 1927, Rita Bole became principal of the school. The first three-year class, consisting of nine students, graduated in 1934. In 1944, the state allowed Lyndon to grant four-year degrees so long as it remained a teacher training institution. The first four-year degrees were granted to 18 students in 1944. It was during these years that the Northeast Kingdom began to depend on Lyndon to address the educational needs of its residents.
Bole, who led the school until 1955, encouraged the Vermont State Legislature to establish Lyndon Teachers College, saw the admission of the first male and first out-of-state students during the 1940s, and oversaw the move to the Theodore Newton Vail estate. Vail was the first president of the American Telephone & Telegraph Company (AT&T). Vail had been instrumental in the establishment of Lyndon Institute, and Bole recognized his vacant estate as the perfect place to house the growing school. The move to Vail Manor was completed on June 30, 1951, the final day of the school's lease at Lyndon Institute.
In 1961, the State Legislature established the Vermont State Colleges system, a consortium of Vermont's five public colleges governed by a common board of trustees, chancellor and Council of Presidents and Lyndon Teachers College became Lyndon State College. This marked the beginning of a period of rapid growth and, in 1964, the campus began to expand. A library, a dormitory, a dining hall, a science wing, a gymnasium, and a theater were built. These additions began meeting the needs of a growing student population that also brought a rapid expansion of the Lyndon curriculum. In the 1970s, new majors were developed in business administration, special education, recreations, meteorology, communications, human services, and physical education. It was also during this decade that the original Vail Manor was deemed unsafe and was replaced with the Theodore N. Vail Center that now houses the Vail Museum and preserves the name that has become an integral part of the Lyndon State tradition.
In 2005, a new residence hall was constructed near Wheelock Hall. The building was named The Rita L. Bole Complex, after the principal of Lyndon Normal School.
In 2009, the Academic and Student Activity Center, a LEED-certified, or "green" building, was constructed to house Lyndon's Business, Exercise Science and Meteorology majors. It also contains computer labs, classrooms and a student event center.
In September 2016, the VSC board of trustees voted to merge Lyndon State College with Johnson State College, located roughly away. The new combined institution was named Northern Vermont University, and JSC President Elaine Collins was named as NVU's first president to oversee the consolidation of both campus into the new university. In July 2023, Castleton University, Northern Vermont University-Johnson, Northern Vermont University-Lyndon, and Vermont Technical College merged to become Vermont State University.
Campus
The Vail Center had classrooms, and teachers' offices, including English, mathematics, and education. It also contained the bookstore, student center, and snack bar. The science wing contained classrooms and laboratories. There was a television wing for the television studies and was home to News 7, LSC's daily live broadcast facility. It also contained the small Alexander Twilight Theater. It was connected to the Library and Academic Center (LAC).
LAC contained classrooms, a 24-hour computer lab, and the three-floor Samuel Read Hall Library.
The Harvey Academic Center was located at the center of campus and housed offices and classrooms for Recreation Studies and other programs.
The center of campus was centered around a small pond until the summer of 2019. It was filled in and made into a park. There was a large pond across from the library. Adjacent to the park was the Stevens Dining Hall.
Adjacent to the theater was the Stannard Gymnasium. The smaller gym, known as the Rita Bole Gymnasium (there is also a Rita Bole residence hall) was used for basketball games, floor hockey, and a wide variety of intramural sports. In this complex was a swimming pool, racquetball court, rock climbing wall, and a fitness center.
On the north side of the campus, across from the baseball fields, was the Brown House containing a dispensary. The Gray House was a special residential opportunity, most recently for those performing service to the community.
Student life
Residence Halls
Half of the student population lived on campus in one of the nine residence halls. The Stonehenge residence hall complex was located on the southern end of campus and consisted of six residence halls: Whitelaw/Crevecoeur (first-year students), Arnold/Bayley, and Poland/Rogers. They were clustered around a central courtyard and shaped in a circle, hence the nickname "Stonehenge." Wheelock was a residence hall in the center of campus. Rita Bole was the newest of the residence halls, which featured apartment-style living for upperclassmen. The ninth hall, Grey House, was a living-learning community dedicated to performing community service on campus and in the local area.
Athletics
Lyndon State College teams participated as a member of the National Collegiate Athletic Association's Division III. The Hornets were a member of the North Atlantic Conference (NAC). Men's sports included baseball, basketball, cross country, lacrosse, soccer and tennis; while women's sports included basketball, cross country, soccer, softball, tennis and volleyball. Club sports teams included men's ice hockey, men's rugby, women's rugby, ultimate frisbee and a dance team. which included:
Notable alumni
Joe Benning, 1979, member of the Vermont Senate
André Bernier, 1981, meteorologist at WJW-TV, Cleveland, Ohio
Pete Bouchard, 1992, meteorologist at WBTS-TV and other stations
Jim Cantore, 1986, meteorologist-announcer at The Weather Channel
Justin Chenette, 2012, member of the Maine House of Representatives and Maine Senate
Mia Consalvo, 1991, college professor and author
Nick Gregory, 1982, meteorologist at WNYW-TV, New York City
Al Kaprielian, 1983, meteorologist at WBIN-TV, WLMW-FM, and other stations
Wayne G. Kenyon, 1955, member of the Vermont House of Representatives
Matthew P. Mayo, author
Howard Wilbert Nowell, 1889, physician and research scientist
Norm Sebastian, 1979, meteorologist at The Weather Channel and WNYT-TV
Catherine Toll, 1981, member of the Vermont House of Representatives
Chip Troiano, 1976, member of the Vermont House of Representatives
References
External links
Official athletics website
Defunct universities and colleges in Vermont
Liberal arts colleges in Vermont
Lyndon, Vermont
Universities and colleges established in 1911
Vermont State Colleges
Buildings and structures in Caledonia County, Vermont
Education in Caledonia County, Vermont
Tourist attractions in Caledonia County, Vermont
1911 establishments in Vermont
Educational institutions disestablished in 2018
2018 disestablishments in Vermont |
Helen Alliene Shaw (July 25, 1897 – September 8, 1997) was an American actress. She is best known for her roles as Mrs. Dempsey in the 1983 film Twilight Zone: The Movie and Steve Martin's grandmother in the 1989 comedy Parenthood. She was a humorous guest during her first and only appearance on The Tonight Show Starring Johnny Carson.
Early life
Shaw was born on July 25, 1897, in Birmingham, Michigan, the daughter of Bertha Maud (née Crafts; 1873-1964) and Dr. Nenian Thomas Shaw (1867-1952), a Canadian-born physician. Shaw studied medicine at one time and on February 17, 1923, was present in Egypt when Howard Carter unsealed the tomb of the Pharaoh Tutankhamun. She married Loren George Stauch (1892-1957) on April 22, 1918, in Birmingham and they had one daughter, Patricia Alliene Stauch (1924-2018), before divorcing in August 1935, with extreme cruelty being cited as Shaw's reason for seeking the divorce. In her 1989 appearance on The Tonight Show with Johnny Carson she mentioned the marriage as being brief and commented on how couples need to be well paired for one to work.
Career
In 1938, Shaw, along with her parents and daughter, moved to southern California. Shaw became active as a writer and director with the Theatre Americana of Altadena, and served as a writing coach for 30 years. She later took stage acting roles at the Theatre Americana and the Glendale Centre Theatre. Then, at the age of 82, she became a professional actress. Her first notable role was in the television movie Rape and Marriage: The Rideout Case in 1980, which was followed by several additional appearances in film and television.
Death
Shaw died on September 8, 1997, a month and a half after her 100th birthday, in Los Angeles and was interred in Forest Lawn Memorial Park in Glendale, California, under the name Helen Shaw Stauch.
Filmography
Television
Film
References
External links
1897 births
1997 deaths
American centenarians
20th-century American actresses
Women centenarians |
The following events occurred in May 1967:
May 1, 1967 (Monday)
With aspirations to become the fourth United States commercial television network (after NBC, CBS and ABC), the United Network began broadcasting on more than 100 independent stations at 11:00 p.m. Eastern Time (8:00 p.m. Pacific Time) with its first and only program, The Las Vegas Show, a two-hour long weeknight variety show telecast in color. Comedian Bill Dana was the regular host, and his first guests were comedian Milton Berle, singer Abbe Lane, and the comedy team of Allen & Rossi. Lacking sufficient national sponsors and facing the enormous costs of using overland coaxial cables to relay the program to affiliates, the network would fold after 23 performances of The Las Vegas Show, with the last one ending at 1:00 in the morning Eastern time on June 1, after the May 31 program that featured singer Gilbert Price.
Anastasio Somoza Debayle was sworn in as the new President of Nicaragua, succeeding Lorenzo Guerrero.
Elvis Presley and Priscilla Beaulieu were married in a brief civil ceremony at the Aladdin Hotel in Las Vegas.
GO Transit, Canada's first interregional public transit system, was established.
Born: Tim McGraw, American country singer; as Samuel Timothy McGraw, later Samuel Smith, in Delhi, Louisiana
Died: Klavdia Andreyevna Kosygin, 58, wife of Soviet Premier Alexei Kosygin, collapsed and died while she, her husband, and other Soviet leaders were reviewing the annual May Day military parade in Moscow. Mrs. Kosygin had been seriously ill and undergoing cancer treatment for nearly six months, although her illness had not been disclosed in the Soviet press.
May 2, 1967 (Tuesday)
Led by Huey P. Newton, a group of 40 members of the Black Panthers, armed with shotguns, rifles and pistols, forced their way into a session of the California House of Representatives at the state capitol building in Sacramento, as a protest against gun control. The California Assembly was debating passage of a bill that would forbid the carrying of a loaded firearm into any public place in the state. No violence took place, other than scuffling between some of the Panthers and the state police who responded to the incident. Sacramento city police stopped five cars that were bringing another 26 armed men join the 40 inside the capitol, and confiscated 15 weapons. As for the men in the capitol building, the police declined to make arrests because there was no violation of the law, and the weapons were returned to the group.
In the Democratic primary election in Gary, Indiana, Mayor A. Martin Katz was defeated for renomination by an African-American challenger, city councilman Richard G. Hatcher, by a wide margin.
The Toronto Maple Leafs won the Stanley Cup for the last time of the 20th century. More than 50 years later, the Leafs have not returned to the Stanley Cup Finals. The game also marked the last for the National Hockey League as a six-team league, as six expansion teams would begin play in the fall.
Harold Wilson announced in the House of Commons that the United Kingdom would apply for EEC membership. Four years earlier, in 1963, France's President Charles de Gaulle had vetoed the UK's attempt to join the EEC.
May 3, 1967 (Wednesday)
In the South Korean presidential election, incumbent President Park Chung Hee of the Democratic Republican Party received 5,688,666 votes (51.4%) to the 4,526,541 (40.9%) for Yun Bo-seon of the New Democratic Party. Four other candidates split the remaining 7.7%.
The U.S. Marines captured the heavily fortified peaks of "Hill 881" near Khe Sanh, south of the demilitarized zone between North Vietnam and South Vietnam after a three-day battle between the 3rd brigade of the USMC 9th Infantry, and the 514th Viet Cong battalion. Ninety-six of the Marines were killed in the battle, and an estimated 181 Viet Cong died. During the 16-day fight in the Khe Sanh hills, 168 Americans and 824 Viet Cong were killed between April 24 and May 9.
The Convention of the International Hydrographic Organization was signed in Monaco.
Kuwait granted the Spanish government-owned oil exploration company Hispanoil, a 49% interest in a 33-year oil exploration concession for 10,000 square kilometers of Kuwaiti land, with the Kuwait National Petroleum Company having the other 51%.
Born: Kenny Hotz, Canadian TV producer and actor; in Toronto
May 4, 1967 (Thursday)
Lunar Orbiter 4 was launched by the United States from Cape Kennedy at 6:25 p.m. and would become, on May 4, the first probe to enter into a polar orbit around the Moon. In addition to getting the first pictures of the lunar south pole, the probe was also able to photograph 99% of the near side of the Moon.
A 16-month old boy, Rupert Burtan of Pittsford, New York, survived an 8-story fall from the 14th floor of the Essex Inn in Chicago, where his father, a physician, was attending the American Industrial Hygiene conference. The boy landed on the sundeck of the fifth floor, beside a swimming pool, and was conscious and crying. Four days later, he was reported to be "doing quite well" at a hospital. His father would later sue the hotel for the child's serious injuries.
May 5, 1967 (Friday)
The World Journal Tribune, a New York City evening newspaper formed eight months earlier in a merger of the World-Telegram & Sun, the Journal-American and the Herald Tribune during the city's newspaper strike, ceased publication. During its brief existence, the WJT was nicknamed "the Widget"; Hendrik Hertzberg, commentator for The New Yorker, would later comment that "This ghastly amalgam— which contained, one way or another, the bones of a dozen once great newspapers— expired like an overfed cannibal".
Some significant features of a revised Apollo and Apollo Applications Program (AAP) integrated program plan were: the Apollo command and service module (CSM) would be available to support the first four AAP launches; AAP-1/AAP-2 in early 1969 were to accomplish Orbital Workshop (OWS) objectives; AAP-3/AAP-4 in mid-1969 were to accomplish the 56-day Apollo Telescope Mount (ATM) objectives in conjunction with reuse of the OWS. Two additional AAP flights were planned for 1969 to revisit the OWS and the ATM using refurbished command modules flown initially on Earth-orbit Apollo flights in 1968. AAP missions planned for low Earth orbit during 1970 would utilize two dual launches (one crewed CSM and one unmanned experiment module per dual launch) and two single-launch, long-duration CSMs to establish and maintain near-continuous operation of the OWS cluster and a second ATM.
May 6, 1967 (Saturday)
Rioting broke out in Hong Kong that would ultimately see 51 people killed and more than 800 injured during a clash between police and 650 workers who had been fired from the Hong Kong Artificial Flower Works. A historian of the riots would later comment that "the sacking of the workers was the immediate trigger for Hong Kong's worst political violence that would claim 51 lives and prompt a huge social shake-up." The event that started the violence was when 150 workers blocked trucks attempting to ship out the day's production of goods at 4:00 in the afternoon. At 4:20, when non-striking workers attempted to load a truck, strikers rushed at foreman Hung Biu and scuffling broke out, followed half an hour later by the arrival of the police.
Boats carrying about 200 people to a rally at Chengtu in support of CCP Chairman Mao Zedong were rammed and sunk by anti-Maoist members of the Red Guards on the Yangtze River. According to Japan's Kyodo News Agency, "all except 20 drowned in the swift-flowing river".
The escalation of aerial bombardment in the Vietnam War reached a milestone with the flying of the 10,000th bombing sortie by a B-52. During the first 10,000 missions, 190,000 tons of bombs had been dropped on North Vietnam and on Viet Cong strongholds in South Vietnam.
Dr. Zakir Husain, the candidate of the ruling Congress Party, became the first Muslim to be elected President of India, defeating former Chief Justice of India K. Subba Rao.
In a game marked by fan violence, visiting Manchester United clinched the title of The Football League in England in its penultimate game of the regular 1966–67 season, with a 6-1 win over West Ham United at Upton Park. Manchester U fans "were rapidly gaining notoriety for their violent exploits", and over 20 people were hospitalized for injuries during and after the match. "The interaction with Manchester United fans that day", an author would note later, "marked an important change in young West Ham fans' commitment to confronting opposing fan groups." In September, when Manchester United and its fans returned to East London, West Ham fans were ready for retaliation.
Died: Zhou Zuoren, 82, Chinese essayist
May 7, 1967 (Sunday)
A CIA-sponsored U-2 reconnaissance aircraft, flown from Taiwan by a Nationalist Chinese pilot, flew at high altitude over the People's Republic of China, and dropped a package of instruments designed to monitor nuclear testing by the Communist nation. It was the only known instance, in 102 Taiwanese piloted U-2 missions over the Mainland, where a package was deployed. The sensor package failed, and Nationalist Chinese overflights of the People's Republic would halt in 1968.
In Tel Aviv, Prime Minister Levi Eshkol's Ministerial Committee on Security conditionally approved commencing a war with an attack on Syria.
Born: Martin Bryant, Australian mass shooter, in Hobart, Tasmania
May 8, 1967 (Monday)
The Philippine province of Davao was ordered split into three separate provinces, with the creation of Davao del Norte, Davao del Sur, and Davao Oriental, effective July 1, 1967; on June 17, 1972, the name of Davao del Norte would be changed back to Davao.
The Soviet Union unveiled its Tomb of the Unknown Soldier in Moscow, near the walls of the Kremlin, in commemoration of the 22nd anniversary of V-E Day and the Great Patriotic War, the Soviet triumph over Nazi Germany during World War II.
The International Olympic Committee announced that all athletes competing in the 1968 Olympic Games would be required to undergo a gender verification test (commonly referred to as a "sex test") as well as a test for "doping" with performance enhancing drugs such as anabolic steroids.
Canada's National Defence Act was passed into law, providing for the unification of the Royal Canadian Navy, the Canadian Army and the Royal Canadian Air Force into a single service, the Canadian Armed Forces.
In a 7–2 decision in the case of Redrup v. New York, the United States Supreme Court reversed convictions, for sale and distribution of obscene books and magazines, for defendants from New York, Kentucky, and Arkansas, concluding that under the First Amendment, the state "may not constitutionally inhibit distribution of literary material as obscene" unless three conditions were met: (1) the dominant theme must appeal to "a prurient interest in sex"; (2) the material must be "patently offensive"; and (3) the material must be "utterly without redeeming social value."
Required changes in the Apollo Applications Program flight schedules resulted in plans for the Earth-orbital test of the lunar mapping and scientific survey (LM&SS) as part of a single launch mission unrelated to the Orbital Workshop. The mission would have the primary objective of conducting crewed experiments in space sciences and advanced technology and engineering, including the Earth-orbital simulation of LM&SS lunar operations. The LM&SS would be jettisoned after completing its Earth-orbital test. The planned launch date for the mission was 15 September 1968.
Died:
LaVerne Andrews, 55, oldest of the American singing trio The Andrews Sisters, from cancer
Barbara Payton, 39, American film actress, from liver failure
Elmer Rice, 74, American playwright and Pulitzer Prize winner
May 9, 1967 (Tuesday)
Dr. Gijsbert van Hall, Mayor of Amsterdam for the past 10 years, was fired by Netherlands Prime Minister Piet de Jong after Amsterdam police had been unable to control attacks by youth gangs who called themselves "The Provos".
Born: Ahmed Ressam, Algerian terrorist and al-Qaeda member whose plot to bomb the Los Angeles International Airport on December 31, 1999 was foiled by the U.S. Customs Service; in Bou Ismaïl
Died: Philippa Schuyler, 35, American pianist and former child prodigy, was killed in a helicopter crash. Schuyler, who was in South Vietnam as a special newspaper correspondent for the Manchester (NH) Union-Leader, had been scheduled to leave three days earlier had stayed on and was assisting in the evacuation of Catholic schoolchildren from Hue to Da Nang. She and one of the children drowned when the helicopter fell into Da Nang Bay, while another 16 people survived.
May 10, 1967 (Wednesday)
The Soviet Navy destroyer Besslednyi collided with the U.S. Navy destroyer USS Walker while the latter was making maneuvers in the Sea of Japan. The U.S. protested to the U.S.S.R. that the Besslednyi had deliberately made several close approaches to four ships in a task group over a 90-minute period. Damage to both ships was minor. The next day, east of the first collision, another Soviet destroyer (identified as Krupnyv class 025) collided with the USS Walker, and punched a six-inch hole into the starboard bow.
Naji Talib resigned as Prime Minister of Iraq. President Abdul Rahman Arif would perform the job for two months until former premier Tahir Yahya was sworn in.
Former Greek Prime Minister Andreas Papandreou was charged with treason by the new Greek military government.
By a 488 to 62 vote, with 51 abstentions, the House of Commons of the United Kingdom approved the government's decision to apply for membership in the European Economic Community. On November 27, as he had in 1963, France's President Charles de Gaulle would veto the application.
Hundreds of students at the historically black Jackson State College (now Jackson State University) rioted after local police drove on to campus to arrest a student for speeding. The police barricaded Lynch Street in Jackson, and the next day, members of the state national guard fired on the crowd, killing a bystander, Ben Brown, who had been out running an errand. Three years later, violence would erupt again and two students would be shot by guardsmen during protests 11 days after the Kent State shootings.
Three boys in Hannibal, Missouri, disappeared after traveling into one of the many caves in the area, and would still be missing half a century later, despite an extensive search. Brothers Joe Hoag, 13, and Billy Hoag, 11, went exploring with Joe's friend, 14-year old Craig Dowell, and did not return. After an 18-day search of 270 caves, the search leader reported that the group had "failed to find a single clue". Years later, no physical evidence had been found.
Test pilot Bruce Peterson was injured when he was attempting to land the Northrop M2-F2 lifting body glider, described as a "flatiron-shaped... wingless spacecraft designed to reenter the Earth's atmosphere and make a maneuverable landing." After regaining control of the M2-F2 when it unexpectedly began rolling, Peterson "found himself with a new problem" because his angle of lift was so high that he could not see the runway markers as he made his descent. Stalling the M2-F2 so that he could lower his angle, he landed in the desert at , but "the vehicle suddenly bounced back up", twisted, and then crashed. Peterson would endure multiple surgeries for the next two years, including 18 months of facial reconstruction, and would even return to being a test pilot in 1970, before taking a desk job at NASA. Ironically, "The film of his accident was used in the 1970s TV series The Six Million Dollar Man", about a test pilot rebuilt by surgeons following a crash.
Born:
Nobuhiro Takeda, Japanese soccer football forward, in Hamamatsu
Young MC (stage name for Marvin Young), English-born American rap artist best known for the song Bust a Move; in South Wimbledon
Died: Lorenzo Bandini, 31, was killed in a fiery crash at the 1967 Monaco Grand Prix
May 11, 1967 (Thursday)
President Nikolai Podgorny of the Soviet Union met in Moscow with a visiting group of Egyptian officials (including future President Anwar Sadat) and provided them a false intelligence report that Israel was mobilizing troops "on the border with Syria and planning to attack between 18 and 22 May 1967". "Although the report was false and Nasser knew it," an observer would later write, Egypt's President Gamal Abdel Nasser mobilized troops along the Egyptian border with Israel three days later. An Israeli historian offered another theory that "Whether or not Nasser believed that Israel was about to attack Syria, he could not afford to remain idle in the face of such a possibility, thus also throwing away the opportunity to regain his position of leadership in the Arab world."
Eben Dönges, the President-elect of South Africa, was scheduled to be inaugurated on May 31, but suffered a brain hemorrhage at home and was rushed to the Groote Schuur hospital in Cape Town. He would remain in a coma for the remaining eight months of his life, and would die on January 10.
The United Kingdom, along with Ireland and Denmark, filed applications for admission into the European Economic Community. At the same time, Britain also applied for membership in the European Atomic Energy Community (Euratom) and the European Coal and Steel Community (ECSC).
The parliament of the Socialist Federal Republic of Yugoslavia voted to abolish 10 of the federal ministries and to delegate much of its authority to the nation's six constituent republics authority to make their own regulations for education, culture, health, social services, labor, justice, industry, communications and forestry. The government in Belgrade retained its ministries for foreign affairs, defense, economic and financial affairs, foreign trade, and internal affairs. Common policy in Serbia, Croatia, Bosnia-Herzegovina, Macedonia and Montenegro would be coordinated by new federal councils.
The milestone of the installation of the 100 millionth telephone in the United States was celebrated by A T & T (American Telephone and Telegraph) in a ceremony that included a conference call between U.S. President Lyndon Johnson and the governors of all 50 states, as well as the governors of Puerto Rico and the Virgin Islands. Reportedly, "the telephone company made no attempt to pinpoint exactly which phone was the 100 millionth installed" during the day.
May 12, 1967 (Friday)
The Jimi Hendrix Experience debuted with the release of its first album, Are You Experienced.
The United States enhanced its ability to measure nuclear explosions from outer space as it activated the sensors of two new Vela satellites (Vela 3 and Vela 4) that had been launched at the end of April. The new satellites had instruments that could not only detect the x-rays and gamma rays emitted from the flash of a nuclear explosion, but could also measure the yield of radiation.
Nigeria's President Yakubu Gowon announced in a radio broadcast that he was dividing the nation's four autonomous regions (Northern, Eastern, Western and Mid-Western) into 12 nationally controlled states, in hopes of checking the power of the Eastern Region's military governor, Lt. Colonel Ojukwu. Gowon's Decree Number 14, The States Creation and Transitional Provision, would become official two weeks later, on May 27; In 1976, some of the states would be divided further and the total number would rise to 19.
Died: John Masefield, 88, Poet Laureate of the United Kingdom since 1930
May 13, 1967 (Saturday)
Three million faithful in Portugal turned out to pray with Pope Paul VI during his visit to Fátima, where the 50th anniversary of the May 13, 1917 first reported appearance of the Virgin Mary there. In becoming the first Pope to visit Fátima (and the first to visit Portugal), Paul VI, in the opinion of one historian, brought new legitimacy to the dictatorship of António de Oliveira Salazar and to his Estado Novo.
In what was described as "a rebuttal to anti-war demonstrations", a crowd of at least 70,000 demonstrators marched down New York City's Fifth Avenue in support of American troops fighting in the Vietnam War.
Born: Tommy Gunn, American pornographic actor, director and former dancer, as Tommy Strada in Cherry Hill, New Jersey
May 14, 1967 (Sunday)
On the pretext of responding to a threatened Israeli invasion of Syria, the UAR's President Nasser sent two divisions of Egyptian army troops across the Suez Canal and into the Sinai peninsula. A historian would later comment that "The size of the force clearly indicates it was intended as a demonstration of Egyptian solidarity with Syria rather than an invasion group," but as tensions escalated, Nasser would follow two days later with a removal of UN Peacekeeping forces from the border with Israel.
Born: Tony Siragusa, American NFL defensive tackle, pro football analyst, and TV host; in Kenilworth, New Jersey
May 15, 1967 (Monday)
In re Gault, a decision that would lead to a dramatic change in the American juvenile court system and a correction of injustices within the juvenile codes of numerous states, was rendered by the United States Supreme Court. For the first time, the Court ruled that minors were entitled to the same constitutional rights as adults on criminal charges. At the time, there were 48,500 boys and girls in reform schools. The decision arose in the case of 15-year-old Gerald Gault of Gila Bend, Arizona, who had been given a sentence of more than five years at the Arizona industrial school after being convicted of making obscene phone calls to a neighbor. "If Gerald had been over 18," Justice Abe Fortas wrote for the majority opinion, "the maximum punishment would have been a fine of $5 to $50 or imprisonment in jail for not more than two months." He added, "Under our Constitution, the condition of being a boy does not justify a kangaroo court."
The day after the celebration of the 19th anniversary of the formation of the State of Israel as an independent nation, Israeli Defense Forces paraded through the divided city of Jerusalem, in defiance of the 1949 Armistice Agreements and as an apparent response to Egypt's deployment of its armed forces into Sinai in a breach of the 1956 cease-fire agreement that ended the Suez Crisis.
Born:
Madhuri Dixit, six-time award-winning Indian Bollywood film actress; in Bombay (now Mumbai)
John Smoltz, American baseball pitcher and Hall of Fame member; in Warren, Michigan
Died:
Edward Hopper, 84, American painter
Italo Mus, 75, Italian painter
May 16, 1967 (Tuesday)
President Nasser sent a letter to Indian Army General Indar Jit Rikhye, the commander of the 3,400 man UN Emergency Force (UNEF), asking for UNEF's immediate withdrawal from the frontier between Egypt and Israel. "Whether intentionally or not," a historian would write later, "the UAR's desire to evict the UN force after more than a decade ultimately paved the way for the resumption of hostilities between Israel and Egypt in the form of the Six-Day War.
Russian author Aleksandr Solzhenitsyn took a stand against censorship by the government of the USSR, signing his name to, and mailing, 250 copies of a letter mailed to members of the Union of Soviet Writers and to editors of literary newspapers and magazines. In order to avoid the risk of anyone other than himself being blamed for the contents, he addressed each of the envelopes, in his own writing, prior to the Fourth Writers' Congress. Listing eight instances where he had been silenced by the government, he complained that his work had been "smothered, gagged, and slandered" and called on the recipients to work toward abolishing censorship and defending Union members against unjust persecution.
Muhammad Ahmad Mahgoub was made Prime Minister of the Sudan for the second time, succeeding Sadiq al-Mahdi.
Died: Mike Gold (Itzok Isaac Granich), 73, American communist author of proletarian literature
May 17, 1967 (Wednesday)
Two MiG-21 jets from the Egyptian Air Force made a surprise flight into Israel's airspace, flew over the Negev Nuclear Research Center and reactor at Dimona in an apparent surveillance of the Jewish state's secret nuclear weapons program, and then were able to cross back over the border into the Sinai before the Israeli Air Force could scramble its jets to intercept. The expectation that the Dimona facility would be attacked by air, as well as President Nasser's deployment of two army divisions in the Sinai the same day, accelerated the crisis that would lead to the Six-Day War.
The top-ranking Hungarian diplomat in the United States, chargé d'affaires Janos Radvanyi, defected to the U.S. after five years on the job.
Josip Broz Tito was re-elected as President of Yugoslavia by a margin of 642 to 2 in the Yugoslavian parliament.
Queen Elizabeth II announced that her 18-year-old son, Prince Charles, would be invested as Prince of Wales in the summer of 1969.
May 18, 1967 (Thursday)
For the first time since the Vietnam War began, American and South Vietnamese troops crossed into the Demilitarized Zone (DMZ) that separated North Vietnam and South Vietnam near the 17th parallel. Under the Geneva Accords of 1954, armed troops were not supposed to come into the two kilometer wide DMZ, but Viet Cong and NVA troops from the north had been crossing it for years. Operation Hickory began at dawn as a combined force of 5,500 troops moved into the DMZ on the South Vietnamese side and began engaging the enemy.
The number of American servicemen killed on that day was 101, as daily U.S. deaths in the war passed 100 for the first time, surpassing February 28, when 61 were killed, and 102 would be killed in action on May 20. For the entire week from May 14 to May 20, the U.S. Department of Defense reported that 337 troops were killed.
Mexican federal police fired into a crowd of 3,000 peasants in the town of Atoyac de Álvarez, after the Guerrero state government had reversed a decision to dismiss an unpopular school principal and to reinstate fired teacher Lucio Cabañas. Seven people were killed and 20 were wounded. In retaliation, two of the federal police were killed, and the rest fled as armed villagers searched for them. Located west of Acapulco, the town would be retaken four days later by 2,000 troops from the Mexican Army after 11 people had been killed.
Yuri Andropov was appointed as the new Director of the Soviet KGB intelligence agency by Soviet Communist Party General Secretary Leonid Brezhnev. In 1982, Andropov would succeed Brezhnev as both First Secretary and as President, and serve a little more than a year before dying in office.
General Electric announced the recall of 90,000 large screen color television sets that had been manufactured between June 1966 and February 1967 because they emitted dangerously high levels of x-rays at a level well above U.S. government radiation limits. The move came six months after the defect had been discovered and six days after the U.S. Public Health Service had suggested that GE voluntarily make the announcement.
The state of Tennessee repealed its law that made the teaching of evolution a criminal offense, as Governor Buford Ellington signed a bill that had rescinded the Butler Act. (Violation of the law had led to the famous Scopes Trial.) On May 16, the state senate had voted, 19-13, in favor of a bill that permitted school teachers to discuss Charles Darwin's theory of evolution in classrooms. The state house of representatives had approved the measure, 66-13, on May 4. The states of Arkansas and Mississippi would be the last to prohibit the teaching of evolution; the U.S. Supreme Court would strike down the remaining state laws as unconstitutional on November 12, 1968.
Troops in Syria and in Egypt were placed on maximum alert, while Kuwait announced that it would mobilize its own armed forces.
Died: Andy Clyde, 75, Scottish-born American film and TV actor
May 19, 1967 (Friday)
The 3,400 man UN Emergency Force (UNEF) departed from its observation posts along the Egyptian/Israeli frontier in the Gaza Strip, after "a hurriedly organized flag lowering ceremony" ordered by UNEF's commander, Indian Army General Indar Jit Rikhye. At the same time, 12,000 troops of the Palestine liberation army took positions inside the Gaza Strip, and the first of more than 80,000 Egyptian troops and more than 800 tanks began crossing into the Sinai. The action came three days after Egypt's President Nasser had demanded the UN to withdraw its forces, and a day after UN Secretary-General U Thant ordered their departure.
The Soviet Union ratified the treaty with the United States and the United Kingdom, banning nuclear weapons from outer space.
Born: Geraldine Somerville, Irish-born British TV and film actress; in Dublin
May 20, 1967 (Saturday)
At the close of the week, a record 337 Americans had been killed in battle in the Vietnam War in a single week, as announced by the U.S. Defense Department five days later in its report of the seven days from May 14 to May 20. The Associated Press would note on May 25 that the 337 deaths marked a new milestone of more than 10,000 American servicemen killed in action as it "raised to 10,253 the number of Americans slain and 61,425 the number wounded in the war".
An attempt to block France's Prime Minister Georges Pompidou from being able to make economic changes, by decree, for six months failed by 11 votes in the National Assembly. The censure motion, which would have blocked the law from coming into effect, required 244 votes to pass and only received 233.
In one of the few claims of being injured by a UFO, Stefan "Steve" Michalak was hospitalized for burns to his chest after a trip to the Whiteshell Provincial Park in Canada. The case was investigated by the Royal Canadian Air Force after Michalak, an industrial mechanic, reported that his burns came after the unidentified object departed when he had approached it. The RCAF report noted that soil samples from the alleged landing area had been "found to be radioactive" by a radiologist from Canada's Department of Health and Welfare and that the contamination could not be explained. Michalak recovered from his burns, but would retain a scar pattern on his chest.
Born: Crown Prince Paul of Greece, at Tatoi Palace, Dekelea. If the Greek monarchy, abolished in 1974, were to be re-established, he would become King Paul II upon the death of his father, the former King Constantine II.
May 21, 1967 (Sunday)
A freight truck from Syria, loaded with dynamite, exploded the border post of Ar Ramtha in Jordan and killed 21 bystanders.
Three days after the U.S. Marines crossed into the DMZ separating North and South Vietnam, the Chairman of the Joint Chiefs of Staff, U.S. Army General Earle G. Wheeler, Jr., said that the United States had no intention of invading North Vietnam.
In anticipation of war, Egypt called up its entire military reserve into service, while Palestinian commandos in the Gaza Strip announced that they were ready to attack Israel.
As his prosecution of Clay Shaw continued, New Orleans District Attorney Jim Garrison said at a press conference that President John F. Kennedy had been assassinated by five anti-Castro Cubans who were angry about the failed Bay of Pigs invasion, and that accused assassin Lee Harvey Oswald "did not even touch a gun that day." Garrison said that the Cubans had been on the grassy knoll at Dealey Plaza and behind the wall there.
Born: Chris Benoit, Canadian professional wrestler, in Montreal (suicide after killing his wife and son in 2007)
Died: Rexhep Mitrovica, 80 Albanian politician and Axis collaborator who served as Prime Minister of Albania during the Nazi German occupation during 1943 and 1944
May 22, 1967 (Monday)
Egypt's President Nasser announced that the Gulf of Aqaba would be closed "to all ships flying Israeli flags or carrying strategic materials", blocking the port of Eilat and Israel's only access to the Indian Ocean.
Former West German Chancellor Ludwig Erhard resigned as Chairman of the Christian Democratic Union (CDU) political party to make way for Chancellor Kurt Georg Kiesinger.
A fire at L'Innovation, the largest department store in Brussels, killed 322 people. The blaze started with two simultaneous explosions at the third-floor restaurant, which was crowded with shoppers who had stopped for lunch, and the children's clothing section on the store's second floor, and was fed by exploding bottles of butane gas and cardboard displays throughout the 5-story building during its "American Week" sale. Belgian police found "anti-American pamphlets demanding a 'clean out' of the store" scattered in the street, and noted that demonstrators had dropped firecrackers and called in a bomb threat the week before to protest the American exhibition. However, suspicions of arson would never be verified. With an estimated 2,500 people inside the building when the fire broke out, an author would note later, "the number of deaths from the fire is blessedly small, considering how high it could have been. Yet 'even' at only 322, the L'Innovation fire is the worst retail department store fire of all time."
Born: Brooke Smith, American TV and film actress best known for Grey's Anatomy; in New York City
Died: Langston Hughes, 65, African-American author and poet
May 23, 1967 (Tuesday)
At 12:00 noon, Egypt followed through with its threat and closed the Straits of Tiran to Israeli shipping, blocking Israel's southern port of Eilat, and the Jewish nation's access to the Red Sea. According to the Egyptian press, mines were placed at the entrance to the strait and Egyptian torpedo boats were sent in to patrol the area.
Jordan broke diplomatic relations with neighboring Syria, and ordered Ambassador Assad al-Ustuwani to leave the country, two days after a mine explosion killed 21 people at a border checkpoint between the two Middle East nations.
Died: Philip Coolidge, 58, American actor, from lung cancer
May 24, 1967 (Wednesday)
Because of the Apollo 204 accident in January and the resulting program delays, NASA realigned its Apollo and AAP launch schedules. The new AAP schedule called for 25 Saturn IB and 14 Saturn V launches. Major hardware for these launches would be two Workshops flown on Saturn IB vehicles, two Saturn V Workshops, and three Apollo Telescope Mounts (ATMs). Under this new schedule, the first Workshop launch would come in January 1969.
At noon, U.S. President Johnson convened a National Security Council meeting with 14 advisers to discuss the impending war in the Middle East, and whether Israel had atomic weapons. The memorandum of "Discussion of Middle East Crisis" was only partially declassified in 1983, with more in 1992, but three sections remain top secret, including all the details of "a brief discussion of possible presence of unconventional weapons". CIA Director Richard Helms "was quite positive in stating there were no nuclear weapons in the area", while JCS Chief Wheeler said that he was more skeptical than Helms. Response to the President's question "What do we do?" is still redacted, as well as his response to General Wheeler's statement that "we would have to decide whether we were going to send in forces and confront Nasser directly."
Born:
Andrey Borodin, Russian financier and former President of the Bank of Moscow until his dismissal on accusations of fraud; in Moscow
Heavy D (Dwight Myers), Jamaican-born American hip hop rap artist who led Heavy D & the Boyz; in Mandeville, Jamaica (died of a pulmonary embolism, 2011)
May 25, 1967 (Thursday)
North Korea's general secretary Kim Il Sung delivered a speech to ideologists in the Workers' Party of Korea, titled "On the Immediate Tasks in the Direction of the Party's Propaganda Work", but which would later be referred to as 5.25 kyosi (the "May 25th Instructions"). Song Hye-rang, the sister-in-law of Kim's son, would later write in her memoirs that May 25, 1967, was "the day everything changed" in the closed nation, and a historian would note later that the "Instructions" created the personality cult around General Secretary Kim "and many of the other bizarre traits we associate with the North Korea of the Kim Il-sung era."
The Naxalite guerrilla war began in India in the village of Naxalbari in the West Bengal state, when police opened fire on a group of nearly 2,000 local sharecroppers who were protesting their treatment by the landowners. The day before, a local police inspector had been fatally wounded by arrows. In the shooting, seven women, two children and one man were killed. The rebellion would spread into the states of Andhra Pradesh, Maharashtra, Odisha and Madhya Pradesh, where government security forces and private paramilitary groups funded by wealthy landowners worked at suppressing rebels.
In anticipation of war, the U.S. government ordered the wives and children of U.S. officials in Egypt and Israel to leave within 48 hours.
Celtic F.C. of Glasgow, defending Scottish League champions, came from behind to become the first football club from northern Europe to win the European Cup in soccer football, defeating Inter Milan, 2-1, in the final at Lisbon. The winners of the first 11 European Cups had been from Spain (Real Madrid), Portugal (Benfica) and Italy (A.C. Milan and Inter Milan).
Born: Poppy Z. Brite (Billy Martin), transgender American gothic horror novelist; in New Orleans
Died: Johannes Itten, 78, Swiss expressionist painter
May 26, 1967 (Friday)
The Beatles released their iconic album Sgt. Pepper's Lonely Hearts Club Band, which appeared on the Parlophone label in the United Kingdom that day, and would be released on June 2 in the United States. It would be the number one best selling album in the United Kingdom for 27 weeks, and number one in the United States for 15 weeks.
The government of Israel ordered its ships to avoid challenging the Egyptian closing of the Strait of Tiran and specifically directed that any of its merchant vessels "must not, for the present, try to run the blockade declared by Cairo". The decision closed off Israel's supply of oil from the Persian Gulf. At the same time, President Nasser of Egypt said that if the closing of the Gulf of Aqaba meant war, "it will be total and the objective will be to destroy Israel."
President Nasser addressed the congress of Arab Trade Unionists in Cairo and declared that Egypt and the other Arab nations were now prepared to destroy Israel. "We've been waiting for the day when we are ready for battle," he said, noting "recently we have felt our strength is sufficient." The threat came a moment later when he said, "The struggle with Israel will be total; its basic goal will be the destruction of Israel. I would not say this five or even three years ago. Today I say it because I'm certain of it." At the same time, the Egyptian Air Force was again "ordered not to launch the first strike."
The Araniko Highway through Nepal, linking Nepal's capital of Kathmandu with the border town of Kodari on Nepal's border with Tibet and China, was dedicated in a ceremony by King Mahendra Bir Bikram. Construction of the highway had been financed by the People's Republic, which also paid for the Sino-Nepal Friendship Bridge; despite concerns in India that the road would facilitate an invasion by China, King Mahendra reportedly had told India's Prime Minister Nehru, "Communism will not arrive in Nepal via a taxi cab."
The 12-team United Soccer Association (USA) played its very first game, with foreign teams competing under different names in American and Canadian cities. Play opened at Washington, D.C. as the Cleveland Stokers (Stoke City F.C. of England) visited the Washington Whips (Aberdeen F.C. of Scotland). Maurice Setters of the Stokers scored the first USA goal, and Cleveland defeated Washington, 2-1 before a crowd of 9,403.
May 27, 1967 (Saturday)
In a referendum in Australia, voters overwhelmingly (90.77%) approved the removal of two provisions in the Australian Constitution that allowed discrimination against the indigenous Aborigines. "Ever since," an author would note later, "the 1967 referendum has popularly been memorialized as the moment when Aboriginal people gained equal rights with other Australians, even won the right to vote. In fact, the referendum did not achieve those outcomes." The final total was 4,737,701 voting "yes", 478,931 voting "no".
Egypt and Israel were both prepared to go to war on May 27. The Soviet Ambassador to Egypt called President Nasser at 3:00 that morning and asked him to not make the first strike and, after U.S. President Johnson requested restraint to prevent a possible Soviet intervention in the Middle East, an Israeli cabinet resolution on whether to attack Egypt failed because of a 7 to 7 deadlock.
On the same day that Nigeria's President Gowon declared a state of emergency and ordered the reorganization of the nation into 12 states, the legislature of the oil rich Eastern Region of Nigeria, declared independence as the Democratic Republic of Biafra, with its capital at Enugu. The military governor of the Eastern Region was Nigerian Army Lt. Colonel Odumegwu Ojukwu.
The aircraft carrier USS John F. Kennedy was christened by the late President's 9-year-old daughter, Caroline Kennedy, in ceremonies at Newport News, Virginia, before a crowd of 32,000 people that included President Johnson and most of Kennedy's White House staff and his relatives. The event was so anticipated that all three American television networks interrupted their regular Saturday morning cartoon programming for live coverage, starting at 11:30 a.m. Eastern time.
Forty-three people in India were killed when the bus they were in left the highway near Tiruchirappalli in Tamil Nadu state, and sank in a deep pond.
The folk rock band Fairport Convention played their first gig, with a concert at St. Michael's Hall in Golders Green, North London.
Born:
Paul Gascoigne, English soccer football midfielder and England national football team player; in Dunston, Tyne and Wear
Kai Pflaume, German TV game show host and presenter; in Haale, East Germany
May 28, 1967 (Sunday)
Israel's government made the decision "to cross the nuclear threshold and assemble nuclear devices" at its nuclear research facility at Dimona.
Israel received a communication from U.S. President Johnson at 11:00 in the morning Israeli time, advising that the Soviet Union had informed the U.S. that if Israel started military action, the Soviets would "extend help to the attacked states", and urged that he would advise that "Israel just must not take pre-emptive military action". At 3:00, the cabinet held a meeting and voted to wait an additional two to three weeks to allow the international community to reopen the Straits of Tiran before launching a preemptive conventional attack against its neighbors. With the exception of Transportation Minister Moshe Carmel, the cabinet vote had been almost unanimous. Prime Minister Levi Eshkol went on the radio at 8:30 pm local time to deliver what would be called an "ill-fated address" that "had a detrimental impact on morale" as he tried to explain the government's decision to wait.
Sailing in his 54-foot yacht, Gipsy Moth IV, 65-year old Sir Francis Chichester completed his round-the-world voyage, sailed into England's Plymouth Harbour, where he was greeted with cheers from 250,000 spectators. After docking, he "set a firm foot on dry land for the first time in four months". Chichester had departed Plymouth on August 27 and stopped only at Sydney, Australia.
The government of Malaysia announced that, starting September 1, it would ignore any letters that were not written in the Malay language.
May 29, 1967 (Monday)
Pope Paul VI named 27 Roman Catholic archbishops to the rank of cardinal, bringing the total number to 120. The 27 were 13 Italians, four Americans, three French, and one each from Poland, West Germany, Switzerland, the Netherlands, Bolivia, Argentina and Indonesia. All 27 would be formally elevated on June 26 in Rome. The new cardinal from Poland was the Archbishop of Kraków, Karol Wojtyla, who would, in 1978, become Pope John Paul II. Biographer Garry O'Connor would later write that the appointment came a year after Polish leader Wladyslaw Gomulka had blocked the Pope from visiting for the 1966 millennial celebration of Christianity in Poland, and that "Paul took his revenge on Gomulka, if popes may be said to do this."
What would have been John F. Kennedy's 50th birthday was honored by the issuance of a new, 13-cent postage stamp bearing the late President's likeness. Because of the Memorial Day holiday, U.S. post offices were not open.
NASA announced that Langley Research Center (LaRC) had selected Northrop Ventura Company to negotiate a contract to conduct a research program (including flight tests) of a flexible parawing for potential use in crewed spacecraft landing systems. Northrop Ventura would evaluate the suitability of using a parawing (instead of conventional parachutes) to allow controlled descent in a shallow glide and thus offer wide flexibility in choosing a touchdown point, as well as provide a soft landing impact. The parawing would be evaluated for possible use on the Apollo Applications Program during the early 1970s to achieve a true land-landing mission capability.
Born: Noel Gallagher, English rock musician and guitarist for Oasis; in Manchester
Died: G. W. Pabst, 81, Austrian theater and film director
May 30, 1967 (Tuesday)
In Cairo, King Hussein of Jordan made the fateful decision to sign a five-year mutual defense pact with Egypt, placing Jordan's regular army, the Arab Legion, under President Nasser's command in the event of a war with Israel. Israeli Foreign Minister Abba Eban would say later that King Hussein's trip to Cairo was "the final step that ensured the inevitability of war", and that until then, Israel had planned to leave Jordan (including the West Bank and East Jerusalem) out of the conflict. Eban would write that "Hussein had now thoughtlessly renounced this immunity."
At 2:00 in the morning, Lt. Colonel Odumegwu Ojukwu of the Nigerian Army addressed civilian and military leaders, diplomats, and journalists at the State House in the regional capital of Enugu and announced that he was proclaiming "that the territory and region known as and called Eastern Nigeria, together with her continental shelf and territorial waters, shall henceforth be an independent and sovereign state of the name and title of the Republic of Biafra." An announcement on the radio followed three hours later to the 14,000,000 residents "whose lives would soon be ravaged by one of the most violent conflicts in African history."
On the small West Indies island of Anguilla, local residents who were angry about the assignment of their colony to the administration of neighboring Saint Kitts and Nevis invaded police headquarters in the island's capital, The Valley, and fired the 13 policemen from St. Kitts and the resident colonial administrator, Vincent F. Byron. Byron and the police were sent back to St. Christopher on a boat the next day. "This 'act of revolution'", a writer would note later, "was dealt with in typically heavy-handed fashion by the British government".
At the United States Penitentiary outside of Lewisburg, Pennsylvania, according to FBI files, an inmate informer reportedly heard former Teamsters Union boss Jimmy Hoffa tell two other inmates that he had arranged a contract for murder on Senator Robert F. Kennedy and that Hoffa said "if he ever gets in the primaries or ever gets elected, the contract will be fulfilled within six months." Kennedy would be assassinated a little more than a year later after winning the California presidential primary.
May 31, 1967 (Wednesday)
The first Black Shield operation, reconnaissance photography from of surface-to-air missile (SAM) sites in North Vietnam by Lockheed A-12 jets, was performed by U.S. Air Force pilot Mel Vojvodich. He took off from Kadena Air Base at Okinawa, refueled at , then flew over Haiphong, Hanoi and Dien Bien Phu, refueled again over Thailand, then flew over the area above the DMZ, photographing 70 of the 190 known SAM bases.
Born:
Phil Keoghan, New Zealand-born American TV host of The Amazing Race; in Lincoln, Selwyn District
Kenny Lofton, American major league outfielder and stolen base leader; in East Chicago, Indiana
Died: Billy Strayhorn, 51, American jazz composer, from esophageal cancer
References
1967
1967-05
1967-05 |
```javascript
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
var global = this;
;(function () {
var calledDelete = false;
var calledGet = false;
var calledHas = false;
var calledSet = false;
var target = {};
var assertEquals = global.assertEquals;
var proxy = new Proxy(target, {
has(target, property) {
calledHas = true;
return Reflect.has(target, property);
},
get(target, property, receiver) {
calledGet = true;
return Reflect.get(target, property, receiver);
},
set(targer, property, value, receiver) {
calledSet = true;
return Reflect.set(target, property, value, receiver);
},
delete(target, property, receiver) {
calledDelete = true;
return Reflect.delete(target, property, receiver);
}
});
Object.setPrototypeOf(global, proxy);
getGlobal;
assertTrue(calledGet);
makeGlobal = 2;
assertTrue(calledSet);
"findGlobal" in global;
assertTrue(calledHas);
var deletedOwn = delete makeGlobal;
assertTrue(deletedOwn);
assertEquals(void 0, makeGlobal);
})();
``` |
```c++
#define SOL_ALL_SAFETIES_ON 1
#include <sol/sol.hpp>
#include <iostream>
int main() {
std::cout << "=== override-able member functions ==="
<< std::endl;
struct thingy {
sol::function paint;
thingy(sol::this_state L)
: paint(sol::make_reference<sol::function>(
L.lua_state(), &thingy::default_paint)) {
}
void default_paint() {
std::cout << "p" << std::endl;
}
};
sol::state lua;
lua.open_libraries(sol::lib::base);
lua.new_usertype<thingy>("thingy",
sol::constructors<thingy(sol::this_state)>(),
"paint",
&thingy::paint);
sol::string_view code = R"(
obj = thingy.new()
obj:paint()
obj.paint = function (self) print("g") end
obj:paint()
function obj:paint () print("s") end
obj:paint()
)";
lua.safe_script(code);
std::cout << std::endl;
return 0;
}
``` |
This is a list of people with the surname Lloyd.
A
Albert Lancaster Lloyd (1908–1982), English ethnomusicologist
Alex Lloyd (born 1974), Australian singer-songwriter
Alex Lloyd (born 1984), IndyCar race driver
Alice Spencer Geddes Lloyd (1876–1962), American social reformer
Andrew Lloyd Webber, Baron Lloyd-Webber (born 1948), English composer of musical theatre
Anthony Lloyd (born 1984), English footballer
B
Benjamin Lloyd (1839–after 1865), Coal Heaver in the Union Navy during the American Civil War
Bertram Lloyd (1881–1944), English naturalist, humanitarian, vegetarian and campaigner for animal rights
Bill Lloyd, American soccer coach
Blake Lloyd, Canadian engineer
Bobby Lloyd ( 1888–1930), Welsh international rugby union player
C
Cariad Lloyd (born 1982), British actress and comedian
Carli Lloyd (born 1982), American soccer player
Carli Lloyd (volleyball) (born 1989), American volleyball player
Charles W. Lloyd (1915–1999), educationalist and headmaster of Dulwich College
Cher Lloyd (born 1993), English singer
Christopher Lloyd (born 1938), American character actor
Christopher Lloyd (born 1960), American TV writer and producer
Clive Lloyd (born 1944), West Indian cricketer
Colin Lloyd (born 1973], English darts player
Connie Lloyd (1895-1982), artist from New Zealand who specialised in etching
Constance Lloyd (1859–1898), English author
D
Daniel Lloyd (born 1980), English professional road racing cyclist
Daniel Lloyd (born 1982), bilingual Welsh actor and singer-songwriter
Daniel Lloyd (born 1992), British racing car driver
Daniel B. Lloyd, retired United States Coast Guard Rear Admiral
Danielle Lloyd (born 1983), British glamour model
Danny Lloyd (born 1973), American child actor
David Lloyd (born 1948), former professional tennis player and founder of the David Lloyd Tennis Clubs
David Lloyd George, 1st Earl Lloyd George of Dwyfor (1863–1945), British politician and prime minister
Dennis Lloyd (born 1993), Israeli singer and music producer
Dennis Lloyd, Baron Lloyd of Hampstead (1915–1992), British jurist and peer
E
Edward LLoyd
Edward Lloyd ( 1648–1713), first proprietor of Lloyd's Coffee House in London
Edward Lloyd (1670–1718), British colonial governor of Maryland
Edward Lloyd (1744–1796), Maryland delegate to the Continental Congress
Edward Lloyd (1779–1834), governor of The U.S. state of Maryland
Edward Lhuyd (1660–1709), Welsh naturalist, botanist, linguist, geographer and antiquary
Elizabeth Jane Lloyd (1928–1995), British artist
Emily Lloyd
Emily Ann Lloyd, (born 1984), American actress
Emily Lloyd (born 1970), English actress
Emily Lloyd (chemist) (1860–1912), English chemist
Emily Lloyd (curler), (born 1996), Canadian curler
Emily Lloyd-Saini, British comedian, writer and actress
Ernest Marsh Lloyd (1840–1922), British soldier and historian
Errol Lloyd (born 1943), Jamaican-born artist, writer and art critic
Etta Belle Lloyd (1860–1929), American civic leader
F
Frank Lloyd (1886–1960), English/American film director and producer
Frank Lloyd (born 1952), British horn player and teacher
Frank Lloyd III (1929–1995), Australian actor
Frank Lloyd Wright (1867–1959), American architect
G
Gareth David-Lloyd (born 1981), Welsh actor
Gaylord Lloyd (1888–1943), American actor
Genevieve Lloyd (born 1941), Australian philosopher and feminist
Geoff Lloyd, (born 1973), British radio DJ
Geoffrey Lloyd, Baron Geoffrey-Lloyd (1902–1984), British Conservative Party politician
George Lloyd (archaeologist) (1820–1885), British priest and archaeologist
George Lloyd (bishop of Chester) (1560–1615), Welsh Anglican bishop
George Lloyd (bishop of Saskatchewan) (1861–1940), Anglican bishop and theologian
George Lloyd (composer) (1913–1998), British late-Romantic composer
George Lloyd (politician) (1815–1897), member for Newcastle, New South Wales
George Ambrose Lloyd, 1st Baron Lloyd (1879–1941), British High Commissioner of Egypt
Georgia Lloyd (1913–1999), American pacifist, writer
Gordon W. Lloyd (1832–1905), English/American architect
Gweneth Lloyd (1901–1993), cofounder of Royal Winnipeg Ballet
Gwilym Lloyd George (1894–1967), British politician
H
Harold Lloyd (1893–1971), American actor and filmmaker known for his silent film comedies
Henry Lloyd (1852–1920), governor of Maryland
Henry Lloyd (1911–2001), Anglican priest
Henry Lloyd ( 1718–1783), Welsh army officer and military writer
Henry Demarest Lloyd (1847–1903), American journalist
Henry J. Lloyd (1794–1853), English amateur cricketer
Hiram Lloyd (1863-1942), lieutenant governor of the U.S. state of Missouri
H. S. Lloyd (1887–1963), British dog breeder
J
Jake Lloyd (born 1989), American actor
James Lloyd (disambiguation), multiple people
Jess Lloyd (born 1995), British swimmer
Jessica Raine (born 1982), real name Jessica Lloyd, English actress
Jim Lloyd (born 1954), Australian politician
John Lloyd (born 1954), British tennis player
John Lloyd (born 1943), former head coach to Wales national rugby union team
John M. Lloyd (1835–1892), American police officer, tavern owner, and bricklayer, known for testifying in the Abraham Lincoln assassination conspiracy trials
Josie Lloyd (1940–2020), American actress
Julian Lloyd Webber (born 1951), composer, cellist & brother of Andrew Lloyd Webber
K
Kanoa Lloyd (born 1986), television and radio presenter from New Zealand
Kyle Lloyd (born 1990), American baseball player
L
Larry Lloyd (born 1948), English footballer
Lewis Lloyd (1959–2019), American basketball player
Llewellyn Lloyd (1877–1958), Welsh international rugby union player
Lucy Lloyd (1834–1914) creator along with Wilhelm Bleek of the 19th century archive of ǀXam and !kun texts
M
Marilyn Lloyd (1929-2018), American politician
Mary Helen Wingate Lloyd (1868–1934), American horticulturist
Marie Lloyd (1870–1922), music hall singer
Matthew Lloyd (born 1978), Australian rules footballer and Coleman Medallist
N
Nicholas Lloyd (born 1942), British journalist
Norman Lloyd (disambiguation), multiple people
P
Patrick Lloyd (2004- until), High school shot put and discus thrower.
Peggy Lloyd (1913–2011), American stage actress
Percy Lloyd (1871–1959), Wales national rugby player
Peter Lloyd (born 1966), Australian journalist
R
Rachel Lloyd (1839-1900), American chemist
Raymond Lloyd (born 1964), American professional wrestler better known as Glacier
Richard Lloyd (disambiguation), multiple people
Richard Hey Lloyd (1933–2021), British organist and composer
Ridgway Robert Syers Christian Codner Lloyd (1842–1884), English physician and antiquary
Robert Lloyd (disambiguation), multiple people
S
Sabrina Lloyd (born 1970), American actor
Sam Lloyd (1963–2020), American character actor and nephew of Christopher Lloyd
Sampson Lloyd (1699–1779), English iron manufacturer and co-founder Lloyds Bank
Samuel Loyd (1841–1911), American puzzle author and recreational mathematician
Sarah J. Lloyd (1896–19??), Welsh artist
Selwyn Lloyd, Baron Selwyn-Lloyd (1904–1978) British politician and general
Seth Lloyd (born 1960), American professor of mechanical engineering at MIT
Seton Lloyd (1902–1996), British archaeologist
Sian Lloyd (born 1972), Welsh television news presenter
Siân Lloyd (born 1958), Welsh weather presenter
Suzanne Lloyd (born 1934), Canadian actress
T
Terry Lloyd (1952–2003), British television journalist killed in Iraq
Thomas Lloyd (1756–1827), stenographer, known as the "father of American shorthand"
Tommy Lloyd (born 1974), American basketball coach
V
Vanessa Lloyd-Davies (1960–2005), British doctor, equestrian and soldier
W
William Lloyd (disambiguation), multiple people
Surnames of Welsh origin
Celtic-language surnames
Surnames of British Isles origin
Lists of people by surname |
```ruby
class Symlinks < Formula
desc "Symbolic link maintenance utility"
homepage "path_to_url"
url "path_to_url"
sha256 your_sha256_hash
license "MIT"
bottle do
sha256 cellar: :any_skip_relocation, arm64_sonoma: your_sha256_hash
sha256 cellar: :any_skip_relocation, arm64_ventura: your_sha256_hash
sha256 cellar: :any_skip_relocation, arm64_monterey: your_sha256_hash
sha256 cellar: :any_skip_relocation, arm64_big_sur: your_sha256_hash
sha256 cellar: :any_skip_relocation, sonoma: your_sha256_hash
sha256 cellar: :any_skip_relocation, ventura: your_sha256_hash
sha256 cellar: :any_skip_relocation, monterey: your_sha256_hash
sha256 cellar: :any_skip_relocation, big_sur: your_sha256_hash
sha256 cellar: :any_skip_relocation, x86_64_linux: your_sha256_hash
end
def install
system "make", "install"
bin.install "symlinks"
man8.install "symlinks.8"
end
test do
assert_match "->", shell_output("#{bin}/symlinks -v #{__dir__}/../../Aliases")
end
end
``` |
Pol Antràs Puchal (born June 30, 1975, in Barcelona, Spain) is a Spanish economist. He is Robert G. Ory Professor of Economics at Harvard University, where he has taught since 2003.
He received his BA and MSc in economics in 1998 and 1999, respectively, from Pompeu Fabra University Barcelona and his PhD in economics from MIT in 2003. He is a research associate at the National Bureau of Economic Research (NBER), where he served as director of the International Trade and Organization (ITO) Working Group. He is also a research affiliate at the Centre for Economic Policy Research (CEPR) and is a member of CESifo’s Research Network. Since 2015, he has served as editor of the Quarterly Journal of Economics, the peer-reviewed journal with the highest impact factor in the field of economics.
Early life and education
A citizen of Spain, Antràs grew up in Barcelona attending Aula Escola Europea from 1978 until 1993. After a year in New Mexico as a foreign exchange student at the Albuquerque Academy, he attended Universitat Pompeu Fabra in Barcelona, receiving his BA in 1998 and MSc in Economics in 1999, in both cases graduating with honors. He was awarded a PhD in Economics from the Massachusetts Institute of Technology in 2003.
Research
Antràs is a renowned international trade economist, particularly known for his contributions to the so-called "New" New Trade Theory, which stresses the importance of firms rather than sectors in understanding the challenges and the opportunities countries face in the age of globalization. In his 2003 Ph.D. thesis, Antràs developed a workhorse model of multinational firms and global sourcing that emphasizes the role of contractual frictions in shaping the international organization of production. Much of his early work on the topic is overviewed in his book Firms, Contracts and Trade Structure (2015, Princeton University Press).
More recently, Antràs’ research has focused on understanding the emergence of global value chains. His work has specifically emphasized the sequential nature of certain production processes, and the implications of this sequentiality for the global sourcing decisions of firms, and for the implications of trade wars. Together with Davin Chor, he developed an influential model of global value chains, while also developing a widely used measure of the position (or upstreamness) of industries in global value chains. This work was the basis of his 2018 Ohlin Lecture at the Stockholm School of Economics.
Other activities
Barcelona School of Economics, Member of the Scientific Council (since 2022)
Since 2015, Antràs has served as editor of the Quarterly Journal of Economics. Previously he served on the editorial board of the American Economic Review, the Review of Economic Studies, the Journal of International Economics, and the Annual Review of Economics, among other journals.
Recognition
Among other distinctions, Antràs was awarded an Alfred P. Sloan Research Fellowship in 2007 and the Fundación Banco Herrero Prize in 2009, and he was elected Fellow of the Econometric Society in 2015.
References
External links
official Harvard profile
Economists from Catalonia
21st-century Spanish economists
1975 births
Living people
People from Barcelona
Harvard University faculty
Pompeu Fabra University alumni
MIT School of Humanities, Arts, and Social Sciences alumni
Fellows of the Econometric Society
Economics journal editors |
```c
/*====================================================================*
-
- Redistribution and use in source and binary forms, with or without
- modification, are permitted provided that the following conditions
- are met:
- 1. Redistributions of source code must retain the above copyright
- notice, this list of conditions and the following disclaimer.
- 2. Redistributions in binary form must reproduce the above
- copyright notice, this list of conditions and the following
- disclaimer in the documentation and/or other materials
- provided with the distribution.
-
- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
- ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL ANY
- CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
- EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
- PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
- OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*====================================================================*/
/*
* recog_bootnum.c
*
* This does two things:
*
* (1) It makes bootnum1.pa and bootnum2.pa from stored labelled data.
*
* (2) Using these, as well as bootnum3.pa, it makes code for
* generating and compiling the the pixas, which are used by the
* boot digit recognizer.
* The output of the code generator is files such as autogen_101.*.
* These files have been edited to combine the .c and .h files into
* a single .c file:
* autogen_101.* --> src/bootnumgen1.c
* autogen_102.* --> src/bootnumgen2.c
* autogen_103.* --> src/bootnumgen3.c
*
* To add another set of templates to bootnumgen1.c:
* (a) Add a new .pa file: prog/recog/digits/digit_setN.pa (N > 15)
* (b) Add code to MakeBootnum1() for this set, selecting with the
* string those templates you want to use.
* (c) Run recog_bootnum.
* * This makes a new /tmp/lept/recog/digits/bootnum1.pa.
* Replace prog/recog/digits/bootnum1.pa with this.
* * This makes new files: /tmp/lept/auto/autogen.101.{h,c}.
* The .h file is the only one we need to use.
* Replace the encoded string in src/bootnumgen1.c with the
* one in autogen.101.h, and recompile.
*/
#ifdef HAVE_CONFIG_H
#include <config_auto.h>
#endif /* HAVE_CONFIG_H */
#include "allheaders.h"
#include "bmfdata.h"
static PIXA *MakeBootnum1(void);
static PIXA *MakeBootnum2(void);
l_int32 main(int argc,
char **argv)
{
PIX *pix1;
PIXA *pixa1, *pixa2, *pixa3;
L_STRCODE *strc;
if (argc != 1) {
lept_stderr(" Syntax: recog_bootnum\n");
return 1;
}
setLeptDebugOK(1);
lept_mkdir("lept/recog/digits");
/* ----------------------- Bootnum 1 --------------------- */
/* Make the bootnum pixa from the images */
pixa1 = MakeBootnum1();
pixaWrite("/tmp/lept/recog/digits/bootnum1.pa", pixa1);
pix1 = pixaDisplayTiledWithText(pixa1, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 100, 0);
pixDestroy(&pix1);
pixaDestroy(&pixa1);
/* Generate the code to make the bootnum1 pixa.
* Note: the actual code we use is in bootnumgen1.c, and
* has already been compiled into the library. */
strc = strcodeCreate(101); /* arbitrary integer */
strcodeGenerate(strc, "/tmp/lept/recog/digits/bootnum1.pa", "PIXA");
strcodeFinalize(&strc, "/tmp/lept/auto");
lept_free(strc);
/* Generate the bootnum1 pixa from the generated code */
pixa1 = l_bootnum_gen1();
pix1 = pixaDisplayTiledWithText(pixa1, 1500, 1.0, 10, 2, 6, 0xff000000);
/* pix1 = pixaDisplayTiled(pixa1, 1500, 0, 30); */
pixDisplay(pix1, 100, 0);
pixDestroy(&pix1);
/* Extend the bootnum1 pixa by erosion */
pixa3 = pixaExtendByMorph(pixa1, L_MORPH_ERODE, 2, NULL, 1);
pix1 = pixaDisplayTiledWithText(pixa3, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 100, 0);
pixDestroy(&pix1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa3);
/* ----------------------- Bootnum 2 --------------------- */
/* Read bootnum 2 */
pixa2 = pixaRead("recog/digits/bootnum2.pa");
pixaWrite("/tmp/lept/recog/digits/bootnum2.pa", pixa2);
pix1 = pixaDisplayTiledWithText(pixa2, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 100, 700);
pixDestroy(&pix1);
pixaDestroy(&pixa2);
/* Generate the code to make the bootnum2 pixa.
* Note: the actual code we use is in bootnumgen2.c. */
strc = strcodeCreate(102); /* another arbitrary integer */
strcodeGenerate(strc, "/tmp/lept/recog/digits/bootnum2.pa", "PIXA");
strcodeFinalize(&strc, "/tmp/lept/auto");
lept_free(strc);
/* Generate the bootnum2 pixa from the generated code */
pixa2 = l_bootnum_gen2();
/* pix1 = pixaDisplayTiled(pixa2, 1500, 0, 30); */
pix1 = pixaDisplayTiledWithText(pixa2, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 100, 700);
pixDestroy(&pix1);
pixaDestroy(&pixa2);
/* ----------------------- Bootnum 3 --------------------- */
/* Read bootnum 3 */
pixa1 = pixaRead("recog/digits/bootnum3.pa");
pix1 = pixaDisplayTiledWithText(pixa1, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 1000, 0);
pixDestroy(&pix1);
pixaDestroy(&pixa1);
/* Generate the code that, when deserializes, gives you bootnum3.pa.
* Note: the actual code we use is in bootnumgen3.c, and
* has already been compiled into the library. */
strc = strcodeCreate(103); /* arbitrary integer */
strcodeGenerate(strc, "recog/digits/bootnum3.pa", "PIXA");
strcodeFinalize(&strc, "/tmp/lept/auto");
lept_free(strc);
/* Generate the bootnum3 pixa from the generated code */
pixa1 = l_bootnum_gen3();
pix1 = pixaDisplayTiledWithText(pixa1, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 1000, 0);
pixDestroy(&pix1);
/* Extend the bootnum3 pixa twice by erosion */
pixa3 = pixaExtendByMorph(pixa1, L_MORPH_ERODE, 2, NULL, 1);
pix1 = pixaDisplayTiledWithText(pixa3, 1500, 1.0, 10, 2, 6, 0xff000000);
pixDisplay(pix1, 1000, 0);
pixDestroy(&pix1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa3);
#if 0
pixa1 = l_bootnum_gen1();
/* pixa1 = pixaRead("recog/digits/bootnum1.pa"); */
pixaWrite("/tmp/lept/junk.pa", pixa1);
pixa2 = pixaRead("/tmp/lept/junk.pa");
pixaWrite("/tmp/lept/junk1.pa", pixa2);
pixa3 = pixaRead("/tmp/lept/junk1.pa");
n = pixaGetCount(pixa3);
for (i = 0; i < n; i++) {
pix = pixaGetPix(pixa3, i, L_CLONE);
lept_stderr("i = %d, text = %s\n", i, pixGetText(pix));
pixDestroy(&pix);
}
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixaDestroy(&pixa3);
#endif
return 0;
}
PIXA *MakeBootnum1(void)
{
const char *str;
PIXA *pixa1, *pixa2, *pixa3;
pixa1 = pixaRead("recog/digits/digit_set02.pa");
str = "10, 27, 35, 45, 48, 74, 79, 97, 119, 124, 148";
pixa3 = pixaSelectWithString(pixa1, str, NULL);
pixaDestroy(&pixa1);
pixa1 = pixaRead("recog/digits/digit_set03.pa");
str = "2, 15, 30, 50, 60, 75, 95, 105, 121, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set05.pa");
str = "0, 15, 30, 49, 60, 75, 90, 105, 120, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set06.pa");
str = "4, 15, 30, 48, 60, 78, 90, 105, 120, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set07.pa");
str = "3, 15, 30, 45, 60, 77, 78, 91, 105, 120, 149";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set08.pa");
str = "0, 20, 30, 45, 60, 75, 90, 106, 121, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set09.pa");
str = "0, 20, 32, 47, 54, 63, 75, 91, 105, 125, 136";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set11.pa");
str = "0, 15, 36, 46, 62, 63, 76, 91, 106, 123, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set12.pa");
str = "1, 20, 31, 45, 61, 75, 95, 107, 120, 135";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set13.pa");
str = "1, 16, 31, 48, 63, 78, 98, 105, 123, 136";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set14.pa");
str = "1, 14, 24, 37, 53, 62, 74, 83, 98, 114";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
pixa1 = pixaRead("recog/digits/digit_set15.pa");
str = "0, 1, 3, 5, 7, 8, 13, 25, 35";
pixa2 = pixaSelectWithString(pixa1, str, NULL);
pixaJoin(pixa3, pixa2, 0, -1);
pixaDestroy(&pixa1);
pixaDestroy(&pixa2);
return pixa3;
}
PIXA *MakeBootnum2(void)
{
char *fname;
l_int32 i, n, w, h;
BOX *box;
PIX *pix;
PIXA *pixa;
L_RECOG *recog;
SARRAY *sa;
/* Phase 1: generate recog from the digit data */
recog = recogCreate(0, 40, 0, 128, 1);
sa = getSortedPathnamesInDirectory("recog/bootnums", "png", 0, 0);
n = sarrayGetCount(sa);
for (i = 0; i < n; i++) {
/* Read each pix: grayscale, multi-character, labelled */
fname = sarrayGetString(sa, i, L_NOCOPY);
if ((pix = pixRead(fname)) == NULL) {
lept_stderr("Can't read %s\n", fname);
continue;
}
/* Convert to a set of 1 bpp, single character, labelled */
pixGetDimensions(pix, &w, &h, NULL);
box = boxCreate(0, 0, w, h);
recogTrainLabeled(recog, pix, box, NULL, 0);
pixDestroy(&pix);
boxDestroy(&box);
}
recogTrainingFinished(&recog, 1, -1, -1.0);
sarrayDestroy(&sa);
/* Phase 2: generate pixa consisting of 1 bpp, single character pix */
pixa = recogExtractPixa(recog);
pixaWrite("/tmp/lept/recog/digits/bootnum2.pa", pixa);
recogDestroy(&recog);
return pixa;
}
``` |
Kiefhoek is a neighborhood of Rotterdam, Netherlands.
Neighbourhoods of Rotterdam |
The 2019 Chicago White Sox season was the club's 120th season in Chicago and 119th in the American League. The Sox played their home games at Guaranteed Rate Field. It was the final season of gameday broadcasts on WGN-TV, bringing to a close an era of periodic White Sox free-to-air broadcasts to its fans all over the city, as beginning in 2020 the White Sox will broadcast almost all its home and away games on both NBC Sports Chicago and NBC Sports Chicago+. Although they improved on their 62-100 record from the previous season, they missed the playoffs for the 11th straight year.
Regular season
Game log
|-style=background:#fbb
|| 1 || March 28 || @ Royals || 3:15pm || 3–5 || Keller (1–0) || Rodón (0–1) || Boxberger (1) || 31,675 || 0–1 || L1
|-style=background:#fbb
|| 2 || March 30 || @ Royals || 1:15pm || 6–8 || Junis (1–0) || López (0–1) || Kennedy (1) || 13,533 || 0–2 || L2
|-style=background:#bfb
|| 3 || March 31 || @ Royals || 1:15pm || 6–3 || Giolito (1–0) || López (0–1) || Colomé (1) || 12,669 || 1–2 || W1
|-style=background:#fbb
|| 4 || April 1 || @ Indians || 3:10pm || 3–5 || Edwards (2–0) || Covey (0–1) || Hand (2) || 34,519 || 1–3 || L1
|-style=background:#bfb
|| 5 || April 3 || @ Indians || 12:10pm || 8–3 || Rodón (1–1) || Kluber (0–2) || — || 10,689 || 2–3 || W1
|-style=background:#bbb
|| – || April 4 || Mariners || 1:10pm ||colspan=7| Postponed (Inclement Weather, makeup date on April 5)
|-style=background:#bfb
|| 6 || April 5 || Mariners || 1:10pm || 10–8 || Burr (1–0) || Gearrin (0–1) || Colomé (2) || 32,723 || 3–3 || W2
|-style=background:#fbb
|| 7 || April 6 || Mariners || 1:10pm || 2–9 || Leake (2–0) || Giolito (1–1) || — || 31,286 || 3–4 || L1
|-style=background:#fbb
|| 8 || April 7 || Mariners || 1:10pm || 5–12 || LeBlanc (2–0) || Nova (0–1) || — || 12,509 || 3–5 || L2
|-style=background:#fbb
|| 9 || April 8 || Rays || 1:10pm || 1–5 || Snell (2–1) || Rodón (1–2) || Wood (1) || 11,734 || 3–6 || L3
|-style=background:#fbb
|| 10 || April 9 || Rays || 1:10pm || 5–10 || Morton (2–0) || Santana (0–1) || — || 10,799 || 3–7 || L4
|-style=background:#fbb
|| 11 || April 10 || Rays || 1:10pm || 1–9 || Glasnow (3–0) || López (0–2) || Beeks (1) || 11,107 || 3–8 || L5
|-style=background:#bfb
|| 12 || April 12 || @ Yankees || 6:05pm || 9–6 (7) || Giolito (2–1) || Happ (0–2) || Jones (1) || 40,913 || 4–8 || W1
|-style=background:#fbb
|| 13 || April 13 || @ Yankees || 12:05pm || 0–4 || Germán (3–0) || Nova (0–2) || — || 41,176 || 4–9 || L1
|-style=background:#bfb
|| 14 || April 14 || @ Yankees || 12:05pm || 5–2 || Rodón (2–2) || Tanaka (1–1) || Colomé (3) || 40,104 || 5–9 || W1
|-style=background:#bfb
|| 15 || April 15 || Royals || 7:10pm || 5–4 || Bañuelos (1–0) || Boxberger (0–3) || Colomé (4) || 12,553 || 6–9 || W2
|-style=background:#bfb
|| 16 || April 16 || Royals || 7:10pm || 5–1 || López (1–2) || López (0–2) || — || 13,583 || 7–9 || W3
|-style=background:#fbb
|| 17 || April 17 || Royals || 1:10pm || 3–4 (10) || Peralta (2–1) || Jones (0–1) || Barlow (1) || 14,358 || 7–10 || L1
|-style=background:#fbb
|| 18 || April 18 || @ Tigers || 12:10pm || 7–9 || VerHagen (1–0) || Fulmer (0–1) || Greene (9) || 14,320 || 7–11 || L2
|-style=background:#bfb
|| 19 || April 19 || @ Tigers || 6:10pm || 7–3 || Rodón (3–2) || Zimmermann (0–3) || — || 14,568 || 8–11 || W1
|-style=background:#bbb
|| – || April 20 || @ Tigers || 12:10pm ||colspan=7| Postponed (Rain, makeup date on August 6)
|-style=background:#fbb
|| 20 || April 21 || @ Tigers || 12:10pm || 3–4 || Norris (1–0) || López (1–3) || Greene (10) || 15,686 || 8–12 || L1
|-style=background:#bfb
|| 21 || April 22 || @ Orioles || 6:05pm || 12–2 || Fry (1–0) || Hess (1–4) || — || 8,555 || 9–12 || W1
|-style=background:#fbb
|| 22 || April 23 || @ Orioles || 6:05pm || 1–9 || Cashner (4-1) || Nova (0-3) || — || 8,953 || 9–13 || L1
|-style=background:#fbb
|| 23 || April 24 || @ Orioles || 6:05pm || 3–4 || Means (3-2) || Santana (0-2) || Givens (1) || 10,555 || 9–14 || L2
|-style=background:#bfb
|| 24 || April 26 || Tigers || 7:10pm || 12–11 || Colomé (1–0) || Jiménez (1–1) || — || 18,016 || 10–14 ||W1
|-style=background:#bbb
|| – || April 27 || Tigers || 6:10pm ||colspan=7| Postponed (Inclement Weather, makeup date on July 3)
|-style=background:#bfb
|| 25 || April 28 || Tigers || 1:10pm || 4–1 || López (2–3) || Boyd (2–2) || Colomé (5) || 14,539 || 11–14 || W2
|-style=background:#bfb
|| 26 || April 29 || Orioles || 7:10pm || 5–3 || Bañuelos (2–0) || Means (3–3) || Colomé (6) || 14,717 || 12–14 ||W3
|-style=background:#bbb
|| – || April 30 || Orioles || 7:10pm ||colspan=7| Postponed (Inclement Weather, makeup date on May 1)
|-
|-style=background:#fbb
|| 27 || May 1 || Orioles || 3:10pm || 4–5 || Kline (1–0) || Herrera (0–1) || Givens (2) || TBA G2 || 12–15 || L1
|-style=background:#bfb
|| 28 || May 1 || Orioles || 7:30pm || 7–6 || Vieira (1–0) || Phillips (0–1) || — || 14,781 || 13–15 || W1
|-style=background:#bfb
|| 29 || May 2 || Red Sox || 7:10pm || 6–4 || Fulmer (1–1) || Brasier (1–1) || — || 15,118 || 14–15 || W1
|-style=background:#fbb
|| 30 || May 3 || Red Sox || 7:10pm || 1–6 || Sale (1–5) || López (2–4) || — || 17,504 || 14–16 || L1
|-style=background:#fbb
|| 31 || May 4 || Red Sox || 6:10pm || 2–15 || Rodríguez (3–2) || Bañuelos (2–1) || — || 30,068 || 14–17 || L2
|-style=background:#fbb
|| 32 || May 5 || Red Sox || 1:10pm || 2–9 || Workman (2–1) || Herrera (0–2) || — || 36,553 || 14–18 || L3
|-style=background:#bfb
|| 33 || May 6 || @ Indians || 5:10pm || 9–1 || Nova (1–3) || Bauer (4–2) || — || 12,745 || 15–18 || W1
|-style=background:#bfb
|| 34 || May 7 || @ Indians || 5:10pm || 2–0 || Giolito (3–1) || Rodríguez (0–2) || Colomé (7) || 12,961 || 16–18 || W2
|-style=background:#fbb
|| 35 || May 8 || @ Indians || 5:10pm || 3–5 || Hand (2–1) || Fry (1–1) || — || 12,519 || 16–19 || L1
|-style=background:#fbb
|| 36 || May 9 || @ Indians || 12:10pm || 0–5 (6) || Carrasco (3–3) || Bañuelos (2–2) || — || 13,247 || 16–20 || L2
|-style=background:#fbb
|| 37 || May 10 || @ Blue Jays || 6:07pm || 3–4 || Biagini (2–1) || Covey (0–2) || Giles (9) || 20,402 || 16–21 || L3
|-style=background:#bfb
|| 38 || May 11 || @ Blue Jays || 2:07pm || 7–2 || Nova (2–3) || Stroman (1–6) || — || 24,563 || 17–21 || W1
|-style=background:#bfb
|| 39 || May 12 || @ Blue Jays || 12:07pm || 5–1 || Giolito (4–1) || Sanchez (3–4) || — || 24,222 || 18–21 || W2
|-style=background:#bfb
|| 40 || May 13 || Indians || 7:10pm || 5–2 || López (3–4) || Bieber (2–2) || Colomé (8) || 16,471 || 19–21 || W3
|-style=background:#fbb
|| 41 || May 14 || Indians || 1:10pm || 0–9 || Carrasco (4–3) || Bañuelos (2–3) || — || 18,823 || 19–22 || L1
|-style=background:#bfb
|| 42 || May 16 || Blue Jays || 7:10pm || 4–2 || Herrera (1–2) || Law (0–1) || Colomé (9) || 20,119 || 20–22 || W1
|-style=background:#fbb
| 43 || May 17 || Blue Jays || 7:10pm || 2–10 || Gaviglio (3–0) || Nova (2–4) || Guerra (1) || 17,078 || 20–23 || L1
|-style=background:#bfb
|| 44 || May 18 || Blue Jays || 1:10pm || 4–1 (5) || Giolito (5–1) || Feierabend (0–1) || — || 22,908 || 21–23 || W1
|-style=background:#fbb
|| 45 || May 19 || Blue Jays || 1:10pm || 2–5 || Hudson (3–1) || Herrera (1–3) || Giles (10) || 18,605 || 21–24 || L1
|-style=background:#fbb
|| 46 || May 20 || @ Astros || 7:10pm || 0–3 || Peacock (5–2) || Burr (1–1) || Osuna (12) || 24,364 || 21–25 || L2
|-style=background:#fbb
|| 47 || May 21 || @ Astros || 7:10pm || 1–5 || Verlander (8–1) || Covey (0–3) || — || 31,392 || 21–26 || L3
|-style=background:#bfb
|| 48 || May 22 || @ Astros || 7:10pm || 9–4 || Nova (3–4) || Cole (4–5) || — || 30,237 || 22–26 || W1
|-style=background:#bfb
|| 49 || May 23 || @ Astros || 7:10pm || 4–0 || Giolito (6–1) || Martin (1–1) || — || 26,073 || 23–26 || W2
|-style=background:#fbb
|| 50 || May 24 || @ Twins || 7:10pm || 4–11 || Berríos (7–2) || López (3–5) || — || 29,638 || 23–27 || L1
|-style=background:#fbb
|| 51 || May 25 || @ Twins || 1:10pm || 1–8 || Gibson (5–2) || Bañuelos (2–4) || — || 39,139 || 23–28 || L2
|-style=background:#fbb
|| 52 || May 26 || @ Twins || 1:10pm || 0–7 || Odorizzi (7–2) || Covey (0–4) || — || 39,913 || 23–29 || L3
|-style=background:#bbb
|| 53 || May 27 || Royals || 1:10pm ||colspan=8| Suspended (inclement weather, continuation scheduled for May 28)
|-style=background:#bfb
|| 53 || May 28 || Royals || 7:10pm || 2–1 || Colomé (2–0) || Diekman (0–2) || — || 13,842 || 24–29 || W1
|-style=background:#bfb
|| 54 || May 28 || Royals || 7:10pm || 4–3 || Giolito (7–1) || Keller (3–6) || Colomé (10) || 13,842 || 25–29 || W2
|-style=background:#bfb
|| 55 || May 29 || Royals || 7:10pm || 8–7 || Herrera (2–3) || Kennedy (0–2) || Colomé (11) || 16,167 || 26–29 || W3
|-style=background:#bfb
|| 56 || May 30 || Indians || 7:10pm || 10–4 || Bañuelos (3–4) || Carrasco (4–6) || — || 22,182 || 27–29 || W4
|-style=background:#bfb
|| 57 || May 31 || Indians || 7:10pm || 6–1 || Covey (1–4) || Bauer (4–5) || — || 21,652 || 28–29 || W5
|-
|-style=background:#fbb
|| 58 || June 1 || Indians || 1:10pm || 2–5 || Pérez (1–0) || Nova (3–5) || Hand (16) || 25,873 || 28–30 || L1
|-style=background:#bfb
|| 59 || June 2 || Indians || 1:10pm || 2–0 || Giolito (8–1) || Plesac (0–1) || Colomé (12) || 26,453 || 29–30 || W1
|-style=background:#fbb
|| 60 || June 4 || @ Nationals || 6:05pm || 5–9 || Strasburg (6–3) || López (3–6) || Doolittle (13) || 32,513 || 29–31 || L1
|-style=background:#fbb
|| 61 || June 5 || @ Nationals || 12:05pm || 4–6 || Doolittle (4–1) || Colomé (2–1) || — || 28,910 || 29–32 || L2
|-style=background:#fbb
|| 62 || June 7 || @ Royals || 7:15pm || 4–6 || Boxberger (1–3) || Fry (1–2) || Kennedy (4) || 24,744 || 29–33 || L3
|-style=background:#bfb
|| 63 || June 8 || @ Royals || 1:15pm || 2–0 || Giolito (9–1) || Keller (3–8) || Colomé (13) || 20,889 || 30–33 || W1
|-style=background:#bfb
|| 64 || June 9 || @ Royals || 1:15pm || 5–2 || López (4–6) || Sparkman (1–2) || — || 22,501 || 31–33 || W2
|-style=background:#fbb
|| 65 || June 10 || Nationals || 7:10pm || 1–12 || Sánchez (2–6) || Despaigne (0–1) || — || 16,305 || 31–34 || L1
|-style=background:#bfb
|| 66 || June 11 || Nationals || 7:10pm || 7–5 || Marshall (1–0) || Corbin (5–5) || Colomé (14) || 16,970 || 32–34 || W1
|-style=background:#bfb
|| 67 || June 13 || Yankees || 7:10pm || 5–4 || Marshall (2–0) || Ottavino (2–2) || Bummer (1) || 25,311 || 33–34 || W2
|-style=background:#bfb
|| 68 || June 14 || Yankees || 7:10pm || 10–2 || Giolito (10–1) || Sabathia (3–4) || — || 31,438 || 34–34 || W3
|-style=background:#fbb
|| 69 || June 15 || Yankees || 6:10pm || 4–8 || Cortes Jr. (1–0) || López (4–7) || — || 36,074 || 34–35 || L1
|-style=background:#fbb
|| 70 || June 16 || Yankees || 1:10pm || 3–10 || Paxton (4–3) || Despaigne (0–2) || — || 37,277 || 34–36 || L2
|-style=background:#bfb
|| 71 || June 18 || @ Cubs || 7:05pm || 3–1 || Marshall (3–0) || Strop (1–3) || Colomé (15) || 41,192 || 35–36 || W1
|-style=background:#fbb
|| 72 || June 19 || @ Cubs || 7:05pm || 3–7 || Lester (6–5) || Giolito (10–2) || — || 39,776 || 35–37 || L1
|-style=background:#bfb
|| 73 || June 21 || @ Rangers || 7:05pm || 5–4 || Herrera (3–3) || Kelley (3–2) || Colomé (16) || 29,333 || 36–37 || W1
|-style=background:#fbb
|| 74 || June 22 || @ Rangers || 8:05pm || 5–6 || Lynn (9–4) || Marshall (3–1) || Martin (3) || 33,582 || 36–38 || L1
|-style=background:#fbb
|| 75 || June 23 || @ Rangers || 2:05pm || 4–7 || Sampson (6–4) || Nova (3–6) || Kelley (10) || 21,917 || 36–39 || L2
|-style=background:#fbb
|| 76 || June 24 || @ Red Sox || 6:10pm || 5–6 || Workman (7–1) || Fry (1–3) || — || 36,117 || 36–40 || L3
|-style=background:#fbb
|| 77 || June 25 || @ Red Sox || 6:10pm || 3–6 || Price (5–2) || Ruiz (0–1) || Workman (3) || 34,470 || 36–41 || L4
|-style=background:#bfb
|| 78 || June 26 || @ Red Sox || 12:05pm || 8–7 || Colomé (3–1) || Barnes (3–3) || — || 36,823 || 37–41 || W1
|-style=background:#bfb
|| 79 || June 28 || Twins || 7:10pm || 6–4 || Detwiler (1–0) || Berríos (8–4) || Colomé (17) || 28,218 || 38–41 || W2
|-style=background:#fbb
|| 80 || June 29 || Twins || 3:12pm || 3–10 || Pineda (5–4) || Nova (3–7) || — || 27,908 || 38–42 || L1
|-style=background:#bfb
|| 81 || June 30 || Twins || 1:10pm || 4–3 || Giolito (11–2) || Thorpe (0–1) || Colomé (18) || 27,244 || 39–42 || W1
|-
|-style=background:#bbb
|| — || July 2 || Tigers || 7:10pm ||colspan=8| Postponed (Inclement Weather, makeup date on September 27)
|-style=background:#bfb
|| 82 || July 3 || Tigers || 1:10pm || 7–5 || Cease (1–0) || Norris (2–8) || Colomé (19) || 26,023 || 40–42 || W2
|-style=background:#bfb
|| 83 || July 3 || Tigers || 7:10pm || 9–6 || Ruiz (1–1) || Ramirez (3–3) || — || 23,161 || 41–42 || W3
|-style=background:#fbb
|| 84 || July 4 || Tigers || 1:10pm || 5–11 || Boyd (6–6) || López (4–8) || — || 25,617 || 41–43 || L1
|-style=background:#fbb
|| 85 || July 6 || Cubs || 6:15pm || 3–6 || Lester (8–6) || Giolito (11–3) || Kimbrel (2) || 38,634 || 41–44 || L2
|-style=background:#bfb
|| 86 || July 7 || Cubs || 1:10pm || 3–1 || Nova (4–7) || Hendricks (7–7) || Colomé (20) || 38,554 || 42–44 || W1
|-style=background:#bbbfff
|| — || July 9 || colspan="10"|90th All-Star Game in Cleveland, OH
|-style=background:#fbb
|| 87 || July 12 || @ Athletics || 9:07pm || 1–5 || Fiers (9–3) || Nova (4–8) || Hendriks (6) || 18,504 || 42–45 || L1
|-style=background:#fbb
|| 88 || July 13 || @ Athletics || 3:07pm || 2–13 || Bassitt (6–4) || Covey (1–5) || — || 22,222 || 42–46 || L2
|-style=background:#fbb
|| 89 || July 14 || @ Athletics || 3:07pm || 2–3 || Hendriks (4–0) || Fry (1–4) || — || 20,350 || 42–47 || L3
|-style=background:#fbb
|| 90 || July 15 || @ Royals || 7:15pm || 2–5 || Junis (5–8) || Giolito (11–4) || Kennedy (14) || 16,006 || 42–48 || L4
|-style=background:#fbb
|| 91 || July 16 || @ Royals || 7:15pm || 0–11 || Sparkman (3–5) || Cease (1–1) || — || 16,557 || 42–49 || L5
|-style=background:#fbb
|| 92 || July 17 || @ Royals || 7:15pm || 5–7 || Duffy (4–5) || Nova (4–9) || Kennedy (15) || 14,340 || 42–50 || L6
|-style=background:#fbb
|| 93 || July 18 || @ Royals || 12:15pm || 5–6 || Keller (6–9) || Detwiler (1–1) || Kennedy (16) || 13,157 || 42–51 || L7
|-style=background:#bfb
|| 94 || July 19 || @ Rays || 6:10pm || 9–2 || López (5–8) || McKay (1–1) || — || 16,971 || 43–51 || W1
|-style=background:#bfb
|| 95 || July 20 || @ Rays || 5:10pm || 2–1 || Fry (2–4) || Kolarek (3–3) || Colomé (21) || 16,338 || 44–51 || W2
|-style=background:#fbb
|| 96 || July 21 || @ Rays || 12:10pm || 2–4 || Snell (6–7) || Cease (1–2) || Kolarek (1) || 14,987 || 44–52 || L1
|-style=background:#bfb
|| 97 || July 22 || Marlins || 7:10pm || 9–1 || Nova (5–9) || Richards (3–12) || — || 14,471 || 45–52 || W1
|-style=background:#fbb
|| 98 || July 23 || Marlins || 7:10pm || 1–5 || Smith (6–4) || Covey (1–6) || — || 14,043 || 45–53 || L1
|-style=background:#fbb
|| 99 || July 24 || Marlins || 7:10pm || 0–2 || Gallen (1–2) || López (5–9) || Romo (17) || 19,098 || 45–54 || L2
|-style=background:#fbb
|| 100 || July 25 || Twins || 7:10pm || 3–10 || Berríos (9–5) || Giolito (11–5) || — || 22,087 || 45–55 || L3
|-style=background:#fbb
|| 101 || July 26 || Twins || 7:10pm || 2–6 || Pineda (7–5) || Cease (1–3) || — || 22,602 || 45–56 || L4
|-style=background:#bfb
|| 102 || July 27 || Twins || 6:10pm || 5–1 || Nova (6–9) || Pérez (8–4) || — || 34,085 || 46–56 || W1
|-style=background:#fbb
|| 103 || July 28 || Twins || 1:10pm || 1–11 || Gibson (10–4) || Covey (1–7) || — || 27,595 || 46–57 || L1
|-style=background:#fbb
|| 104 || July 30 || Mets || 7:10pm || 2–5 || Gsellman (2–2) || Ruiz (1–2) || — || 15,947 || 46–58 || L2
|-style=background:#fbb
|| 105 || July 31 || Mets || 7:10pm || 2–4 || Wilson (2–1) || Colomé (3–2) || Díaz (24) || 25,812 || 46–59 || L3
|-
|-style=background:#fbb
|| 106 || August 1 || Mets || 1:10pm || 0-4 || Wheeler (8-6) || Cease (1-4) || — || 23,477 || 46-60 || L4
|-style=background:#bfb
|| 107 || August 2 || @ Phillies || 6:05pm || 4–3 || Osich (1–0) || Quinn (0–1) || — || 26,635 || 47–60 || W1
|-style=background:#fbb
|| 108 || August 3 || @ Phillies || 6:05pm || 2–3 || Nola (10–2) || Detwiler (1–2) || Pivetta (1) || 32,647 || 47–61 || L1
|-style=background:#bfb
|| 109 || August 4 || @ Phillies || 12:05pm || 10–5 || López (6–9) || Smyly (2–6) || — || 31,562 || 48–61 || W1
|-style=background:#bfb
|| 110 || August 5 || @ Tigers || 6:10pm || 7–4 || Giolito (12–5) || Soto (0–5) || — || 16,942 || 49–61 || W2
|-style=background:#bfb
|| 111 || August 6 || @ Tigers || 12:10pm || 5–3 || Cease (2–4) || Norris (3–9) || Colomé (22) || 18,455 || 50–61 || W3
|-style=background:#fbb
|| 112 || August 6 || @ Tigers || 6:10pm || 6–10 || VerHagen (2–2) || Santiago (1–1) || — || 16,367 || 50–62 || L1
|-style=background:#bfb
|| 113 || August 7 || @ Tigers || 12:10pm || 8–1 || Nova (7–9) || Alexander (0–3) || — || 17,444 || 51–62 || W1
|-style=background:#fbb
|| 114 || August 9 || Athletics || 2:10pm || 0–7 || Fiers (11–3) || Detwiler (1–3) || — || 18,318 || 51–63 || L1
|-style=background:#bfb
|| 115 || August 10 || Athletics || 6:10pm || 3–2 || López (7–9) || Roark (7–8) || Colomé (23) || 27,026 || 52–63 || W1
|-style=background:#fbb
|| 116 || August 11 || Athletics || 1:10pm || 0–2 || Bassitt (8–5) || Giolito (12–6) || Hendriks (12) || 30,951 || 52–64 || L1
|-style=background:#bbb
|| — || August 12 || Astros || 7:10pm || colspan=7| Postponed (Inclement Weather, makeup date on August 13)
|-style=background:#fbb
|| 117 || August 13 || Astros || 3:40pm || 2–6 || Greinke (12–4) || Cease (2–5) || — || N/A || 52–65 || L2
|-style=background:#bfb
|| 118 || August 13 || Astros || 7:10pm || 4–1 || Nova (8–9) || Devenski (2–1) || — || 19,559 || 53–65 || W1
|-style=background:#bfb
|| 119 || August 14 || Astros || 1:10pm || 13–9 || Colomé (4–2) || Pressly (2–3) || — || 18,899 || 54–65 || W2
|-style=background:#fbb
|| 120 || August 15 || @ Angels || 9:07pm || 7–8 || Heaney (2–3) || López (7–10) || Robles (17) || 33,533 || 54–66 || L1
|-style=background:#bfb
|| 121 || August 16 || @ Angels || 9:07pm || 7–2 || Giolito (13–6) || Sandoval (0–1) || — || 39,206 || 55–66 || W1
|-style=background:#fbb
|| 122 || August 17 || @ Angels || 8:07pm || 5–6 || Cole (3–4) || Marshall (3–2) || Robles (18) || 39,419 || 55–67 || L1
|-style=background:#fbb
|| 123 || August 18 || @ Angels || 3:07pm || 2–9 || Canning (5–6) || Cease (2–6) || — || 35,436 || 55–68 || L2
|-style=background:#bfb
|| 124 || August 19 || @ Twins || 7:10pm || 6–4 || Nova (9–9) || Gibson (11–6) || Colomé (24) || 25,564 || 56–68 || W1
|-style=background:#fbb
|| 125 || August 20 || @ Twins || 7:10pm || 4–14 || Pineda (9–5) || López (7–11) || — || 26,798 || 56–69 || L1
|-style=background:#bfb
|| 126 || August 21 || @ Twins || 12:10pm || 4–0 || Giolito (14–6) || Odorizzi (13–6) || — || 31,389 || 57–69 || W1
|-style=background:#bfb
|| 127 || August 22 || Rangers || 7:10pm || 6–1 || Detwiler (2–3) || Jurado (6–10) || — || 18,563 || 58–69 || W2
|-style=background:#bfb
|| 128 || August 23 || Rangers || 7:10pm || 8–3 || Cease (3–6) || Lynn (14–9) || — || 27,016 || 59–69 || W3
|-style=background:#fbb
|| 129 || August 24 || Rangers || 6:10pm || 0–4 || Allard (2–0) || Nova (9–10) || — || 26,454 || 59–70 || L1
|-style=background:#bfb
|| 130 || August 25 || Rangers || 1:10pm || 2–0 || López (8–11) || Burke (0–1) || Colomé (25) || 25,553 || 60–70 || W1
|-style=background:#fbb
|| 131 || August 27 || Twins || 7:10pm || 1–3 || Pineda (10–5) || Giolito (14–7) || Rogers (21) || 12,175 || 60–71 || L1
|-style=background:#fbb
|| 132 || August 28 || Twins || 7:10pm || 2–8 || Odorizzi (14–6) || Detwiler (2–4) || — || 16,802 || 60–72 || L2
|-style=background:#fbb
|| 133 || August 29 || Twins || 1:10pm || 5–10 || Berríos (11–7) || Cease (3–7) || Dobnak (1) || 15,886 || 60–73 || L3
|-style=background:#fbb
|| 134 || August 30 || @ Braves || 6:20pm || 7–10 || Fried (15–4) || Nova (9–11) || Melancon (7) || 39,098 || 60–74 || L4
|-style=background:#fbb
|| 135 || August 31 || @ Braves || 6:20pm || 5–11 || Keuchel (6–5) || López (8–12) || — || 36,664 || 60–75 || L5
|-
|-style=background:#fbb
|| 136 || September 1 || @ Braves || 4:10pm || 3–5 || Teherán (9–8) || Giolito (14–8) || Melancon (8) || 41,397 || 60–76 || L6
|-style=background:#fbb
|| 137 || September 2 || @ Indians || 6:10pm || 3–11 || Civale (3–3) || Detwiler (2–5) || — || 16,149 || 60–77 || L7
|-style=background:#bfb
|| 138 || September 3 || @ Indians || 6:10pm || 6–5 || Marshall (4–2) || Carrasco (4–7) || Colomé (26) || 17,397 || 61–77 || W1
|-style=background:#fbb
|| 139 || September 4 || @ Indians || 6:10pm || 6–8 || Bieber (13–7) || Nova (9–12) || Wittgren (4) || 25,488 || 61–78 || L1
|-style=background:#bfb
|| 140 || September 5 || @ Indians || 12:10pm || 7–1 || López (9–12) || Plesac (7–6) || — || 18,913 || 62–78 || W1
|-style=background:#fbb
|| 141 || September 6 || Angels || 7:10pm || 4–5 || Robles (5–0) || Colomé (4–3) || — || 20,026 || 62–79 || L1
|-style=background:#fbb
|| 142 || September 7 || Angels || 6:10pm || 7–8 || Heaney (4–4) || Covey (1–8) || Robles (20) || 25,230 || 62–80 || L2
|-style=background:#bfb
|| 143 || September 8 || Angels || 1:10pm || 5–1 || Osich (2–0) || Barría (4–8) || — || 22,681 || 63–80 || W1
|-style=background:#bfb
|| 144 || September 10 || Royals || 7:10pm || 7–3 || Nova (10–12) || Junis (9–13) || — || 15,196 || 64–80 || W2
|-style=background:#fbb
|| 145 || September 11 || Royals || 7:10pm || 6–8 || Sparkman (4–11) || López (9–13) || Kennedy (28) || 14,385 || 64–81 || L1
|-style=background:#fbb
|| 146 || September 12 || Royals || 1:10pm || 3–6 || López (4–7) || Giolito (14–9) || Kennedy (29) || 13,838 || 64–82 || L2
|-style=background:#bfb
|| 147 || September 13 || @ Mariners || 9:10pm || 9–7 || Osich (3–0) || Kikuchi (6–10) || Colomé (27) || 17,255 || 65–82 || W1
|-style=background:#fbb
|| 148 || September 14 || @ Mariners || 8:10pm || 1–2 || Magill (5–2) || Colomé (4–4) || — || 26,063 || 65–83 || L1
|-style=background:#fbb
|| 149 || September 15 || @ Mariners || 3:10pm || 10–11 || Adams (2–2) || Ruiz (1–3) || — || 17,091 || 65–84 || L2
|-style=background:#fbb
|| 150 || September 16 || @ Twins || 6:40pm || 3–5 || Berríos (13–8) || López (9–14) || Rogers (27) || 21,850 || 65–85 || L3
|-style=background:#fbb
|| 151 || September 17 || @ Twins || 6:40pm || 8–9 || Harper (4–2) || Ruiz (1–4) || — || 22,518 || 65–86 || L4
|-style=background:#bfb
|| 152 || September 18 || @ Twins || 6:40pm || 3–1 || Fry (3–4) || Odorizzi (14–7) || Colomé (28) || 23,759 || 66–86 || W1
|-style=background:#bfb
|| 153 || September 20 || @ Tigers || 6:10pm || 10–1 || Cease (4–7) || Zimmermann (1–12) || — || 15,265 || 67–86 || W2
|-style=background:#bfb
|| 154 || September 21 || @ Tigers || 5:10pm || 5–3 || Nova (11–12) || Alexander (1–4) || Colomé (29) || 16,891 || 68–86 || W3
|-style=background:#fbb
|| 155 || September 22 || @ Tigers || 12:10pm || 3–6 || Boyd (9–11) || López (9–15) || Jiménez (8) || 16,157 || 68–87 || L1
|-style=background:#fbb
|| 156 || September 24 || Indians || 7:10pm || 0–11 || Clevinger (13–3) || Fulmer (1–2) || — || 13,940 || 68–88 || L2
|-style=background:#bfb
|| 157 || September 25 || Indians || 7:10pm || 8–3 || Detwiler (3–5) || Bieber (15–8) || Colomé (30) || 15,980 || 69–88 || W1
|-style=background:#bfb
|| 158 || September 26 || Indians || 7:10pm || 8–0 || Osich (4–0) || Civale (3–4) || — || 16,273 || 70–88 || W2
|-style=background:#bbb
|| — || September 27 || Tigers || 1:10pm ||colspan=7| Cancelled (Inclement Weather)
|-style=background:#bbb
|| — || September 27 || Tigers || 7:10pm ||colspan=7| Postponed (Inclement Weather, makeup date on September 28)
|-style=background:#bfb
|| 159 || September 28 || Tigers || 2:40pm || 7–1 || López (10–15) || Boyd (9–12) || — || N/A || 71–88 || W3
|-style=background:#fbb
|| 160 || September 28 || Tigers || 6:00pm || 3–4 || Farmer (6–6) || Colomé (4–5) || Jiménez (9) || 25,552 || 71–89 || L1
|-style=background:#bfb
|| 161 || September 29 || Tigers || 2:10pm || 5–3 || Cordero (1–1) || Turnbull (3–17) || Herrera (1) || 19,534 || 72–89 || W1
|-
|- style="text-align:center;"
| Legend: = Win = Loss = PostponementBold = White Sox team member
Season standings
American League Central
American League Wild Card
Record against opponents
Roster
Player stats
Batting
Note: G = Games played; AB = At bats; R = Runs; H = Hits; 2B = Doubles; 3B = Triples; HR = Home runs; RBI = Runs batted in; SB = Stolen bases; BB = Walks; AVG = Batting average; SLG = Slugging average
Source:
Pitching
Note: W = Wins; L = Losses; ERA = Earned run average; G = Games pitched; GS = Games started; SV = Saves; IP = Innings pitched; H = Hits allowed; R = Runs allowed; ER = Earned runs allowed; BB = Walks; SO = Strikeouts
Source:
Farm system
References
External links
2019 Chicago White Sox at Baseball Reference
2019 Chicago White Sox season Official Site
2019 Chicago White Sox season at ESPN
Chicago White Sox seasons
Chicago White Sox
White Sox
White Sox |
```python
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
#
# 1. Redistributions of source code must retain the above copyright notice,
# this list of conditions and the following disclaimer.
#
# 2. Redistributions in binary form must reproduce the above copyright
# notice, this list of conditions and the following disclaimer in the
# documentation and/or other materials provided with the distribution.
#
# 3. Neither the name of the copyright holder nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO,
# THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
# PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
# CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
# EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
# PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS;
# OR BUSINESS INTERRUPTION). HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
# WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR
# OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
# ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
from . import Pmod
from . import PMOD_GROVE_G3
from . import PMOD_GROVE_G4
__author__ = "Marco Rabozzi, Luca Cerina, Giuseppe Natale"
PMOD_GROVE_DLIGHT_PROGRAM = "pmod_grove_dlight.bin"
CONFIG_IOP_SWITCH = 0x1
GET_LIGHT_VALUE = 0x3
GET_LUX_VALUE = 0x5
class Grove_Dlight(object):
"""This class controls the Grove IIC color sensor.
Grove Color sensor based on the TCS3414CS.
Hardware version: v1.3.
Attributes
----------
microblaze : Pmod
Microblaze processor instance used by this module.
"""
def __init__(self, mb_info, gr_pin):
"""Return a new instance of an Grove_Dlight object.
Parameters
----------
mb_info : dict
A dictionary storing Microblaze information, such as the
IP name and the reset name.
gr_pin: list
A group of pins on pmod-grove adapter.
"""
if gr_pin not in [PMOD_GROVE_G3,
PMOD_GROVE_G4]:
raise ValueError("Group number can only be G3 - G4.")
self.microblaze = Pmod(mb_info, PMOD_GROVE_DLIGHT_PROGRAM)
self.microblaze.write_mailbox(0, gr_pin)
self.microblaze.write_blocking_command(CONFIG_IOP_SWITCH)
def read_raw_light(self):
"""Read the visible and IR channel values.
Read the values from the grove digital light peripheral.
Returns
-------
tuple
A tuple containing 2 integer values ch0 (visible) and ch1 (IR).
"""
self.microblaze.write_blocking_command(GET_LIGHT_VALUE)
ch0, ch1 = self.microblaze.read_mailbox(0, 2)
return ch0, ch1
def read_lux(self):
"""Read the computed lux value of the sensor.
Returns
-------
int
The lux value from the sensor
"""
self.microblaze.write_blocking_command(GET_LUX_VALUE)
lux = self.microblaze.read_mailbox(0x8)
return lux
``` |
Juan Aguilera Núñez (born 13 September 1985) is a Spanish professional footballer who plays as a central midfielder.
Club career
Born in Madrid, Aguilera began his career with amateurs Getafe CF B and CDA Navalcarnero, then played three years in the Segunda División B for another club in the Community of Madrid, CD Leganés. In 2008 he was transferred to Real Murcia, being assigned to the B team also at that level.
Aguilera made his debut with the first team on 9 January 2010, coming on as a second-half substitute in a 0–2 home loss against Elche CF. He appeared in a further three games for them during the season, as both the first and the second sides eventually suffered relegation.
Aguilera was Murcia's first choice in the 2010–11 campaign, in an immediate promotion. On 13 July 2015, after three years in the Super League Greece with Platanias FC, he signed for Indian Super League club Mumbai City FC.
On 23 February 2016, Aguilera returned to Spain and its division two after agreeing to a short-term deal with SD Huesca. He was a regular starter during 2017–18, as they achieved a first-ever promotion to La Liga.
Aguilera made his debut in the Spanish top tier at the age of 32 years and 11 months on 25 September 2018, replacing Cucho Hernández in a 3–0 defeat away to Atlético Madrid. On 3 July 2019, after suffering relegation, he signed a three-year contract with AD Alcorcón of the second division; he left in January 2022, as a free agent.
Career statistics
References
External links
1985 births
Living people
Spanish men's footballers
Footballers from Madrid
Men's association football midfielders
La Liga players
Segunda División players
Segunda División B players
Getafe CF B players
CDA Navalcarnero players
CD Leganés players
Real Murcia Imperial players
Real Murcia CF players
SD Huesca footballers
AD Alcorcón footballers
Super League Greece players
Platanias F.C. players
Indian Super League players
Mumbai City FC players
Spanish expatriate men's footballers
Expatriate men's footballers in Greece
Expatriate men's footballers in India
Spanish expatriate sportspeople in Greece
Spanish expatriate sportspeople in India |
Zebrida brevicarinata is a species of decapod in the family Pilumnidae.
References
Further reading
Decapods
Articles created by Qbugbot
Crustaceans described in 1999 |
```c++
/*=============================================================================
file LICENSE_1_0.txt or copy at path_to_url
==============================================================================*/
#if !defined(FUSION_INCLUDE_MPL)
#define FUSION_INCLUDE_MPL
#include <boost/fusion/support/config.hpp>
#include <boost/fusion/adapted/mpl.hpp>
#include <boost/fusion/mpl.hpp>
#endif
``` |
The Church of São Pedro () is a 17th-century church located in the civil parish of Ponta Delgada in the municipality of Santa Cruz das Flores, in the Portuguese island of Flores, in the archipelago of the Azores.
History
The primitive temple was raised at the end of the 16th century, in what was then known as the Hermitage of Santa Ana, from the indications of the chronicler Gaspar Frutuoso. Today, this structure has disappeared.
By 1571, a parochial church existed in the parish, from the writings of friar Diogo das Chagas. Similar writings from Father António Cordeiro indicated that the parish supported little more than 150 homes.
But, by the 17th century, friar Agostinho de Montalverne indicated that this number had decreased to 150 homes, supporting a population of 650 inhabitants.
The work on rebuilding the parochial church began in 1763, in the land occupied by a small hermitage to the same invocation. The principal promoter of the construction was Father Francisco de Fraga e Almeida, a man of great fortune, old vicar and Ouvidor for the islands of Flores and Corvo. In 1764, he left behind a testament of 100$000 to the Confraria de São Pedro (Brotherhood of St. Peter) with an obligation to celebrate a mass for his soul, on the day of its inauguration. By 1774, work was preceding slowly, and the retables were only being completed at the time. There is no indication associated with its completion.
Between 1971 and 1975, restoration work on the original foundation and interiors were undertaken.
Architecture
The single-nave church is implanted on a level courtyard, elevated in relation to the road and accessible by six steps in the front facade. It includes a nave a narrower presbytery, two sacristies (on the back of the lateral walls to the nave), belltower (left of the facade) and baptistery (on the lateral left wall). It is constructed in masonry stone, plastered and painted in white, except the soclo, cornerstones and frames of the windows, cornices, triumphal arch, pulpit and some decorate elements.
The principal facade is framed by soclo with stonework and decorated with cornice where the triangular frontispiece sits, marked by an axial doorway and two windows at the level of the high-choir. The soclo and cornice encircle the buildings spaces. The door, with triple lintel, has pilasters flanking the framed entranceway with pedestals and capitals. Over the capitals are corbels that frame the upper lintel and support the cornice. Over the cornice is a triangular apex flanked by pinnacles and over this a cartouche inscribed with:
REEDIFICADA / Po-P VIGARIO / FRANCISCO DE FRAGA E ALdo m / ANNO 1763
Rebuilt /by Father Vicar / Francisco de Fraga e Almeida / Year 1763
The inscription is flanked by scrolls and surmounted by a stone with the sculpted symbols of St. Peter in bas-relief. The windows on the front facade have panels and triple lintels, meanwhile the intermediary cornice, the lintel and upper cornice are integrated with a pronounced relief. Above the windows, the frontispiece includes a circular oculus in the tympanum, surmounted by cross.
On the left is the bell tower which is divided into two levels by a cornice that circles it. The upper portion of the lower level includes a frieze surmounted by cross, while on the lower section is a lateral doorway with arch. The second level includes rounded arches on each face of the belfry, and the tower surmounted by a semi-spherical cupola with pinnacle. The lateral doors to the nave and accessways to the sacristy have double-lintels and cornices, while the epistole-side sacristy is marked by two pinnacles over the extremes of the cornice.
The principal entrance to the church is protected by a wooden windbreak, surmounted by the high-choir supported by two pilasters in wood and corbels on the lateral walls. The front of the high-choir includes a curvilinear wooden guardrail and balustrade. The whole group is accessible by a wooden "L"-shaped staircase on the side of the epistole, while a small doorway opposite the epistole provides access to the belfry.
Opposite the epistole and following the choir, is an arched doorway over posts, protected by a wooden grade, that provides entrance to the baptistery. On the top of the grade are two scrolls that catch a circular element, surmounted by cross, with the inscription:
CONFITEOR / UNUM BAPTISMA / IN REMISSIONEM / PECCATORUM
Confess / One Baptism / The Forgiveness / Sins
In the middle of the nave, on each lateral walls are doors that communicated with the exterior, surmounted by windows. Opposite the epistole is a door to the pulpit, supported by a wood guardrails over a corbel.
Before the triumphal arch, on either side of the nave, is a door to each of the sacristies. The door to the pulpit, much like sacristies, have double lintels surmounted by a cornice, with the sacristy doors further surmounted by niche with flanked pinnacles. In the interior of the sacristy to the left, is a wood staircase that connects it to the pulpit and upper storage area. On either side of the presbytery are two retables place in 45 degree angles. The main altar with window on the either side, next to the retables, is decorated in a Revivalist-style (or even Rococo) consisting of gilded woodwork. The ceiling of the nave, main chapel and baptistery are in wood, simulating vaulted ceilings, with a large cornice at the base of the nave's ceiling.
References
Notes
Sources
Sao Pedro
Church Sao Pedro |
Péter Nagy or Peter Nagy may refer to:
Péter Nagy (volleyball) (born 1984), Hungarian volleyball player
Péter Nagy (weightlifter) (born 1986), Hungarian weightlifter
Péter Nagy (tennis) (born 1992), Hungarian tennis player
Péter Nagy (footballer) (born 1996), Slovak footballer
Peter Nagy (artist) (born 1959), American artist and gallery owner in India
Peter Nagy (singer) (born 1959), Slovak musician
Peter Nagy (canoeist) (born 1964), Slovak slalom canoeist |
```jsx
import {
useCart,
useCartLine,
CartLineQuantityAdjustButton,
CartLinePrice,
CartLineQuantity,
Image,
Link,
} from '@shopify/hydrogen';
import {Heading, IconRemove, Text} from '~/components';
export function CartLineItem() {
const {linesRemove} = useCart();
const {id: lineId, quantity, merchandise} = useCartLine();
return (
<li key={lineId} className="flex gap-4">
<div className="flex-shrink">
<Image
width={112}
height={112}
widths={[112]}
data={merchandise.image}
loaderOptions={{
scale: 2,
crop: 'center',
}}
className="object-cover object-center w-24 h-24 border rounded md:w-28 md:h-28"
/>
</div>
<div className="flex justify-between flex-grow">
<div className="grid gap-2">
<Heading as="h3" size="copy">
<Link to={`/products/${merchandise.product.handle}`}>
{merchandise.product.title}
</Link>
</Heading>
<div className="grid pb-2">
{(merchandise?.selectedOptions || []).map((option) => (
<Text color="subtle" key={option.name}>
{option.name}: {option.value}
</Text>
))}
</div>
<div className="flex items-center gap-2">
<div className="flex justify-start text-copy">
<CartLineQuantityAdjust lineId={lineId} quantity={quantity} />
</div>
<button
type="button"
onClick={() => linesRemove([lineId])}
className="flex items-center justify-center w-10 h-10 border rounded"
>
<span className="sr-only">Remove</span>
<IconRemove aria-hidden="true" />
</button>
</div>
</div>
<Text>
<CartLinePrice as="span" />
</Text>
</div>
</li>
);
}
function CartLineQuantityAdjust({lineId, quantity}) {
return (
<>
<label htmlFor={`quantity-${lineId}`} className="sr-only">
Quantity, {quantity}
</label>
<div className="flex items-center border rounded">
<CartLineQuantityAdjustButton
adjust="decrease"
aria-label="Decrease quantity"
className="w-10 h-10 transition text-primary/50 hover:text-primary disabled:cursor-wait"
>
−
</CartLineQuantityAdjustButton>
<CartLineQuantity as="div" className="px-2 text-center" />
<CartLineQuantityAdjustButton
adjust="increase"
aria-label="Increase quantity"
className="w-10 h-10 transition text-primary/50 hover:text-primary disabled:cursor-wait"
>
+
</CartLineQuantityAdjustButton>
</div>
</>
);
}
``` |
Andrea Di Giovanni y Centellés (Messina, 3 February 1742 – Catania, 10 June 1821) was an Italian nobleman and lieutenant of the Order of Saint John from 1814 until his death.
Life
From a Spanish-origin noble family in Messina, Centellés officially entered the Order on 10 February 1750. Like his predecessor as lieutenant, Innico Maria Guevara-Suardo, his lieutenancy was marked by the problem of the sovereignty of Malta – on 30 May 1814 the Treaty of Paris between Russia, Britain, France and Prussia gave that sovereignty to Britain. Centellés immediately responded by sending delegates to the 1815 Congress of Vienna, where they presented the Order's legitimate reasons for claiming territorial possession of the island but were unable to win over the delegates. He sent ambassadors again in 1818, to the signing of the Treaty of Aix-la-Chapelle, but once more to no avail. On his death in 1821 Antonio Busca succeeded him as lieutenant of the Order.
Sources
Francesco Giuseppe Terrinoni Memorie storiche della resa di Malta ai francesi nel 1798, tip. delle Belle Arti, Roma, 1867.
1742 births
1821 deaths
Lieutenants of the Knights Hospitaller |
```go
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package json
import (
"bytes"
"fmt"
"strconv"
)
// Kind represents a token kind expressible in the JSON format.
type Kind uint16
const (
Invalid Kind = (1 << iota) / 2
EOF
Null
Bool
Number
String
Name
ObjectOpen
ObjectClose
ArrayOpen
ArrayClose
// comma is only for parsing in between tokens and
// does not need to be exported.
comma
)
func (k Kind) String() string {
switch k {
case EOF:
return "eof"
case Null:
return "null"
case Bool:
return "bool"
case Number:
return "number"
case String:
return "string"
case ObjectOpen:
return "{"
case ObjectClose:
return "}"
case Name:
return "name"
case ArrayOpen:
return "["
case ArrayClose:
return "]"
case comma:
return ","
}
return "<invalid>"
}
// Token provides a parsed token kind and value.
//
// Values are provided by the difference accessor methods. The accessor methods
// Name, Bool, and ParsedString will panic if called on the wrong kind. There
// are different accessor methods for the Number kind for converting to the
// appropriate Go numeric type and those methods have the ok return value.
type Token struct {
// Token kind.
kind Kind
// pos provides the position of the token in the original input.
pos int
// raw bytes of the serialized token.
// This is a subslice into the original input.
raw []byte
// boo is parsed boolean value.
boo bool
// str is parsed string value.
str string
}
// Kind returns the token kind.
func (t Token) Kind() Kind {
return t.kind
}
// RawString returns the read value in string.
func (t Token) RawString() string {
return string(t.raw)
}
// Pos returns the token position from the input.
func (t Token) Pos() int {
return t.pos
}
// Name returns the object name if token is Name, else it panics.
func (t Token) Name() string {
if t.kind == Name {
return t.str
}
panic(fmt.Sprintf("Token is not a Name: %v", t.RawString()))
}
// Bool returns the bool value if token kind is Bool, else it panics.
func (t Token) Bool() bool {
if t.kind == Bool {
return t.boo
}
panic(fmt.Sprintf("Token is not a Bool: %v", t.RawString()))
}
// ParsedString returns the string value for a JSON string token or the read
// value in string if token is not a string.
func (t Token) ParsedString() string {
if t.kind == String {
return t.str
}
panic(fmt.Sprintf("Token is not a String: %v", t.RawString()))
}
// Float returns the floating-point number if token kind is Number.
//
// The floating-point precision is specified by the bitSize parameter: 32 for
// float32 or 64 for float64. If bitSize=32, the result still has type float64,
// but it will be convertible to float32 without changing its value. It will
// return false if the number exceeds the floating point limits for given
// bitSize.
func (t Token) Float(bitSize int) (float64, bool) {
if t.kind != Number {
return 0, false
}
f, err := strconv.ParseFloat(t.RawString(), bitSize)
if err != nil {
return 0, false
}
return f, true
}
// Int returns the signed integer number if token is Number.
//
// The given bitSize specifies the integer type that the result must fit into.
// It returns false if the number is not an integer value or if the result
// exceeds the limits for given bitSize.
func (t Token) Int(bitSize int) (int64, bool) {
s, ok := t.getIntStr()
if !ok {
return 0, false
}
n, err := strconv.ParseInt(s, 10, bitSize)
if err != nil {
return 0, false
}
return n, true
}
// Uint returns the signed integer number if token is Number.
//
// The given bitSize specifies the unsigned integer type that the result must
// fit into. It returns false if the number is not an unsigned integer value
// or if the result exceeds the limits for given bitSize.
func (t Token) Uint(bitSize int) (uint64, bool) {
s, ok := t.getIntStr()
if !ok {
return 0, false
}
n, err := strconv.ParseUint(s, 10, bitSize)
if err != nil {
return 0, false
}
return n, true
}
func (t Token) getIntStr() (string, bool) {
if t.kind != Number {
return "", false
}
parts, ok := parseNumberParts(t.raw)
if !ok {
return "", false
}
return normalizeToIntString(parts)
}
// TokenEquals returns true if given Tokens are equal, else false.
func TokenEquals(x, y Token) bool {
return x.kind == y.kind &&
x.pos == y.pos &&
bytes.Equal(x.raw, y.raw) &&
x.boo == y.boo &&
x.str == y.str
}
``` |
Tauno Heikki Hannikainen (February 26, 1896 – October 12, 1968) was a Finnish cellist and conductor.
Born in Jyväskylä, he was the son of the composer Pekka Juhani Hannikainen. The pianist Ilmari Hannikainen and the conductor Väinö Hannikainen were his brothers. He studied first as a cellist in Helsinki and abroad. From 1922 he became the second conductor in the Finnish Opera House in Helsinki. He conducted the music at Sibelius's funeral. He went to the USA in 1940, becoming music director of the Duluth Symphony Orchestra (1942–47). He was an assistant conductor (1947–49) and associate conductor (1949–50) with the Chicago Symphony Orchestra, and was principal conductor of the Helsinki Philharmonic Orchestra.
Discography
Jean Sibelius, Symphony No. 2 in D major, Op. 43 – Sinfonia of London (World Record Club) (1959)
Jean Sibelius, Symphony No. 4 in A minor, Op. 63 - USSR S.S.O. (Melodiya)
Jean Sibelius, Symphony No. 5 in E flat major, Op. 82 – Sinfonia of London (World Record Club T 42) (1959)
Jean Sibelius, Violin Concerto in D minor, Op. 47 – Tossy Spivakovsky / London S.O. (Everest records/World Record Club T 94)
Jean Sibelius, Violin Concerto in D minor – Oleg Kagan / Finnish R.S.O. (Live Class)
Jean Sibelius, Karelia Suite, Op. 11 – Sinfonia of London (World Record Club T 42)
Jean Sibelius, Lemminkäinen Legends (Four Legends from the Kalevala), Op. 22 – USSR R.S.O. (Melodiya)
Jean Sibelius, Finlandia, Op. 26 – USSR R.S.O. (Melodiya)
Jean Sibelius, Valse Triste, Op. 44, No. 1 – USSR R.S.O. (Mosoblsovnarhoz)
Jean Sibelius, Tapiola, Op. 112 – London S.O. (Everest records/World Record Club T 94)(1960)
Uuno Klami, "Terchenniemi" from Kalevala Suite Op. 23 – USSR R.S.O. (Mosoblsovnarhoz)
Armas Järnefelt, Lullaby – USSR R.S.O. (Mosoblsovnarhoz)
Sources
Eaglefield-Hull, A. A Dictionary of Modern Music and Musicians. Dent, London 1924.
External links
CD Review
1896 births
1968 deaths
People from Jyväskylä
People from Vaasa Province (Grand Duchy of Finland)
Finnish conductors (music)
Finnish Lutherans
20th-century conductors (music)
20th-century Lutherans |
The 2017 Sun Belt Conference women's soccer tournament was the postseason women's soccer tournament for the Sun Belt Conference held from November 1–5, 2017. The seven-match tournament took place at the Foley Sports Complex in Foley, Alabama. The eight-team single-elimination tournament consisted of three rounds based on seeding from regular season conference play. The defending champions were the South Alabama Jaguars and they successfully defended their title with a 5–0 win over the Coastal Carolina Chanticleers in the final. This was the fifth consecutive and fifth overall Sun Belt women's soccer tournament title for South Alabama and the first for first-year head coach Richard Moodie.
Bracket
Schedule
Quarterfinals
Semifinals
Final
Statistics
Goalscorers
4 Goals
Rio Hardy - South Alabama
3 Goals
Kory Dixon - South Alabama
2 Goals
Kayla Christian - Coastal Carolina
Ana Helmert - South Alabama
Sarah Price - Georgia Southern
1 Goal
Lauren Dabner - Coastal Carolina
Kiersten Edlund - Troy
Daniella Famili - Coastal Carolina
Steffi Hardy - South Alabama
Danielle Henley - South Alabama
Kassi Hormuth - Texas State
Mackenzie Gibbs - Coastal Carolina
Arola Aparicio Gili - Little Rock
Dana O'Boye - Arkansas State
Elisabeth Rockhill - Coastal Carolina
Aila Sendra - Georgia Southern
See also
2017 Sun Belt Conference Men's Soccer Tournament
References
External links
2017 Sun Belt Soccer Championship
Sun Belt Conference women's soccer tournament
2017 Sun Belt Conference women's soccer season
Women's sports in Alabama
Sun Belt Conference women's soccer tournament |
Tillandsia pseudosetacea is a species of flowering plant in the genus Tillandsia. This species is endemic to Mexico.
References
pseudosetacea
Flora of Mexico |
Evamaria Bath (12 April 1929 – 18 June 2023) was a German stage, film and television actress.
Bath died on 18 June 2023, at the age of 94.
Selected filmography
The Call of the Sea (1951)
Natürlich die Nelli (1959)
The Red Snowball Tree (1974, East German dub)
References
Bibliography
Peter Cowie & Derek Elley. World Filmography: 1967. Fairleigh Dickinson University Press, 1977.
External links
1929 births
2023 deaths
German film actresses
German television actresses
German stage actresses
Actresses from Berlin |
Stonycreek Township is a township in Cambria County, Pennsylvania, United States. The population was 2,844 at the 2010 census, down from 3,204 at the 2000 census. It is part of the Johnstown, Pennsylvania Metropolitan Statistical Area.
Geography
The township is located in southwestern Cambria County and is bordered by the city of Johnstown to the northwest, Conemaugh Township to the north, and Richland Township to the southeast. Somerset County is to the south. The borough of Lorain is located near the center of the township, the borough of Geistown is on the southeastern border, and the borough of Daisytown touches the northwestern corner of the township. The boroughs are separate municipalities from the township. Three census-designated places occupy most of the township's area: Oakland is in the northern half of the township, part of Belmont is in the southern half, and Riverside is in the southwestern corner. The Stonycreek River forms the winding southwestern border of the township and flows northwestward to form the Conemaugh River in the center of Johnstown.
According to the United States Census Bureau, the township has a total area of , of which is land and , or 2.46%, is water.
Communities
Census-designated places
Census-designated places are geographical areas designated by the U.S. Census Bureau for the purposes of compiling demographic data. They are not actual jurisdictions under Pennsylvania law. Other unincorporated communities, such as villages, may be listed here as well.
Oakland
Riverside
Demographics
As of the census of 2000, there were 3,204 people, 1,496 households, and 957 families residing in the township. The population density was . There were 1,599 housing units at an average density of . The racial makeup of the township was 98.50% White, 0.66% African American, 0.16% Asian, 0.22% from other races, and 0.47% from two or more races. Hispanic or Latino of any race were 0.81% of the population.
There were 1,496 households, out of which 21.6% had children under the age of 18 living with them, 51.8% were married couples living together, 9.6% had a female householder with no husband present, and 36.0% were non-families. 31.6% of all households were made up of individuals, and 16.1% had someone living alone who was 65 years of age or older. The average household size was 2.14 and the average family size was 2.67.
In the township the population was spread out, with 17.0% under the age of 18, 7.0% from 18 to 24, 24.8% from 25 to 44, 25.1% from 45 to 64, and 26.2% who were 65 years of age or older. The median age was 46 years. For every 100 females, there were 86.4 males. For every 100 females age 18 and over, there were 84.6 males.
The median income for a household in the township was $29,745, and the median income for a family was $37,181. Males had a median income of $26,392 versus $21,865 for females. The per capita income for the township was $16,638. About 10.1% of families and 8.3% of the population were below the poverty line, including 17.0% of those under age 18 and 3.5% of those age 65 or over.
References
External links
Stonycreek Township official website
Populated places established in 1876
Townships in Cambria County, Pennsylvania
1876 establishments in Pennsylvania |
```python
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from __future__ import absolute_import
from __future__ import print_function
import os
import sys
import subprocess
import random
import string
import time
import logging
import threading
from atx import strutils
random.seed(time.time())
def id_generator(n=5):
return ''.join(random.choice(string.ascii_uppercase + string.digits) for _ in range(n))
def dirname(name):
if os.path.isabs(name):
return os.path.dirname(name)
return os.path.dirname(os.path.abspath(name))
def exec_cmd(*cmds, **kwargs):
'''
@arguments env=None, timeout=3
may raise Error
'''
env = os.environ.copy()
env.update(kwargs.get('env', {}))
envcopy = {}
for key in env:
try:
envcopy[key] = str(env[key]).encode('utf-8') # fix encoding
except:
print('IGNORE BAD ENV KEY: ' + repr(key))
env = envcopy
timeout = kwargs.get('timeout', 120)
shell = kwargs.get('shell', False)
try:
import sh
# log.debug('RUN(timeout=%ds): %s'%(timeout, ' '.join(cmds)))
if shell:
cmds = list(cmds)
cmds[:0] = ['bash', '-c']
c = sh.Command(cmds[0])
try:
r = c(*cmds[1:], _err_to_out=True, _out=sys.stdout, _env=env, _timeout=timeout)
except:
# log.error('EXEC_CMD error, cmd: %s'%(' '.join(cmds)))
raise
except ImportError:
# log.debug('RUN(timeout=XX): %s'%(' '.join(cmds)))
if shell:
cmds = ' '.join(cmds)
r = subprocess.Popen(cmds, env=env, stdout=sys.stdout, stderr=sys.stderr, shell=shell)
return r.wait()
return 0
def random_name(name):
out = []
for c in name:
if c == 'X':
c = random.choice(string.ascii_lowercase)
out.append(c)
return ''.join(out)
def remove_force(name):
if not os.path.isfile(name):
return
try:
os.unlink(name)
except Exception as e:
print("Warning: tempfile {} not deleted, Error {}".format(name, e))
SYSTEM_ENCODING = 'gbk' if os.name == 'nt' else 'utf-8'
VALID_IMAGE_EXTS = ['.jpg', '.jpeg', '.png', '.bmp']
# def auto_decode(s, encoding='utf-8'):
# return s if isinstance(s, unicode) else unicode(s, encoding)
def list_images(path=['.']):
""" Return list of image files """
for image_dir in set(path):
if not os.path.isdir(image_dir):
continue
for filename in os.listdir(image_dir):
bname, ext = os.path.splitext(filename)
if ext.lower() not in VALID_IMAGE_EXTS:
continue
filepath = os.path.join(image_dir, filename)
yield strutils.decode(filepath)
def list_all_image(path, valid_exts=VALID_IMAGE_EXTS):
"""List all images under path
@return unicode list
"""
for filename in os.listdir(path):
bname, ext = os.path.splitext(filename)
if ext.lower() not in VALID_IMAGE_EXTS:
continue
filepath = os.path.join(path, filename)
yield strutils.decode(filepath)
def image_name_match(name, target):
if name == target:
return True
bn = os.path.normpath(name)
bt = os.path.basename(target)
if bn == bt:
return True
bn, ext = os.path.splitext(bn)
if ext != '':
return False
for ext in VALID_IMAGE_EXTS:
if bn+ext == bt or bn+ext.upper() == bt:
return True
if bt.find('@') != -1:
if bn == bt[:bt.find('@')]:
return True
return False
def search_image(name=None, path=['.']):
"""
look for the image real path, if name is None, then return all images under path.
@return system encoded path string
FIXME(ssx): this code is just looking wired.
"""
name = strutils.decode(name)
for image_dir in path:
if not os.path.isdir(image_dir):
continue
image_dir = strutils.decode(image_dir)
image_path = os.path.join(image_dir, name)
if os.path.isfile(image_path):
return strutils.encode(image_path)
for image_path in list_all_image(image_dir):
if not image_name_match(name, image_path):
continue
return strutils.encode(image_path)
return None
def clean_path(filepath):
return os.path.normpath(os.path.relpath(strutils.decode(filepath)))
def filename_match(fsearch, filename, width, height):
'''
<nickname>@({width}x{height}|auto).(png|jpg|jpeg)
'''
fsearch = clean_path(fsearch)
filename = clean_path(filename)
if fsearch == filename:
return True
if fsearch.find('@') == -1:
return False
basename, fileext = os.path.splitext(fsearch)
nickname, extinfo = basename.split('@', 1)
if extinfo == 'auto':
valid_names = {}.fromkeys([
nickname+'@{}x{}'.format(width, height)+fileext,
nickname+'@{}x{}'.format(height, width)+fileext,
nickname+'.{}x{}'.format(width, height)+fileext,
nickname+'.{}x{}'.format(height, width)+fileext,
])
if filename in valid_names:
return True
# if extinfo.find('x') != -1:
# cw, ch = extinfo.split('x', 1)
# if cw*width == ch*height or cw*height == ch*width:
# return True
return False
def lookup_image(fsearch, width=0, height=0):
dirname = os.path.dirname(fsearch) or "."
for file in os.listdir(dirname):
filepath = os.path.join(dirname, file)
if filename_match(fsearch, filepath, width, height):
return filepath
def nameddict(name, props):
"""
Point = nameddict('Point', ['x', 'y'])
pt = Point(x=1, y=2)
pt.y = 3
print pt
"""
class NamedDict(object):
def __init__(self, *args, **kwargs):
self.__store = {}.fromkeys(props)
if args:
for i, k in enumerate(props[:len(args)]):
self[k] = args[i]
for k, v in kwargs.items():
self[k] = v
def __getattr__(self, key):
# print '+', key
if key.startswith('_NamedDict__'):
return self.__dict__[key]
else:
return self.__store[key]
def __setattr__(self, key, value):
# print '-', key
if key.startswith('_NamedDict__'):
object.__setattr__(self, key, value)
else:
self.__setitem__(key, value)
# self.__store[key] = value
def __getitem__(self, key):
return self.__store[key]
def __setitem__(self, key, value):
if key not in props:
raise AttributeError("NamedDict(%s) has no attribute %s, avaliables are %s" % (
name, key, props))
self.__store[key] = value
def __dict__(self):
return self.__store
def __str__(self):
return 'NamedDict(%s: %s)' % (name, str(self.__store))
return NamedDict
if __name__ == '__main__':
# print search_image('.png')
# print search_image('oo')
# print search_image()
Point = nameddict('Point', ['x', 'y'])
print(Point(2, 3, 4))
``` |
Walther is a masculine given name and a surname. It is a German form of Walter, which is derived from the Old High German Walthari, containing the elements wald -"power", "brightness" or "forest" and hari -"warrior".
The name was first popularized by the famous epic German hero Walther von Aquitaine and later with the Minnesänger Walther von der Vogelweide.
Given name
Walther Bauersfeld (1879–1959), German engineer who built the first projection planetarium
Walther Bothe (1891–1957), German nuclear physicist and Nobel laureate
Walther von Brauchitsch (1881–1948), German World War II field marshal
Walther Dahl (1916–1985), German World War II flying ace
Walther von Dyck (1856–1934), German mathematician
Walther Flemming (1843–1905), German biologist and a founder of cytogenetics
Walther Funk (1890–1960), economist and Nazi official convicted of war crimes in the Nuremberg Trials
Walther Hahm (1894–1951), German World War II general
Walther Hewel (1904–1945), German diplomat and one of Hitler's few personal friends
Walther Kossel (1888–1956), German physicist
Walther von Lüttwitz (1859–1942), German general and a leader of the unsuccessful Kapp-Lüttwitz Putsch against the Weimar Republic
Walther Meissner (1882–1974), German technical physicist and discoverer of the Meissner effect
Walther Müller (1905–1979), German physicist
Walther Otto Müller (1833–1887), German botanist
Walther Nehring (1892–1983), German World War II general
Walther Nernst (1864–1941), German physical chemist and physicist; Nobel laureate in chemistry
Walther Rathenau (1867–1922), German industrialist, politician, writer, statesman and Foreign Minister of Germany for the Weimar Republic
Walther Ritz (1878–1909), Swiss theoretical physicist
Walther Schroth (1882–1944), German World War II general
Walther Schwieger (1885–1917), German World War I U-boat commander who sank the Lusitania
Walther von Seydlitz-Kurzbach, German World War II general
Walther Stampfli (1884–1965), Swiss politician
Walther von der Vogelweide (c. 1170–c. 1230), High German lyric poet
Walther Wenck (1900–1982), youngest general in the German Army during World War II
Walther Wever (general) (1887–1936), German general, commander of the Luftwaffe and proponent of strategic bombing
Walther Wever (pilot) (1923–1945), German flying ace and son of the above
Surname
Andrea Walther (born 1970), German mathematician
Augustin Friedrich Walther (1688–1746), German anatomist
Bernhard Walther (1430–1504), German astronomer for whom a lunar crater is named
C. F. W. Walther (1811–1887), German-American first President of the Lutheran Church–Missouri Synod and its most influential theologian
Carl Walther (1858–1915), German gunsmith and founder of Walther Arms
Christoph Walther (born 1950), German computer scientist
Edgar Walther (1930-2013), Swiss chess player
Eric Walther (born 1975), German pentathlete
Erich Walther (1903–1947), German World War II general
Frédéric Henri Walther (1761–1813), Alsatian-born general in Napoleon's army
George Walther Sr. (1876–1961), American inventor
George H. Walther (1828–1895), American politician
Geraldine Walther (born 1950), American violist
Gesine Walther (born 1962), German sprinter
Johann Gottfried Walther (1684–1748), German organist and composer
Johann Jakob Walther (composer) (1650–1704), German composer/violinist
Johann Jakob Walther (1600–1679), German artist and botanical illustrator
Johannes Walther (1860–1937), German geologist
Kerstin Walther (born 1961), German sprinter
Kirsten Walther (1933–1987), Danish actress
Philipp Franz von Walther (1782–1849), German doctor
Christoph Theodosius Walther (1699–1741), German missionary
See also
Walther (disambiguation)
Walter (name)
German masculine given names
Masculine given names
Surnames from given names |
Semiophora is a genus of moths of the family Noctuidae.
References
Natural History Museum Lepidoptera genus database
Hadeninae |
Henry III "the Great" (? – 1246) was the count of Sayn (1202–1246), a county located near the Sieg River in northern Rhineland-Palatinate, Germany. Henry III shared the first year of his reign with his uncle, count Henry II, as he and his father Eberhard II had co-ruled the county. Gottfried II (Count of Sponheim) had been a regent from 1181 and continued until his death in 1220. John, count of Sponheim-Starkenburg, was regent from 1226 until Henry's death in 1246.
In 1233, Conrad of Marburg, Conrad Dorso and John the One-Eyed accused Henry of indulging in satanic orgies. Henry pleaded his case successfully to an assembly of bishops in Mainz and was acquitted. Conrad, however, refused to accept the verdict, but eventually left Mainz. While passing near Marburg, Conrad was ambushed and killed by a group of knights. It is unknown whether they were in the service of Henry.
Henry died in 1246. His county was inherited by his brother-in-law, count Eberhard III of Sponheim-Eberstein.
References
Counts of Sayn
12th-century births
1246 deaths
People from former German states in Rhineland-Palatinate
Year of birth unknown |
Curavacas is a peak which is part of the Cantabrian Mountains system of mountain ranges. This landform is located in Triollo municipality, in Province of Palencia and in Castile and León autonomous community. Its height is 2,524 metres.
References
Cantabrian Mountains |
The TestDaF-Institut is an institute for language testing in Bochum, Germany. It runs the TestDaF.
The institute is part of the Society for Academic Study Preparation and Test Development, Gesellschaft für Akademische Studienvorbereitung und Testentwicklung e. V., based in Bonn, which was founded in 2000 by various German-language institutions including DAAD (German Academic Exchange Service), the Goethe-Institut, the distance learning university in Hagen, and the Carl Duisberg Centre in Cologne. The idea for the society came from the DAAD and the German Rectors' Conference (Hochschulrektorenkonferenz, HRK).
See also
TestDaF
Goethe-Institut
German Academic Exchange Service
References
External links
TestDaF homepage
Education in Germany
German language tests |
```java
package org.bouncycastle.crypto.params;
import org.bouncycastle.crypto.CipherParameters;
public class KeyParameter
implements CipherParameters
{
private byte[] key;
public KeyParameter(
byte[] key)
{
this(key, 0, key.length);
}
public KeyParameter(
byte[] key,
int keyOff,
int keyLen)
{
this.key = new byte[keyLen];
System.arraycopy(key, keyOff, this.key, 0, keyLen);
}
public byte[] getKey()
{
return key;
}
}
``` |
Bryan Hayes (born October 8, 1958) is a Canadian politician. He was elected to the House of Commons of Canada for the federal Conservative Party of Canada in the 2011 election, representing the Sault Ste. Marie riding.
Background
Hayes was born in Marville, France, where his father was stationed as a member of the Canadian Armed Forces. He moved to Sault Ste. Marie with his wife after graduating with honours from the marketing program at Cambrian College. Hayes also holds a degree in accounting from Laurentian University, is a Certified General Accountant and a member of the Certified General Accountants of Ontario.
Hayes has served on Sault Ste. Marie City Council, and has been an active participant on many boards, including the District Social Services Administration Board, the Sault and Area Hospital Board of Directors, and the Sault Ste. Marie Downtown Association.
Electoral record
References
External links
Official website
1958 births
Conservative Party of Canada MPs
Laurentian University alumni
Living people
Members of the House of Commons of Canada from Ontario
Sault Ste. Marie, Ontario city councillors
Cambrian College alumni
21st-century Canadian politicians |
```php
<?php
/*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
*/
namespace Google\Service\CloudDeploy;
class Rollout extends \Google\Collection
{
protected $collection_key = 'rolledBackByRollouts';
/**
* @var string[]
*/
public $annotations;
/**
* @var string
*/
public $approvalState;
/**
* @var string
*/
public $approveTime;
/**
* @var string
*/
public $controllerRollout;
/**
* @var string
*/
public $createTime;
/**
* @var string
*/
public $deployEndTime;
/**
* @var string
*/
public $deployFailureCause;
/**
* @var string
*/
public $deployStartTime;
/**
* @var string
*/
public $deployingBuild;
/**
* @var string
*/
public $description;
/**
* @var string
*/
public $enqueueTime;
/**
* @var string
*/
public $etag;
/**
* @var string
*/
public $failureReason;
/**
* @var string[]
*/
public $labels;
protected $metadataType = Metadata::class;
protected $metadataDataType = '';
/**
* @var string
*/
public $name;
protected $phasesType = Phase::class;
protected $phasesDataType = 'array';
/**
* @var string
*/
public $rollbackOfRollout;
/**
* @var string[]
*/
public $rolledBackByRollouts;
/**
* @var string
*/
public $state;
/**
* @var string
*/
public $targetId;
/**
* @var string
*/
public $uid;
/**
* @param string[]
*/
public function setAnnotations($annotations)
{
$this->annotations = $annotations;
}
/**
* @return string[]
*/
public function getAnnotations()
{
return $this->annotations;
}
/**
* @param string
*/
public function setApprovalState($approvalState)
{
$this->approvalState = $approvalState;
}
/**
* @return string
*/
public function getApprovalState()
{
return $this->approvalState;
}
/**
* @param string
*/
public function setApproveTime($approveTime)
{
$this->approveTime = $approveTime;
}
/**
* @return string
*/
public function getApproveTime()
{
return $this->approveTime;
}
/**
* @param string
*/
public function setControllerRollout($controllerRollout)
{
$this->controllerRollout = $controllerRollout;
}
/**
* @return string
*/
public function getControllerRollout()
{
return $this->controllerRollout;
}
/**
* @param string
*/
public function setCreateTime($createTime)
{
$this->createTime = $createTime;
}
/**
* @return string
*/
public function getCreateTime()
{
return $this->createTime;
}
/**
* @param string
*/
public function setDeployEndTime($deployEndTime)
{
$this->deployEndTime = $deployEndTime;
}
/**
* @return string
*/
public function getDeployEndTime()
{
return $this->deployEndTime;
}
/**
* @param string
*/
public function setDeployFailureCause($deployFailureCause)
{
$this->deployFailureCause = $deployFailureCause;
}
/**
* @return string
*/
public function getDeployFailureCause()
{
return $this->deployFailureCause;
}
/**
* @param string
*/
public function setDeployStartTime($deployStartTime)
{
$this->deployStartTime = $deployStartTime;
}
/**
* @return string
*/
public function getDeployStartTime()
{
return $this->deployStartTime;
}
/**
* @param string
*/
public function setDeployingBuild($deployingBuild)
{
$this->deployingBuild = $deployingBuild;
}
/**
* @return string
*/
public function getDeployingBuild()
{
return $this->deployingBuild;
}
/**
* @param string
*/
public function setDescription($description)
{
$this->description = $description;
}
/**
* @return string
*/
public function getDescription()
{
return $this->description;
}
/**
* @param string
*/
public function setEnqueueTime($enqueueTime)
{
$this->enqueueTime = $enqueueTime;
}
/**
* @return string
*/
public function getEnqueueTime()
{
return $this->enqueueTime;
}
/**
* @param string
*/
public function setEtag($etag)
{
$this->etag = $etag;
}
/**
* @return string
*/
public function getEtag()
{
return $this->etag;
}
/**
* @param string
*/
public function setFailureReason($failureReason)
{
$this->failureReason = $failureReason;
}
/**
* @return string
*/
public function getFailureReason()
{
return $this->failureReason;
}
/**
* @param string[]
*/
public function setLabels($labels)
{
$this->labels = $labels;
}
/**
* @return string[]
*/
public function getLabels()
{
return $this->labels;
}
/**
* @param Metadata
*/
public function setMetadata(Metadata $metadata)
{
$this->metadata = $metadata;
}
/**
* @return Metadata
*/
public function getMetadata()
{
return $this->metadata;
}
/**
* @param string
*/
public function setName($name)
{
$this->name = $name;
}
/**
* @return string
*/
public function getName()
{
return $this->name;
}
/**
* @param Phase[]
*/
public function setPhases($phases)
{
$this->phases = $phases;
}
/**
* @return Phase[]
*/
public function getPhases()
{
return $this->phases;
}
/**
* @param string
*/
public function setRollbackOfRollout($rollbackOfRollout)
{
$this->rollbackOfRollout = $rollbackOfRollout;
}
/**
* @return string
*/
public function getRollbackOfRollout()
{
return $this->rollbackOfRollout;
}
/**
* @param string[]
*/
public function setRolledBackByRollouts($rolledBackByRollouts)
{
$this->rolledBackByRollouts = $rolledBackByRollouts;
}
/**
* @return string[]
*/
public function getRolledBackByRollouts()
{
return $this->rolledBackByRollouts;
}
/**
* @param string
*/
public function setState($state)
{
$this->state = $state;
}
/**
* @return string
*/
public function getState()
{
return $this->state;
}
/**
* @param string
*/
public function setTargetId($targetId)
{
$this->targetId = $targetId;
}
/**
* @return string
*/
public function getTargetId()
{
return $this->targetId;
}
/**
* @param string
*/
public function setUid($uid)
{
$this->uid = $uid;
}
/**
* @return string
*/
public function getUid()
{
return $this->uid;
}
}
// Adding a class alias for backwards compatibility with the previous class name.
class_alias(Rollout::class, 'Google_Service_CloudDeploy_Rollout');
``` |
```swift
//: [Table of Contents](00-ToC)
//: [Previous](@previous)
import SwifterSwift
import PlaygroundSupport
//: ## UIKit extensions
//: ### UIButton extensions
let button = UIButton(frame: CGRect(x: 0, y: 0, width: 100, height: 40))
// Set title, title color and image for all states at once!
button.setTitleForAllStates("Login")
button.setTitleColorForAllStates(UIColor.blue)
button.setImageForAllStates(UIImage(named: "login")!)
//: ### UIColor extensions
// Create new UIColor for RGB values
let color1 = UIColor(red: 121, green: 220, blue: 164)
// Create new UIColor for a hex string (including strings starting with #, 0x or in short css hex format)
let color2 = UIColor(hexString: "#00F")
// Create new UIColor for a hexadecimal value
let color3 = UIColor(hex: 0x45C91B)
// Blend two colors with ease
UIColor.blend(UIColor.red, intensity1: 0.5, with: UIColor.green, intensity2: 0.3)
// Return hexadecimal value string
UIColor.red.hexString
// Use Google Material design colors with ease
let indigo = UIColor.Material.indigo
// Use CSS colors with ease:
let beige = UIColor.CSS.beige
// Return brand colors from more than 30 social brands
let facebookColor = UIColor.Social.facebook
//: ### UIImage extensions
let image1 = UIImage(named: "logo")!
// Crop images
let croppedImage = image1.cropped(to: CGRect(x: 0, y: 0, width: 100, height: 100))
// scale to fit width or height
let scaledImage1 = image1.scaled(toHeight: 50)
let scaledImage2 = image1.scaled(toWidth: 50)
// Compress images
let compressedImage = image1.compressed(quality: 0.3)
// get image size
image1.kilobytesSize
//: ### UIImageView extensions
let imageView = UIImageView()
// Download an image from URL in background
PlaygroundPage.current.needsIndefiniteExecution = true
imageView.download(from: URL(string: "path_to_url")!,
contentMode: .scaleAspectFit,
placeholder: image1,
completionHandler: { downloadedImage in
downloadedImage
PlaygroundPage.current.needsIndefiniteExecution = false
imageView.sizeToFit()
// Blur image view
imageView.blur(withStyle: .light)
})
//: ### UINavigationBar extensions
let navbar = UINavigationBar(frame: CGRect(x: 0, y: 0, width: 100, height: 60))
let navItem = UINavigationItem(title: "Title")
navbar.pushItem(navItem, animated: false)
// Change navigation bar font and color
navbar.setTitleFont(UIFont.systemFont(ofSize: 10), color: UIColor.red)
//: ### UIView extensions
// Set borderColor, borderWidth, cornerRadius, shadowColor, and many other properties from code or storyboard
var view = UIView(frame: CGRect(x: 0, y: 0, width: 100, height: 100))
view.backgroundColor = UIColor.red
// Set some or all corners radiuses of view.
view.roundCorners([.bottomLeft, .topRight], radius: 30)
view.layerCornerRadius = 30
// Add shadow to view
view.addShadow(ofColor: .black, radius: 3, opacity: 0.5)
// Add gradient
view.addGradient(colors: [.red], direction: .rightToLeft)
//: [Next](@next)
``` |
Queen Wonyong of the Chŏngju Yu clan () was a Goryeo royal family member as the granddaughter of King Daejong, son of King Taejo who became the 5th wife of her half first cousin once removed, King Hyeonjong which she then followed her grandmother's clan, the Chŏngju Yu.
Her husband's mother, Grand Queen Mother Hyosuk was initially her paternal aunt, while his first and second wife was initially her first cousin (her uncle's daughters). Yu entered the palace in 1013 (4th year reign of King Hyeonjong) as his fifth wife and was posthumously honoured as Queen Wonyong (원용왕후, 元容王后) later. They didn't have any children.
References
External links
Queen Wonyong on Goryeosa .
Queen Wonyong on Encykorea .
원용왕후 on Doosan Encyclopedia .
Year of birth unknown
Year of death unknown
Chŏngju Yu clan
Consorts of Hyeonjong of Goryeo
11th-century Korean women |
Big Diamond Pond is a small lake southwest of Big Moose in Herkimer County, New York. It drains south via an unnamed creek that flows into the North Branch Moose River.
See also
List of lakes in New York
References
Lakes of New York (state)
Lakes of Herkimer County, New York |
Peter Murrieta is an American television producer and writer.
He is best known for his work on the Disney Channel sitcom Wizards of Waverly Place, in which he served as head writer and executive producer during the first three seasons. He went on to win two Emmy Awards for his work on the series and Wizards of Waverly Place: The Movie. His most recent work is being an executive producer for the Cartoon Network live-action series, Level Up.
He has two sons named Joaquin Aaron Murrieta and Daniel Storms Murrieta and is residing in the Los Angeles County.
Murrieta's other television credits include All About the Andersons, Hope & Faith, Jesse and Greetings from Tucson, which he created.
More recently, he signed a first look deal with Universal Television.
References
External links
American television producers
American television writers
American male television writers
Primetime Emmy Award winners
Living people
Place of birth missing (living people)
Year of birth missing (living people) |
Sir Henry Vernon, KB (1441–13 April 1515), was a Tudor-era English landowner, politician, and courtier. He was the Controller of the household of Arthur, Prince of Wales, eldest son of Henry VII of England and heir to the throne until his untimely death.
Family
Vernon was born into the prominent Vernon family of Cheshire and Derbyshire. His father, William Vernon, was Knight-Constable of England, Treasurer of Calais, and a Member of Parliament, while his grandfather Richard Vernon had been the Speaker of the House of Commons. His mother, Margaret Swynfen, was the heiress of Sir Robert Pype. Henry Vernon was one of twelve children, and was the principal heir, succeeding his father at the latter's death in 1467.
Wars of the Roses
Vernon came of age during the Wars of the Roses, and managed to quite adroitly steer through the turbulent times. He had family connections to the Lancastrian side through his marriage to Anne Talbot, daughter of John Talbot, 2nd Earl of Shrewsbury, but his own sympathies seem to have inclined towards the Yorkists. Vernon's involvement in the events of the day is reflected in surviving correspondence to him from the Duke of Clarence summoning him to the field of battle, and a letter from Richard Neville "the Kingmaker" which includes the only known surviving sample of Warwick's handwriting.
For his part, Vernon seems to have avoided committing himself too firmly with one side. Despite Clarence's requests for Vernon to join the battles at Barnet and Tewkesbury, Vernon managed to find excuses to avoid involvement. Though his answers to Clarence and Warwick do not survive, there is no evidence to suggest that he left his home at Haddon. His lackluster response does not seem to have harmed his standing with the Yorkist faction; he was made an esquire of the body to both Edward IV and Richard III. He also served as MP for Derbyshire in 1478. Despite holding these offices, Vernon seamlessly transitioned from Yorkist loyalist to Tudor official.
Tudor courtier
Almost immediately after the Tudor victory, Vernon came into high favor with the new monarch, Henry VII. He was commended for his service to the king at Stoke Field, and was appointed governor and treasurer of the new king's heir, Arthur. When the latter was made Prince of Wales in 1489, Vernon was made a Knight of the Bath. One apartment at Haddon Hall was known as the "Prince's Chamber", as Arthur spent much of his time at Vernon's estate, as well as at Tong Castle, which Vernon greatly renovated around 1500. Vernon was one of the witnesses to the marriage contract between Arthur and Katherine of Aragon.
The young prince's early death was a blow to the influence of the Vernons, depriving them of the opportunity for royal patronage. The same year that the prince died, Vernon abducted an heiress, the widow Margaret Kebell, to marry his own son, Roger, possibly as an attempt to recoup some of the expenses he had incurred from years of royal service. His action, a blatant abuse of his authority, brought rebuke and a heavy fine from the king. Nevertheless, Vernon was still sent to accompany the king's daughter, Margaret Tudor, to Scotland for her marriage to James IV of Scotland, and he was later pardoned for his role in the abduction. He served as High Sheriff of Derbyshire in 1504.
Marriage and children
Vernon married Anne Talbot (died 1494), daughter of the 2nd Earl of Shrewsbury. Among their children were:
Roger Vernon, abducted and married against her will the heiress Margaret Kebell
Richard Vernon (d. 1517), married Margaret Dymoke, daughter of Sir Robert Dymoke
Thomas Vernon (d. 1556), married Anne Ludlow; his son Thomas was MP for Shropshire
Humphrey Vernon (d. 1542), married Alice Ludlow
Arthur Vernon (d. 1517), a priest
John Vernon (d. 1545), married Ellen/Helen Montgomery, daughter of Sir John Montgomery
Elizabeth Vernon (d. 1563), married Sir Robert Corbet
Mary Vernon (d. 1525), married Sir Edward Aston
Margaret Vernon
Anne Vernon (d. by 1507), married Sir Ralph Shirley
Alice Vernon
Death and burial
Vernon died on 13 April 1515, and was buried in St Bartholomew's Church, Tong, near many of his family members. His wife, Anne Talbot, had predeceased him in 1494. Their tomb effigies, unlike the others in the church, were of stone.
References
External links
Discovering Tong: Sir Henry Vernon
The Vernon Family
1441 births
1515 deaths
English MPs 1478
Members of the Parliament of England for Derbyshire
High Sheriffs of Derbyshire
Esquires of the Body
Knights of the Bath
Henry |
```html
#@layout()
#define css()
<link rel="stylesheet" href="#(CPATH)/static/components/jquery-file-upload/css/jquery.fileupload.css">
<style>
#uploader {
height: 230px;
}
.myPanel {
font-size: 25px;
color: #ccc;
text-align: center;
padding-top: 60px;
}
</style>
#end
#define script()
<script src="#(CPATH)/static/components/jquery-file-upload/js/vendor/jquery.ui.widget.js"></script>
<script src="#(CPATH)/static/components/jquery-file-upload/js/jquery.iframe-transport.js"></script>
<script src="#(CPATH)/static/components/jquery-file-upload/js/jquery.fileupload.js"></script>
<script>
$('#cfile').fileupload({
dropZone: $('#uploader'),
url: '#(CPATH)/admin/setting/tools/markdown/doMarkdownImport',
sequentialUploads: true,
done: function (e, data) {
if (data.result.state == "ok") {
toastr.success(" Markdown ")
} else {
toastr.error(data.result.message)
}
}
});
</script>
#end
#define content()
<section class="content-header">
<div class="container-fluid">
<div class="row">
<div class="col-sm-6">
<div class="row mb-2">
<div class="col-sm-12">
<h1>
Markdown
<small data-toggle="tooltip" title="" data-placement="right"
data-trigger="hover"><i class="nav-icon far fa-question-circle"></i></small>
<small> / / Markdown</small>
</h1>
</div>
</div>
</div>
</div>
</div><!-- /.container-fluid -->
</section>
<section class="content">
<div class="container-fluid">
<div class="card card-outline card-primary">
<div class="card-body">
<div id="uploader">
<span class="btn btn-block btn-primary fileinput-button" style="width: 220px">
<i class="fas fa-plus"></i>
<span>Markdown</span>
<input id="cfile" type="file" name="files[]" multiple>
</span>
<div class="myPanel">
Hexo/Jekyll ...
</div>
</div>
</div>
</div>
</div>
</section>
#end
``` |
Youmans is a surname of English origin, a variant of "yeoman". Notable persons with this last name include:
Ashley Youmans, birth-name of Ashley Alexandra Dupré, call girl connected to the Eliot Spitzer prostitution scandal
Charlotte Youmans, New Zealand painter
Clarion A. Youmans, American politician
Edward L. Youmans, American science writer, advocate of Darwinism, and founder of Popular Science magazine; brother of Eliza Ann Youmans
Eliza Ann Youmans, American science writer (sister of Edward L. Youmans)
Floyd Youmans, American baseball player
Frank A. Youmans, American judge
Heather Youmans, American singer-songwriter, voice actor, and journalist
Henry M. Youmans, American politician
Laurel E. Youmans, American politician and physician
LeRoy Franklin Youmans, American politician
Letitia Youmans, Canadian Temperance advocate and WCTU organizer
Marly Youmans, American author and poet
Maury Youmans, American professional football player
Theodora W. Youmans, American journalist and women's suffrage activist
Vincent Youmans, American Broadway composer
Will Youmans, Palestinian-American human rights activist and rapper
William Youmans, Broadway actor (grand-nephew of Vincent Youmans) |
"An Sylvia", D 891; Op. 106, No. 4, is a Lied for voice and piano composed by Franz Schubert in 1826 and published in 1828. Its text is a German translation by Eduard von Bauernfeld of "Who is Silvia?" from act 4, scene 2, of The Two Gentlemen of Verona by William Shakespeare. "An Sylvia" was composed during a peak in Schubert's career around the time he was writing the Ninth Symphony "Great" (D 944), two years before his death.
Creation
Although considered to be myth, it is said that Schubert first came up with the idea to write "An Sylvia" as he was walking in Vienna and entered a beer garden with friends. There, he found a volume of Shakespeare on a table and as he was reading, he apparently exclaimed, "Oh! I have such a pretty melody running in my head. If only I had some paper!" His friend drew staves on the back of a menu, and, as it came to his head, Schubert spontaneously wrote melodies to the words he was reading in the play.
The handwritten score was originally entitled "Gesang" and appeared within a small booklet labeled Währing, July 1826 (Währing was a town outside of Vienna where Schubert stayed with his friend Franz von Schober). The score had no tempo markings and served as Schubert's only draft of "An Sylvia" which allowed him to write additional notes in the score over time as ideas came to him. In addition, the title "Gesang" was crossed out and instead "An Sylvia" was written in its place. "An Sylvia" became one of three Shakespeare texts set to music by Schubert; the other two are "Ständchen" ("Hark, hark! the lark") and "Trinklied" ("Bacchus, feister Fürst des Weins", D 888).
Schubert's friend, Franz von Schober, kept the original manuscript and managed Schubert's music after the composer's death. After the Lithographic Institute of Vienna published "An Sylvia" in 1828, Schober published it himself shortly after. In 1829, "An Sylvia" was assigned opus number 106 after Anton Diabelli published the work.
Composition
"An Sylvia" is written in the key of A major with a time signature of alla breve. A four-bar introduction by the piano is followed by 25 bars, a strophic form identical for each stanza. The song is in bar form, which follows a pattern of A–A'–B: a main melody, or in German, followed by an ending melody known as the . The majority of the piece stays in close proximity to the tonic and is generally simplistic in form. However, the second phrase of the (A') is the only phrase that passes through the third scale degree and demonstrates Schubert's ability to bring out emotional qualities through unexpected changes in the harmonization. In addition, the B section is the only phrase to cadence on the tonic. Other key features of "An Sylvia" include an echo on the piano at the ends of phrases, ascending figures in the piano accompaniment's bass, and a separate melodic figure in the piano's top (treble) staff at the end of the B phrase. All of these characteristics demonstrate Schubert's emphasis on interdependency between the melody and the accompaniment.
Text
The poem introduces Sylvia who is characterized as a beautiful, fair, and innocent woman admired by her suitors. The question becomes whether or not Sylvia is as kind as she is attractive, because only kindness can make her beautiful. When Sylvia is in love with one of the suitors, her eyes appear softer, helping the suitor to see that she is a kind and caring person.
Was ist Sylvia, saget an,
dass sie die weite Flur preist?
Schön und zart seh' ich sie nahn,
auf Himmels Gunst und Spur weist,
|: dass ihr Alles unterthan. :|
Ist sie schön und gut dazu?
Reiz labt wie milde Kindheit;
ihrem Aug' eilt Amor zu,
dort heilt er seine Blindheit,
|: und verweilt in süßer Ruh'. :|
Darum Sylvia tön', o Sang,
der holden Sylvia Ehren!
Jeden Reiz besiegt sie lang,
den Erde kann gewähren:
|: Kränze ihr und Saitenklang! :|
Who is Silvia? What is she,
That all our swains commend her?
Holy, fair, and wise is she;
The heaven such grace did lend her,
That she might admirèd be.
Is she kind as she is fair?
For beauty lives with kindness.
Love doth to her eyes repair,
To help him of his blindness,
And, being helped, inhabits there.
Then to Silvia let us sing,
That Silvia is excelling;
She excels each mortal thing
Upon the dull earth dwelling:
To her let us garlands bring.
(In fact Kindheit means "childhood" in German, not "kindness". Peter Low's Translating Song: Lyrics and Texts argues that this is not simply a mistranslation as is often stated, but an intelligent trade-off by Bauernfeld to preserve the rhyme at the expense of the meaning; he notes that it is not incompatible with the sense since "Sylvia is presumably young, innocent and good".)
Dedicatee
Schubert dedicated "An Sylvia" to one of his donors, Marie Pachler, a successful woman, talented pianist and composer from Graz who knew Beethoven personally and enjoyed bringing musicians over to her house for entertainment.
References
External links
, Dietrich Fischer-Dieskau, Gerald Moore (1957)
1826 compositions
Music based on works by William Shakespeare
Lieder composed by Franz Schubert
Compositions in A major
Music dedicated to benefactors or patrons |
Fox Creek is an unincorporated community in Conejos County, in the U.S. state of Colorado.
History
The first settlement at Fox Creek was made in 1887 by a colony of Mormons. The community takes its name from a nearby creek where foxes were abundant.
References
Unincorporated communities in Conejos County, Colorado |
```m4sugar
# ltsugar.m4 -- libtool m4 base layer. -*-Autoconf-*-
#
# Written by Gary V. Vaughan, 2004
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
# serial 6 ltsugar.m4
# This is to help aclocal find these macros, as it can't see m4_define.
AC_DEFUN([LTSUGAR_VERSION], [m4_if([0.1])])
# lt_join(SEP, ARG1, [ARG2...])
# -----------------------------
# Produce ARG1SEPARG2...SEPARGn, omitting [] arguments and their
# associated separator.
# Needed until we can rely on m4_join from Autoconf 2.62, since all earlier
# versions in m4sugar had bugs.
m4_define([lt_join],
[m4_if([$#], [1], [],
[$#], [2], [[$2]],
[m4_if([$2], [], [], [[$2]_])$0([$1], m4_shift(m4_shift($@)))])])
m4_define([_lt_join],
[m4_if([$#$2], [2], [],
[m4_if([$2], [], [], [[$1$2]])$0([$1], m4_shift(m4_shift($@)))])])
# lt_car(LIST)
# lt_cdr(LIST)
# ------------
# Manipulate m4 lists.
# These macros are necessary as long as will still need to support
# Autoconf-2.59 which quotes differently.
m4_define([lt_car], [[$1]])
m4_define([lt_cdr],
[m4_if([$#], 0, [m4_fatal([$0: cannot be called without arguments])],
[$#], 1, [],
[m4_dquote(m4_shift($@))])])
m4_define([lt_unquote], $1)
# lt_append(MACRO-NAME, STRING, [SEPARATOR])
# ------------------------------------------
# Redefine MACRO-NAME to hold its former content plus `SEPARATOR'`STRING'.
# Note that neither SEPARATOR nor STRING are expanded; they are appended
# to MACRO-NAME as is (leaving the expansion for when MACRO-NAME is invoked).
# No SEPARATOR is output if MACRO-NAME was previously undefined (different
# than defined and empty).
#
# This macro is needed until we can rely on Autoconf 2.62, since earlier
# versions of m4sugar mistakenly expanded SEPARATOR but not STRING.
m4_define([lt_append],
[m4_define([$1],
m4_ifdef([$1], [m4_defn([$1])[$3]])[$2])])
# lt_combine(SEP, PREFIX-LIST, INFIX, SUFFIX1, [SUFFIX2...])
# ----------------------------------------------------------
# Produce a SEP delimited list of all paired combinations of elements of
# PREFIX-LIST with SUFFIX1 through SUFFIXn. Each element of the list
# has the form PREFIXmINFIXSUFFIXn.
# Needed until we can rely on m4_combine added in Autoconf 2.62.
m4_define([lt_combine],
[m4_if(m4_eval([$# > 3]), [1],
[m4_pushdef([_Lt_sep], [m4_define([_Lt_sep], m4_defn([lt_car]))])]]dnl
[[m4_foreach([_Lt_prefix], [$2],
[m4_foreach([_Lt_suffix],
]m4_dquote(m4_dquote(m4_shift(m4_shift(m4_shift($@)))))[,
[_Lt_sep([$1])[]m4_defn([_Lt_prefix])[$3]m4_defn([_Lt_suffix])])])])])
# lt_if_append_uniq(MACRO-NAME, VARNAME, [SEPARATOR], [UNIQ], [NOT-UNIQ])
# your_sha256_hash-------
# Iff MACRO-NAME does not yet contain VARNAME, then append it (delimited
# by SEPARATOR if supplied) and expand UNIQ, else NOT-UNIQ.
m4_define([lt_if_append_uniq],
[m4_ifdef([$1],
[m4_if(m4_index([$3]m4_defn([$1])[$3], [$3$2$3]), [-1],
[lt_append([$1], [$2], [$3])$4],
[$5])],
[lt_append([$1], [$2], [$3])$4])])
# lt_dict_add(DICT, KEY, VALUE)
# -----------------------------
m4_define([lt_dict_add],
[m4_define([$1($2)], [$3])])
# lt_dict_add_subkey(DICT, KEY, SUBKEY, VALUE)
# --------------------------------------------
m4_define([lt_dict_add_subkey],
[m4_define([$1($2:$3)], [$4])])
# lt_dict_fetch(DICT, KEY, [SUBKEY])
# ----------------------------------
m4_define([lt_dict_fetch],
[m4_ifval([$3],
m4_ifdef([$1($2:$3)], [m4_defn([$1($2:$3)])]),
m4_ifdef([$1($2)], [m4_defn([$1($2)])]))])
# lt_if_dict_fetch(DICT, KEY, [SUBKEY], VALUE, IF-TRUE, [IF-FALSE])
# your_sha256_hash-
m4_define([lt_if_dict_fetch],
[m4_if(lt_dict_fetch([$1], [$2], [$3]), [$4],
[$5],
[$6])])
# lt_dict_filter(DICT, [SUBKEY], VALUE, [SEPARATOR], KEY, [...])
# --------------------------------------------------------------
m4_define([lt_dict_filter],
[m4_if([$5], [], [],
[lt_join(m4_quote(m4_default([$4], [[, ]])),
lt_unquote(m4_split(m4_normalize(m4_foreach(_Lt_key, lt_car([m4_shiftn(4, $@)]),
[lt_if_dict_fetch([$1], _Lt_key, [$2], [$3], [_Lt_key ])])))))])[]dnl
])
``` |
```rust
/*
*
* This software may be used and distributed according to the terms of the
*/
extern crate proc_macro;
use hgrc_parser::Instruction;
use indexmap::IndexMap;
use proc_macro::TokenStream;
use proc_macro::TokenTree;
/// Generate `StaticConfig` from a static string in rc format:
///
/// ```ignore
/// static_rc!(
/// r#"
/// [section]
/// name = value
/// "#
/// )
/// ```
#[proc_macro]
pub fn static_rc(tokens: TokenStream) -> TokenStream {
// Extract.
let content: String = match extract_string_literal(tokens.clone()) {
Some(content) => content,
None => panic!(
"static_rc requires a single string literal, got: {:?}",
tokens
),
};
// Parse hgrc.
let mut items: Vec<(&str, &str, Option<String>)> = Vec::new();
for inst in hgrc_parser::parse(&content).expect("parse static_rc!") {
match inst {
Instruction::SetConfig {
section,
name,
value,
..
} => {
items.push((section, name, Some(value.to_string())));
}
Instruction::UnsetConfig { section, name, .. } => {
items.push((section, name, None));
}
Instruction::Include { .. } => {
panic!("static_rc! does not support %include");
}
}
}
static_config_from_items(&items)
}
fn extract_string_literal(tokens: TokenStream) -> Option<String> {
let mut result: Option<String> = None;
for token in tokens {
if result.is_some() {
return None;
}
match token {
TokenTree::Literal(lit) => {
// Extract the string out. Note public APIs of "Literal" only provides a way to get
// the content with surrounding " " or r#" "#. Use a naive approach to strip out
// the " ".
let quoted = lit.to_string();
let content = quoted.splitn(2, '"').nth(1)?.rsplitn(2, '"').nth(1)?;
let content = if quoted.starts_with('r') {
content.to_string()
} else {
// Handle escapes naively.
content.replace(r"\n", "\n")
};
result = Some(content);
continue;
}
TokenTree::Group(group) => {
result = extract_string_literal(group.stream());
}
_ => {}
}
}
result
}
/// Generate `StaticConfig` from a static string in rc format:
///
/// ```ignore
/// static_items![
/// ("section1", "name1", "value1"),
/// ("section1", "name2", "value2"),
/// ]
/// ```
#[proc_macro]
pub fn static_items(tokens: TokenStream) -> TokenStream {
let mut items: Vec<(String, String, String)> = Vec::new();
for token in tokens {
if let TokenTree::Group(group) = token {
let tokens: Vec<_> = group.stream().into_iter().collect();
if let [section, _comma1, name, _comma2, value] = &tokens[..] {
let section = extract_string_literal(section.clone().into()).expect("section");
let name = extract_string_literal(name.clone().into()).expect("name");
let value = extract_string_literal(value.clone().into()).expect("value");
items.push((section, name, value));
}
}
}
let items: Vec<(&str, &str, Option<String>)> = items
.iter()
.map(|v| (v.0.as_str(), v.1.as_str(), Some(v.2.clone())))
.collect();
static_config_from_items(&items)
}
/// Generate code for `StaticConfig` for a list of `(section, name, value)`.
/// A `None` `value` means `%unset`. The order of the list is preserved in
/// APIs like `sections()` and `keys()`.
fn static_config_from_items(items: &[(&str, &str, Option<String>)]) -> TokenStream {
let mut sections: IndexMap<&str, IndexMap<&str, Option<String>>> = IndexMap::new();
for (section, name, value) in items {
sections
.entry(section)
.or_default()
.insert(name, value.clone());
}
// Generate code. Looks like:
//
// {
// use staticconfig::phf;
// // Workaround nested map. See path_to_url
// const SECTION1 = phf::phf_ordered_map! {
// "name1" => Some("value1"),
// "name2" => None, // %unset
// };
// const SECTION2 = phf::phf_ordered_map! {
// ...
// };
// ...
// const SECTIONS = phf::phf_ordered_map! {
// "section1" => SECTION1,
// "section2" => SECTION2,
// ...
// };
// staticconfig::StaticConfig {
// name: "StaticConfig",
// sections: SECTIONS,
// }
// }
let mut code = "{ use staticconfig::phf;\n".to_string();
for (i, (_section, items)) in sections.iter().enumerate() {
code += &format!(
"const SECTION{}: phf::OrderedMap<&'static str, Option<&'static str>> = phf::phf_ordered_map! {{\n",
i
);
for (name, value) in items.iter() {
code += &format!(" {:?} => {:?},\n", name, value);
}
code += "};\n";
}
code += "const SECTIONS: phf::OrderedMap<&'static str, phf::OrderedMap<&'static str, Option<&'static str>>> = phf::phf_ordered_map! {\n";
for (i, (section, _items)) in sections.iter().enumerate() {
code += &format!(" {:?} => SECTION{},\n", section, i);
}
code += "};\n";
code += r#"staticconfig::StaticConfig::from_macro_rules(SECTIONS) }"#;
code.parse().unwrap()
}
``` |
```python
#!/usr/bin/env python2
"""
VDF file reader
This program is free software; you can redistribute it and/or modify
the Free Software Foundation
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
with this program; if not, write to the Free Software Foundation, Inc.,
51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
"""
import shlex
def parse_vdf(fileobj):
"""
Converts VDF file or file-like object into python dict
Throws ValueError if profile cannot be parsed.
"""
rv = {}
stack = [ rv ]
lexer = shlex.shlex(fileobj)
key = None
t = lexer.get_token()
while t:
if t == "{":
# Set value to dict and add it on top of stack
if key is None:
raise ValueError("Dict without key")
value = {}
if key in stack[-1]:
lst = ensure_list(stack[-1][key])
lst.append(value)
stack[-1][key] = lst
else:
stack[-1][key] = value
stack.append(value)
key = None
elif t == "}":
# Pop last dict from stack
if len(stack) < 2:
raise ValueError("'}' without '{'")
stack = stack[0:-1]
elif key is None:
key = t.strip('"').lower()
elif key in stack[-1]:
lst = ensure_list(stack[-1][key])
lst.append(t.strip('"'))
stack[-1][key] = lst
key = None
else:
stack[-1][key] = t.strip('"')
key = None
t = lexer.get_token()
if len(stack) > 1:
raise ValueError("'{' without '}'")
return rv
def ensure_list(value):
"""
If value is list, returns same value.
Otherwise, returns [ value ]
"""
return value if type(value) == list else [ value ]
if __name__ == "__main__":
print parse_vdf(file('app_generic.vdf', "r"))
``` |
```json5
{
"Comment": "AWS_SDK_DYNAMODB_PUT_DELETE_ITEM",
"StartAt": "PutItem",
"States": {
"PutItem": {
"Type": "Task",
"Resource": "arn:aws:states:::aws-sdk:dynamodb:putItem",
"Parameters": {
"TableName.$": "$.TableName",
"Item.$": "$.Item"
},
"ResultPath": "$.putItemOutput",
"Next": "DeleteItem"
},
"DeleteItem": {
"Type": "Task",
"Resource": "arn:aws:states:::aws-sdk:dynamodb:deleteItem",
"ResultPath": "$.deleteItemOutput",
"Parameters": {
"TableName.$": "$.TableName",
"Key.$": "$.Key"
},
"End": true
}
}
}
``` |
```python
from cStringIO import StringIO
from json.tests import PyTest, CTest
class TestDump(object):
def test_dump(self):
sio = StringIO()
self.json.dump({}, sio)
self.assertEqual(sio.getvalue(), '{}')
def test_dumps(self):
self.assertEqual(self.dumps({}), '{}')
def test_encode_truefalse(self):
self.assertEqual(self.dumps(
{True: False, False: True}, sort_keys=True),
'{"false": true, "true": false}')
self.assertEqual(self.dumps(
{2: 3.0, 4.0: 5L, False: 1, 6L: True}, sort_keys=True),
'{"false": 1, "2": 3.0, "4.0": 5, "6": true}')
# Issue 16228: Crash on encoding resized list
def test_encode_mutated(self):
a = [object()] * 10
def crasher(obj):
del a[-1]
self.assertEqual(self.dumps(a, default=crasher),
'[null, null, null, null, null]')
class TestPyDump(TestDump, PyTest): pass
class TestCDump(TestDump, CTest): pass
``` |
The Old Nag's Head, Old Dixton Road, Monmouth, Wales, is a nineteenth-century public house, with medieval origins, which incorporates a "stone drum tower of the town defences constructed between 1297 and c.1315." The tower is the only "upstanding remains of the town walls of Monmouth." The pub was designated a Grade II* listed building on 26 April 1955, its rating being due to "its interest as an early C19 public house which retains its character as well as a significant portion of a medieval gate-tower."
The Dixton Gate
The medieval gate-tower itself was seized by Lord Charles Somerset a Royalist on 17 November 1644 at around 5am during the Civil War and was the point through which the Royalists entered Monmouth to take the town from the Parliamentarians. Somerset and 40 horses reached Dixton Gate without opposition. The guard of six men fled. The Cavaliers then broke the chain of the Dixton Gate with a crowbar and entered the town. The action itself saw several members of the Parliamentary Committee for South Wales captured along with 200 officers and men. Arms and ammunition were also taken including some hammer guns.
The other tower and rest of the Dixton Gate were removed in 1770 because they were hindering the passage of coaches.
Press
The Lonely Planet guide describes the Old Nag's Head as "an old-fashioned, no-frills, neighbourhood pub".
References
Sources
Newman, J., The Buildings of Wales: Gwent/Monmouthshire, (2000) Penguin Books
History of Monmouthshire
Grade II* listed buildings in Monmouthshire
Pubs in Monmouth
Grade II* listed pubs in Wales |
Abanga can refer to:
Abanga River, river in Gabon
George Abanga (1976-2015), Ghanaian radio journalist
West Indian term for any of several varieties of palm (plant) or its fruit
See also
Abhanga, Hindu devotional poetry
Abang (disambiguation)
Abangan, type of Javanese Muslim |
```scala
/*
*/
package com.lightbend.internal.broker
import akka.persistence.query.Offset
import akka.stream.scaladsl.Source
import com.lightbend.lagom.scaladsl.api.broker.Subscriber
import com.lightbend.lagom.scaladsl.api.broker.Topic
import com.lightbend.lagom.scaladsl.persistence.AggregateEvent
import com.lightbend.lagom.scaladsl.persistence.AggregateEventTag
import scala.collection.immutable
trait InternalTopic[Message] extends Topic[Message] {
final override def topicId: Topic.TopicId =
throw new UnsupportedOperationException("Topic#topicId is not permitted in the service's topic implementation")
final override def subscribe: Subscriber[Message] =
throw new UnsupportedOperationException("Topic#subscribe is not permitted in the service's topic implementation.")
}
final class TaggedOffsetTopicProducer[Message, Event <: AggregateEvent[Event]](
val tags: immutable.Seq[AggregateEventTag[Event]],
val readSideStream: (AggregateEventTag[Event], Offset) => Source[(Message, Offset), _]
) extends InternalTopic[Message]
``` |
```objective-c
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef V8_X87_CODE_STUBS_X87_H_
#define V8_X87_CODE_STUBS_X87_H_
namespace v8 {
namespace internal {
void ArrayNativeCode(MacroAssembler* masm,
bool construct_call,
Label* call_generic_code);
class StringHelper : public AllStatic {
public:
// Generate code for copying characters using the rep movs instruction.
// Copies ecx characters from esi to edi. Copying of overlapping regions is
// not supported.
static void GenerateCopyCharacters(MacroAssembler* masm,
Register dest,
Register src,
Register count,
Register scratch,
String::Encoding encoding);
// Compares two flat one byte strings and returns result in eax.
static void GenerateCompareFlatOneByteStrings(MacroAssembler* masm,
Register left, Register right,
Register scratch1,
Register scratch2,
Register scratch3);
// Compares two flat one byte strings for equality and returns result in eax.
static void GenerateFlatOneByteStringEquals(MacroAssembler* masm,
Register left, Register right,
Register scratch1,
Register scratch2);
private:
static void GenerateOneByteCharsCompareLoop(
MacroAssembler* masm, Register left, Register right, Register length,
Register scratch, Label* chars_not_equal,
Label::Distance chars_not_equal_near = Label::kFar);
DISALLOW_IMPLICIT_CONSTRUCTORS(StringHelper);
};
class NameDictionaryLookupStub: public PlatformCodeStub {
public:
enum LookupMode { POSITIVE_LOOKUP, NEGATIVE_LOOKUP };
NameDictionaryLookupStub(Isolate* isolate, Register dictionary,
Register result, Register index, LookupMode mode)
: PlatformCodeStub(isolate) {
minor_key_ = DictionaryBits::encode(dictionary.code()) |
ResultBits::encode(result.code()) |
IndexBits::encode(index.code()) | LookupModeBits::encode(mode);
}
static void GenerateNegativeLookup(MacroAssembler* masm,
Label* miss,
Label* done,
Register properties,
Handle<Name> name,
Register r0);
static void GeneratePositiveLookup(MacroAssembler* masm,
Label* miss,
Label* done,
Register elements,
Register name,
Register r0,
Register r1);
bool SometimesSetsUpAFrame() override { return false; }
private:
static const int kInlinedProbes = 4;
static const int kTotalProbes = 20;
static const int kCapacityOffset =
NameDictionary::kHeaderSize +
NameDictionary::kCapacityIndex * kPointerSize;
static const int kElementsStartOffset =
NameDictionary::kHeaderSize +
NameDictionary::kElementsStartIndex * kPointerSize;
Register dictionary() const {
return Register::from_code(DictionaryBits::decode(minor_key_));
}
Register result() const {
return Register::from_code(ResultBits::decode(minor_key_));
}
Register index() const {
return Register::from_code(IndexBits::decode(minor_key_));
}
LookupMode mode() const { return LookupModeBits::decode(minor_key_); }
class DictionaryBits: public BitField<int, 0, 3> {};
class ResultBits: public BitField<int, 3, 3> {};
class IndexBits: public BitField<int, 6, 3> {};
class LookupModeBits: public BitField<LookupMode, 9, 1> {};
DEFINE_NULL_CALL_INTERFACE_DESCRIPTOR();
DEFINE_PLATFORM_CODE_STUB(NameDictionaryLookup, PlatformCodeStub);
};
class RecordWriteStub: public PlatformCodeStub {
public:
RecordWriteStub(Isolate* isolate, Register object, Register value,
Register address, RememberedSetAction remembered_set_action,
SaveFPRegsMode fp_mode)
: PlatformCodeStub(isolate),
regs_(object, // An input reg.
address, // An input reg.
value) { // One scratch reg.
minor_key_ = ObjectBits::encode(object.code()) |
ValueBits::encode(value.code()) |
AddressBits::encode(address.code()) |
RememberedSetActionBits::encode(remembered_set_action) |
SaveFPRegsModeBits::encode(fp_mode);
}
RecordWriteStub(uint32_t key, Isolate* isolate)
: PlatformCodeStub(key, isolate), regs_(object(), address(), value()) {}
enum Mode {
STORE_BUFFER_ONLY,
INCREMENTAL,
INCREMENTAL_COMPACTION
};
bool SometimesSetsUpAFrame() override { return false; }
static const byte kTwoByteNopInstruction = 0x3c; // Cmpb al, #imm8.
static const byte kTwoByteJumpInstruction = 0xeb; // Jmp #imm8.
static const byte kFiveByteNopInstruction = 0x3d; // Cmpl eax, #imm32.
static const byte kFiveByteJumpInstruction = 0xe9; // Jmp #imm32.
static Mode GetMode(Code* stub) {
byte first_instruction = stub->instruction_start()[0];
byte second_instruction = stub->instruction_start()[2];
if (first_instruction == kTwoByteJumpInstruction) {
return INCREMENTAL;
}
DCHECK(first_instruction == kTwoByteNopInstruction);
if (second_instruction == kFiveByteJumpInstruction) {
return INCREMENTAL_COMPACTION;
}
DCHECK(second_instruction == kFiveByteNopInstruction);
return STORE_BUFFER_ONLY;
}
static void Patch(Code* stub, Mode mode) {
switch (mode) {
case STORE_BUFFER_ONLY:
DCHECK(GetMode(stub) == INCREMENTAL ||
GetMode(stub) == INCREMENTAL_COMPACTION);
stub->instruction_start()[0] = kTwoByteNopInstruction;
stub->instruction_start()[2] = kFiveByteNopInstruction;
break;
case INCREMENTAL:
DCHECK(GetMode(stub) == STORE_BUFFER_ONLY);
stub->instruction_start()[0] = kTwoByteJumpInstruction;
break;
case INCREMENTAL_COMPACTION:
DCHECK(GetMode(stub) == STORE_BUFFER_ONLY);
stub->instruction_start()[0] = kTwoByteNopInstruction;
stub->instruction_start()[2] = kFiveByteJumpInstruction;
break;
}
DCHECK(GetMode(stub) == mode);
CpuFeatures::FlushICache(stub->instruction_start(), 7);
}
DEFINE_NULL_CALL_INTERFACE_DESCRIPTOR();
private:
// This is a helper class for freeing up 3 scratch registers, where the third
// is always ecx (needed for shift operations). The input is two registers
// that must be preserved and one scratch register provided by the caller.
class RegisterAllocation {
public:
RegisterAllocation(Register object,
Register address,
Register scratch0)
: object_orig_(object),
address_orig_(address),
scratch0_orig_(scratch0),
object_(object),
address_(address),
scratch0_(scratch0) {
DCHECK(!AreAliased(scratch0, object, address, no_reg));
scratch1_ = GetRegThatIsNotEcxOr(object_, address_, scratch0_);
if (scratch0.is(ecx)) {
scratch0_ = GetRegThatIsNotEcxOr(object_, address_, scratch1_);
}
if (object.is(ecx)) {
object_ = GetRegThatIsNotEcxOr(address_, scratch0_, scratch1_);
}
if (address.is(ecx)) {
address_ = GetRegThatIsNotEcxOr(object_, scratch0_, scratch1_);
}
DCHECK(!AreAliased(scratch0_, object_, address_, ecx));
}
void Save(MacroAssembler* masm) {
DCHECK(!address_orig_.is(object_));
DCHECK(object_.is(object_orig_) || address_.is(address_orig_));
DCHECK(!AreAliased(object_, address_, scratch1_, scratch0_));
DCHECK(!AreAliased(object_orig_, address_, scratch1_, scratch0_));
DCHECK(!AreAliased(object_, address_orig_, scratch1_, scratch0_));
// We don't have to save scratch0_orig_ because it was given to us as
// a scratch register. But if we had to switch to a different reg then
// we should save the new scratch0_.
if (!scratch0_.is(scratch0_orig_)) masm->push(scratch0_);
if (!ecx.is(scratch0_orig_) &&
!ecx.is(object_orig_) &&
!ecx.is(address_orig_)) {
masm->push(ecx);
}
masm->push(scratch1_);
if (!address_.is(address_orig_)) {
masm->push(address_);
masm->mov(address_, address_orig_);
}
if (!object_.is(object_orig_)) {
masm->push(object_);
masm->mov(object_, object_orig_);
}
}
void Restore(MacroAssembler* masm) {
// These will have been preserved the entire time, so we just need to move
// them back. Only in one case is the orig_ reg different from the plain
// one, since only one of them can alias with ecx.
if (!object_.is(object_orig_)) {
masm->mov(object_orig_, object_);
masm->pop(object_);
}
if (!address_.is(address_orig_)) {
masm->mov(address_orig_, address_);
masm->pop(address_);
}
masm->pop(scratch1_);
if (!ecx.is(scratch0_orig_) &&
!ecx.is(object_orig_) &&
!ecx.is(address_orig_)) {
masm->pop(ecx);
}
if (!scratch0_.is(scratch0_orig_)) masm->pop(scratch0_);
}
// If we have to call into C then we need to save and restore all caller-
// saved registers that were not already preserved. The caller saved
// registers are eax, ecx and edx. The three scratch registers (incl. ecx)
// will be restored by other means so we don't bother pushing them here.
void SaveCallerSaveRegisters(MacroAssembler* masm, SaveFPRegsMode mode) {
if (!scratch0_.is(eax) && !scratch1_.is(eax)) masm->push(eax);
if (!scratch0_.is(edx) && !scratch1_.is(edx)) masm->push(edx);
if (mode == kSaveFPRegs) {
// Save FPU state in m108byte.
masm->sub(esp, Immediate(108));
masm->fnsave(Operand(esp, 0));
}
}
inline void RestoreCallerSaveRegisters(MacroAssembler* masm,
SaveFPRegsMode mode) {
if (mode == kSaveFPRegs) {
// Restore FPU state in m108byte.
masm->frstor(Operand(esp, 0));
masm->add(esp, Immediate(108));
}
if (!scratch0_.is(edx) && !scratch1_.is(edx)) masm->pop(edx);
if (!scratch0_.is(eax) && !scratch1_.is(eax)) masm->pop(eax);
}
inline Register object() { return object_; }
inline Register address() { return address_; }
inline Register scratch0() { return scratch0_; }
inline Register scratch1() { return scratch1_; }
private:
Register object_orig_;
Register address_orig_;
Register scratch0_orig_;
Register object_;
Register address_;
Register scratch0_;
Register scratch1_;
// Third scratch register is always ecx.
Register GetRegThatIsNotEcxOr(Register r1,
Register r2,
Register r3) {
for (int i = 0; i < Register::NumAllocatableRegisters(); i++) {
Register candidate = Register::FromAllocationIndex(i);
if (candidate.is(ecx)) continue;
if (candidate.is(r1)) continue;
if (candidate.is(r2)) continue;
if (candidate.is(r3)) continue;
return candidate;
}
UNREACHABLE();
return no_reg;
}
friend class RecordWriteStub;
};
enum OnNoNeedToInformIncrementalMarker {
kReturnOnNoNeedToInformIncrementalMarker,
kUpdateRememberedSetOnNoNeedToInformIncrementalMarker
};
inline Major MajorKey() const final { return RecordWrite; }
void Generate(MacroAssembler* masm) override;
void GenerateIncremental(MacroAssembler* masm, Mode mode);
void CheckNeedsToInformIncrementalMarker(
MacroAssembler* masm,
OnNoNeedToInformIncrementalMarker on_no_need,
Mode mode);
void InformIncrementalMarker(MacroAssembler* masm);
void Activate(Code* code) override {
code->GetHeap()->incremental_marking()->ActivateGeneratedStub(code);
}
Register object() const {
return Register::from_code(ObjectBits::decode(minor_key_));
}
Register value() const {
return Register::from_code(ValueBits::decode(minor_key_));
}
Register address() const {
return Register::from_code(AddressBits::decode(minor_key_));
}
RememberedSetAction remembered_set_action() const {
return RememberedSetActionBits::decode(minor_key_);
}
SaveFPRegsMode save_fp_regs_mode() const {
return SaveFPRegsModeBits::decode(minor_key_);
}
class ObjectBits: public BitField<int, 0, 3> {};
class ValueBits: public BitField<int, 3, 3> {};
class AddressBits: public BitField<int, 6, 3> {};
class RememberedSetActionBits: public BitField<RememberedSetAction, 9, 1> {};
class SaveFPRegsModeBits : public BitField<SaveFPRegsMode, 10, 1> {};
RegisterAllocation regs_;
DISALLOW_COPY_AND_ASSIGN(RecordWriteStub);
};
} } // namespace v8::internal
#endif // V8_X87_CODE_STUBS_X87_H_
``` |
```tex
%!TEX TS-program = xelatex
%!TEX encoding = UTF-8 Unicode
\documentclass[11pt,tikz,border=1]{standalone}
\usetikzlibrary{positioning,math}
\input{../plots}
\begin{document}
\manipulateSoftmaxBars{2.5}{-1}{3.2}{-2}
\end{document}
``` |
Candyce McGrone (born March 24, 1989) is an American track and field athlete who competes in sprinting events. She holds personal records of 11.00 second for the 100-meter dash and 22.01 seconds for the 200-meter dash. She was second in the 200 m at the 2015 USA Outdoor Track and Field Championships.
She ran collegiately for Florida State University and the University of Oklahoma. She was the 2011 NCAA Women's Champion over 100 m.
Career
Early life and college
McGrone grew up in Indianapolis, Indiana and attended Warren Central High School there. She competed in the 100-meter dash and 200-meter dash while at the school and was a finalist at the USATF Junior Championships in 2007 and 2008. She started a major in communications at Florida State University in 2008 and began running for their Florida State Seminoles track and field team. In Atlantic Coast Conference (ACC) competition, she was fifth in the 60-meter dash indoors and was the 100 m runner-up outdoors, as well as being the 4×100-meter relay champion with the college. The team of Nicole Marcus, McGrone, Danielle Jeffrey, and Teona Rodgers proved to be one of the best in the country that year, taking second place for the Seminoles at the NCAA Women's Division I Outdoor Track and Field Championships.
McGrone specialised in the 200 m for the 2010 season and improved her best by almost half a second to 22.84 seconds. She won the ACC Indoor title over the distance and placed third at the ACC outdoors. She made her individual NCAA debut that year, running in the heats at the NCAA Women's Division I Indoor Track and Field Championships and reaching the semi-finals of the 200 m at the 2010 NCAA Outdoor Championships. The Seminole relay team fell down the order at that event, failing to reach the final. McGrone competed for the first time at the USA Outdoor Track and Field Championships, but ran in the heats only. She also made her international debut and won a 200 m bronze medal behind Tiffany Townsend and Kimberly Hyacinthe.
Before the start of a third year at Florida, she transferred to University of Oklahoma and instead began to run for the Oklahoma Sooners team. At her first major meet, the Big 12 Conference indoor championships, she won the 200 m title and was a finalist in the 60 m. After she ran a personal record of 7.28 seconds for the shorter distance in the NCAA Indoor Championships heats, before taking the runner-up spot in the 200 m. She equalled her outdoor best of 22.84 seconds in the competition. She began to compete in both the 100 and 200 m in the outdoor season and managed to set a best of 11.17 seconds in the 100 m to win at the Drake Relays. At the Big 12 outdoors she was runner-up over 100 m and third in the 200 m and shortly after she ran a school record of 22.84 seconds for the 200 m. The 2011 NCAA Outdoor Championships saw McGrone reach the peak of her collegiate career: she was the surprise winner of the NCAA women's 100 m title in a school record of 11.08 seconds, edging out 200 m winner Kimberlyn Duncan by one hundredth of a second. She also finished fourth over the 200 m distance and ran in the heats of the relay. This helped the Oklahoma Sooner women's team to their highest ever finish at the championship, in fourth place. Her coach Dana Boone later reflected that training McGrone to the NCAA title was among the highlights of her coaching career.
Professional
After the college season, she entered the 2011 USA Outdoor Track and Field Championships and claimed sixth place in the 100 m. She made the decision to forgo the remainder of her time at college and immediately turned professional with the aim of getting selected for the 2012 Summer Olympics. In her first professional races, she won at the Hampton International Games then placed fourth in the 100 m at the DN Galan in Stockholm – her first outing on the IAAF Diamond League circuit.
A personal best of 7.21 seconds came at the 2012 USA Indoor Track and Field Championships, where she ranked sixth in the 60 m. McGrone ultimately failed in her Olympic attempt, being eliminated in the 100 m semi-finals at the 2012 United States Olympic Trials. She was three tenths of a second slower over the distance that year, and over half a second slower in the 200 m. She ended her 2012 season in June and did not return to competition until the following April as a result of an injury, but again she was far from her previous peak, failing to get past the first round of either sprint distance at the 2013 USA Outdoor Track and Field Championships. Her situation attracted comment from Tonja Buford-Bailey, coach to the University of Illinois, who advised college athletes to avoid those encouraging them to end college early and said such people had "ruined" McGrone.
McGrone's 2014 season was again injury affected and she only reached seasonal bests of 11.26 seconds for the 100 m and 23.43 seconds for the 200 m. She was again eliminated in the first round of the 2014 USA Outdoor Track and Field Championships.
Her fortunes were revived once she began working with new coach Dennis Mitchell and among her new training group was Justin Gatlin (the leading male sprinter in 2014), Isiah Young and world junior champion Kaylin Whitney. A change of diet and weight-loss saw her return to the peak of sprinting. In her first month of racing in 2015 she ran a world-leading time of 22.56 seconds – improving her previous best by a quarter of a second. She was some way off this pace at the New York Diamond League race, coming sixth, but reached new heights at the 2015 USA Outdoor Track and Field Championships two weeks later. In the 100 m she ran a personal record of 11.00 seconds in the heats before being narrowly eliminated in the semi-final with a wind-assisted 10.91 seconds. It was in the 200 m which she proved herself, finishing the final in another new best of 22.38 seconds to place runner-up behind Jenna Prandini. This earned her a place on the United States World Championships team. In July, she established herself on the international circuit by winning the Herculis 200 m race on the 2015 IAAF Diamond League with a time of 22.08 seconds – an improvement of three tenths of a second to raise her to second of the seasonal rankings after Allyson Felix.
Personal bests
100-meter dash – 11.00 (2015)
200-meter dash – 22.01 (2015)
50-meter dash indoor – 6.28 (2012)
60-meter dash indoor – 7.21 (2012)
200-meter dash indoor – 22.84 (2011)
International competitions
Circuit wins
IAAF Diamond League
Herculis 200 m: 2015
References
External links
Living people
1989 births
American female sprinters
Florida State Seminoles women's track and field athletes
Oklahoma Sooners women's track and field athletes
World Athletics Championships athletes for the United States
Track and field athletes from Indianapolis
Track and field athletes from Indiana |
Cedric Cornell Tillman (born July 22, 1970) is a former professional American football player who played wide receiver for four seasons for the Denver Broncos and Jacksonville Jaguars. He was drafted by the Broncos in the 11th round of the 1992 NFL Draft.
Personal life
Tillman has two sons, Jamir, who played wide receiver at Navy, and Cedric, who plays wide receiver for the Cleveland Browns.
References
External links
Just Sports Stats
1970 births
Living people
Sportspeople from Natchez, Mississippi
Players of American football from Mississippi
American football wide receivers
Alcorn State Braves football players
Denver Broncos players
Jacksonville Jaguars players
Las Vegas Outlaws (XFL) players |
Giorgio Del Vecchio (26 August 1878 – 28 November 1970) was a prominent Italian legal philosopher of the early 20th century. Among others he influenced the theories of Norberto Bobbio. He is famous for his book Justice.
Biography
Son of Julius Saviour, Giorgio Del Vecchio was professor of philosophy of law at the University of Ferrara (1904), Sassari (1906), Messina (1909), Bologna (1911) and Rome from 1920 to 1953. He became Rector of the University of Rome from 1925 to 1927. He initially adhered to Fascism like many philosophers of law in Italy (though he removed himself from fascist ideology early on). He lost his professorship twice and for opposite reasons: in 1938 at the hands of fascists because he was a Jew and in 1944 at the hands of anti-fascists because he was accused of sympathizing with fascism early on in his career.
Reinstated in teaching during the Second World War, he worked with the Century of Italy and the magazine Free Pages (publication directed by Vito Panucci). Along with Nino Tripodi, Gioacchino Volpe, Alberto Asquini, Roberto Cantalupo, Ernesto De Marzio and Emilio Betti, he was part of the organizing committee of INSPE, an Institute of research which in the fifties and sixties was opposed to Marxist culture, promoting international conferences and publications. He was founder and director of the International Journal of Philosophy of Law.
He is considered among the major interpreters of Italian Neo-Kantism. Giorgio Del Vecchio, as did his German colleagues, criticized philosophical positivism, stating that the concept of law can not be derived from the observation of legal phenomena.
In this regard, his beliefs concurred with a dispute that was taking place in Germany between philosophy, sociology and general theory of law, which looked to redefine "philosophy of law"to which Del Vecchio attributed three tasks:
logic task: to construct the concept of law;
phenomenological task: consisting in the study of law as a social phenomenon;
ontological task: which examines the nature of justice or "the essence of law as it ought to be".
Del Vecchio's books are used as reference and text books in many colleges and universities.
Works
The Legal Sense (1902)
The Philosophical Presuppositions of the Concept of Law (1905)
The Concept of Law (1906)
Il concetto della natura e il principio del diritto ("The Concept of Nature and the Principle of Law", 1908)
On General Principles of Law (1921)
Jurisprudence (1922–23, 4 ed. 1951)
Lessons Philosophy of Law (1930, 13 ed. 1957)
The Crisis of the Science of Law (1934)
History of the Philosophy of Right (1950)
Mutability and Eternity of Law (1954)
Studies on the Right (2 vols., 1958)
Parerga (3 vols., 1961–67)
External links
Del Vècchio, Giorgio – treccani.it
"General Principles of Law"
Philosophers of law
Del Vecchio, Giorgio
Jewish philosophers
1878 births
1970 deaths
20th-century Italian philosophers
Writers from Bologna |
Pasmo Brzanki Landscape Park (Park Krajobrazowy Pasma Brzanki) is a protected area (Landscape Park) in southern Poland, established in 1995.
The Park is shared between two voivodeships: Lesser Poland Voivodeship and Subcarpathian Voivodeship. Within Lesser Poland Voivodeship it lies in Tarnów County (Gmina Gromnik, Gmina Ryglice, Gmina Rzepiennik Strzyżewski, Gmina Tuchów, Gmina Szerzyny). Within Subcarpathian Voivodeship it lies in Dębica County (Gmina Jodłowa) and Jasło County (Gmina Brzyska, Gmina Skołyszyn).
Within the Landscape Park are four nature reserves.
References
Pasmo Brzanki
Parks in Lesser Poland Voivodeship |
Yaylacık is a village in the Gölbaşı District, Adıyaman Province, Turkey. Its population is 139 (2021).
References
Villages in Gölbaşı District, Adıyaman Province |
Gerald Haddon (born 31 May 1941) is a New Zealand cricketer. He played in four first-class matches for Central Districts in 1969/70.
See also
List of Central Districts representative cricketers
References
External links
1941 births
Living people
New Zealand cricketers
Central Districts cricketers
Cricketers from Palmerston North |
```c++
/*
*/
/*
* This file is part of Scylla.
*
* Scylla is free software: you can redistribute it and/or modify
* (at your option) any later version.
*
* Scylla 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
*
* along with Scylla. If not, see <path_to_url
*/
#include <boost/range/adaptor/transformed.hpp>
#include <boost/range/algorithm/copy.hpp>
#include <boost/range/algorithm_ext/push_back.hpp>
#include <boost/range/size.hpp>
#include <seastar/core/thread.hh>
#include <seastar/util/defer.hh>
#include "partition_version.hh"
#include "partition_snapshot_row_cursor.hh"
#include "partition_snapshot_reader.hh"
#include "tests/test-utils.hh"
#include "tests/mutation_assertions.hh"
#include "tests/simple_schema.hh"
#include "tests/mutation_source_test.hh"
#include "tests/failure_injecting_allocation_strategy.hh"
#include "tests/range_tombstone_list_assertions.hh"
#include "real_dirty_memory_accounter.hh"
using namespace std::chrono_literals;
// Verifies that tombstones in "list" are monotonic, overlap with the requested range,
// and have information equivalent with "expected" in that range.
static
void check_tombstone_slice(const schema& s, std::vector<range_tombstone> list,
const query::clustering_range& range,
std::initializer_list<range_tombstone> expected)
{
range_tombstone_list actual(s);
position_in_partition::less_compare less(s);
position_in_partition prev_pos = position_in_partition::before_all_clustered_rows();
for (auto&& rt : list) {
if (!less(rt.position(), position_in_partition::for_range_end(range))) {
BOOST_FAIL(sprint("Range tombstone out of range: %s, range: %s", rt, range));
}
if (!less(position_in_partition::for_range_start(range), rt.end_position())) {
BOOST_FAIL(sprint("Range tombstone out of range: %s, range: %s", rt, range));
}
if (!less(prev_pos, rt.position())) {
BOOST_FAIL(sprint("Range tombstone breaks position monotonicity: %s, list: %s", rt, list));
}
prev_pos = position_in_partition(rt.position());
actual.apply(s, rt);
}
actual.trim(s, query::clustering_row_ranges{range});
range_tombstone_list expected_list(s);
for (auto&& rt : expected) {
expected_list.apply(s, rt);
}
expected_list.trim(s, query::clustering_row_ranges{range});
assert_that(s, actual).is_equal_to(expected_list);
}
SEASTAR_TEST_CASE(test_range_tombstone_slicing) {
return seastar::async([] {
logalloc::region r;
mutation_cleaner cleaner(r, no_cache_tracker);
simple_schema table;
auto s = table.schema();
with_allocator(r.allocator(), [&] {
logalloc::reclaim_lock l(r);
auto rt1 = table.make_range_tombstone(table.make_ckey_range(1, 2));
auto rt2 = table.make_range_tombstone(table.make_ckey_range(4, 7));
auto rt3 = table.make_range_tombstone(table.make_ckey_range(6, 9));
mutation_partition m1(s);
m1.apply_delete(*s, rt1);
m1.apply_delete(*s, rt2);
m1.apply_delete(*s, rt3);
partition_entry e(mutation_partition(*s, m1));
auto snap = e.read(r, cleaner, s, no_cache_tracker);
auto check_range = [&s] (partition_snapshot& snap, const query::clustering_range& range,
std::initializer_list<range_tombstone> expected) {
auto tombstones = snap.range_tombstones(
position_in_partition::for_range_start(range),
position_in_partition::for_range_end(range));
check_tombstone_slice(*s, tombstones, range, expected);
};
check_range(*snap, table.make_ckey_range(0, 0), {});
check_range(*snap, table.make_ckey_range(1, 1), {rt1});
check_range(*snap, table.make_ckey_range(3, 4), {rt2});
check_range(*snap, table.make_ckey_range(3, 5), {rt2});
check_range(*snap, table.make_ckey_range(3, 6), {rt2, rt3});
check_range(*snap, table.make_ckey_range(6, 6), {rt2, rt3});
check_range(*snap, table.make_ckey_range(7, 10), {rt2, rt3});
check_range(*snap, table.make_ckey_range(8, 10), {rt3});
check_range(*snap, table.make_ckey_range(10, 10), {});
check_range(*snap, table.make_ckey_range(0, 10), {rt1, rt2, rt3});
auto rt4 = table.make_range_tombstone(table.make_ckey_range(1, 2));
auto rt5 = table.make_range_tombstone(table.make_ckey_range(5, 8));
mutation_partition m2(s);
m2.apply_delete(*s, rt4);
m2.apply_delete(*s, rt5);
auto&& v2 = e.add_version(*s, no_cache_tracker);
v2.partition().apply_weak(*s, m2, *s);
auto snap2 = e.read(r, cleaner, s, no_cache_tracker);
check_range(*snap2, table.make_ckey_range(0, 0), {});
check_range(*snap2, table.make_ckey_range(1, 1), {rt4});
check_range(*snap2, table.make_ckey_range(3, 4), {rt2});
check_range(*snap2, table.make_ckey_range(3, 5), {rt2, rt5});
check_range(*snap2, table.make_ckey_range(3, 6), {rt2, rt3, rt5});
check_range(*snap2, table.make_ckey_range(4, 4), {rt2});
check_range(*snap2, table.make_ckey_range(5, 5), {rt2, rt5});
check_range(*snap2, table.make_ckey_range(6, 6), {rt2, rt3, rt5});
check_range(*snap2, table.make_ckey_range(7, 10), {rt2, rt3, rt5});
check_range(*snap2, table.make_ckey_range(8, 8), {rt3, rt5});
check_range(*snap2, table.make_ckey_range(9, 9), {rt3});
check_range(*snap2, table.make_ckey_range(8, 10), {rt3, rt5});
check_range(*snap2, table.make_ckey_range(10, 10), {});
check_range(*snap2, table.make_ckey_range(0, 10), {rt4, rt2, rt3, rt5});
});
});
}
class mvcc_partition;
// Together with mvcc_partition abstracts memory management details of dealing with MVCC.
class mvcc_container {
schema_ptr _schema;
std::optional<cache_tracker> _tracker;
std::optional<logalloc::region> _region_holder;
std::optional<mutation_cleaner> _cleaner_holder;
partition_snapshot::phase_type _phase = partition_snapshot::min_phase;
dirty_memory_manager _mgr;
std::optional<real_dirty_memory_accounter> _acc;
logalloc::region* _region;
mutation_cleaner* _cleaner;
public:
struct no_tracker {};
mvcc_container(schema_ptr s)
: _schema(s)
, _tracker(std::make_optional<cache_tracker>())
, _acc(std::make_optional<real_dirty_memory_accounter>(_mgr, *_tracker, 0))
, _region(&_tracker->region())
, _cleaner(&_tracker->cleaner())
{ }
mvcc_container(schema_ptr s, no_tracker)
: _schema(s)
, _region_holder(std::make_optional<logalloc::region>())
, _cleaner_holder(std::make_optional<mutation_cleaner>(*_region_holder, nullptr))
, _region(&*_region_holder)
, _cleaner(&*_cleaner_holder)
{ }
mvcc_container(mvcc_container&&) = delete;
// Call only when this container was constructed with a tracker
mvcc_partition make_evictable(const mutation_partition& mp);
// Call only when this container was constructed without a tracker
mvcc_partition make_not_evictable(const mutation_partition& mp);
logalloc::region& region() { return *_region; }
cache_tracker* tracker() { return &*_tracker; }
mutation_cleaner& cleaner() { return *_cleaner; }
partition_snapshot::phase_type next_phase() { return ++_phase; }
partition_snapshot::phase_type phase() const { return _phase; }
real_dirty_memory_accounter& accounter() { return *_acc; }
mutation_partition squashed(partition_snapshot_ptr& snp) {
logalloc::allocating_section as;
return as(region(), [&] {
return snp->squashed();
});
}
// Merges other into this
void merge(mvcc_container& other) {
_region->merge(*other._region);
_cleaner->merge(*other._cleaner);
}
};
class mvcc_partition {
schema_ptr _s;
partition_entry _e;
mvcc_container& _container;
bool _evictable;
private:
void apply_to_evictable(partition_entry&& src, schema_ptr src_schema);
void apply(const mutation_partition& mp, schema_ptr mp_schema);
public:
mvcc_partition(schema_ptr s, partition_entry&& e, mvcc_container& container, bool evictable)
: _s(s), _e(std::move(e)), _container(container), _evictable(evictable) {
}
mvcc_partition(mvcc_partition&&) = default;
~mvcc_partition() {
with_allocator(region().allocator(), [&] {
_e = {};
});
}
partition_entry& entry() { return _e; }
schema_ptr schema() const { return _s; }
logalloc::region& region() const { return _container.region(); }
mvcc_partition& operator+=(const mutation&);
mvcc_partition& operator+=(mvcc_partition&&);
mutation_partition squashed() {
logalloc::allocating_section as;
return as(region(), [&] {
return _e.squashed(*_s);
});
}
void upgrade(schema_ptr new_schema) {
logalloc::allocating_section as;
with_allocator(region().allocator(), [&] {
as(region(), [&] {
_e.upgrade(_s, new_schema, _container.cleaner(), _container.tracker());
_s = new_schema;
});
});
}
partition_snapshot_ptr read() {
logalloc::allocating_section as;
return as(region(), [&] {
return _e.read(region(), _container.cleaner(), schema(), _container.tracker(), _container.phase());
});
}
void evict() {
with_allocator(region().allocator(), [&] {
_e.evict(_container.cleaner());
});
}
};
void mvcc_partition::apply_to_evictable(partition_entry&& src, schema_ptr src_schema) {
with_allocator(region().allocator(), [&] {
logalloc::allocating_section as;
mutation_cleaner src_cleaner(region(), no_cache_tracker);
auto c = as(region(), [&] {
return _e.apply_to_incomplete(*schema(), std::move(src), *src_schema, src_cleaner, as, region(),
*_container.tracker(), _container.next_phase(), _container.accounter());
});
repeat([&] {
return c.run();
}).get();
});
}
mvcc_partition& mvcc_partition::operator+=(mvcc_partition&& src) {
assert(_evictable);
apply_to_evictable(std::move(src.entry()), src.schema());
return *this;
}
mvcc_partition& mvcc_partition::operator+=(const mutation& m) {
with_allocator(region().allocator(), [&] {
apply(m.partition(), m.schema());
});
return *this;
}
void mvcc_partition::apply(const mutation_partition& mp, schema_ptr mp_s) {
with_allocator(region().allocator(), [&] {
if (_evictable) {
apply_to_evictable(partition_entry(mutation_partition(*mp_s, mp)), mp_s);
} else {
logalloc::allocating_section as;
as(region(), [&] {
_e.apply(*_s, mp, *mp_s);
});
}
});
}
mvcc_partition mvcc_container::make_evictable(const mutation_partition& mp) {
return with_allocator(region().allocator(), [&] {
logalloc::allocating_section as;
return as(region(), [&] {
return mvcc_partition(_schema, partition_entry::make_evictable(*_schema, mp), *this, true);
});
});
}
mvcc_partition mvcc_container::make_not_evictable(const mutation_partition& mp) {
return with_allocator(region().allocator(), [&] {
logalloc::allocating_section as;
return as(region(), [&] {
return mvcc_partition(_schema, partition_entry(mutation_partition(*_schema, mp)), *this, false);
});
});
}
SEASTAR_TEST_CASE(test_apply_to_incomplete) {
return seastar::async([] {
simple_schema table;
mvcc_container ms(table.schema());
auto&& s = *table.schema();
auto new_mutation = [&] {
return mutation(table.schema(), table.make_pkey(0));
};
auto mutation_with_row = [&] (clustering_key ck) {
auto m = new_mutation();
table.add_row(m, ck, "v");
return m;
};
auto ck1 = table.make_ckey(1);
auto ck2 = table.make_ckey(2);
BOOST_TEST_MESSAGE("Check that insert falling into discontinuous range is dropped");
{
auto e = ms.make_evictable(mutation_partition::make_incomplete(s));
auto m = new_mutation();
table.add_row(m, ck1, "v");
e += m;
assert_that(table.schema(), e.squashed()).is_equal_to(mutation_partition::make_incomplete(s));
}
BOOST_TEST_MESSAGE("Check that continuity is a union");
{
auto m1 = mutation_with_row(ck2);
auto e = ms.make_evictable(m1.partition());
auto snap1 = e.read();
auto m2 = mutation_with_row(ck2);
e += m2;
partition_version* latest = &*e.entry().version();
for (rows_entry& row : latest->partition().clustered_rows()) {
row.set_continuous(is_continuous::no);
}
auto m3 = mutation_with_row(ck1);
e += m3;
assert_that(table.schema(), e.squashed()).is_equal_to((m2 + m3).partition());
// Check that snapshot data is not stolen when its entry is applied
auto e2 = ms.make_evictable(mutation_partition(table.schema()));
e2 += std::move(e);
assert_that(table.schema(), ms.squashed(snap1)).is_equal_to(m1.partition());
assert_that(table.schema(), e2.squashed()).is_equal_to((m2 + m3).partition());
}
});
}
SEASTAR_TEST_CASE(test_schema_upgrade_preserves_continuity) {
return seastar::async([] {
simple_schema table;
mvcc_container ms(table.schema());
auto new_mutation = [&] {
return mutation(table.schema(), table.make_pkey(0));
};
auto mutation_with_row = [&] (clustering_key ck) {
auto m = new_mutation();
table.add_row(m, ck, "v");
return m;
};
// FIXME: There is no assert_that() for mutation_partition
auto assert_entry_equal = [&] (mvcc_partition& e, mutation m) {
auto key = table.make_pkey(0);
assert_that(mutation(e.schema(), key, e.squashed()))
.is_equal_to(m);
};
auto m1 = mutation_with_row(table.make_ckey(1));
m1.partition().clustered_rows().begin()->set_continuous(is_continuous::no);
m1.partition().set_static_row_continuous(false);
m1.partition().ensure_last_dummy(*m1.schema());
auto e = ms.make_evictable(m1.partition());
auto rd1 = e.read();
auto m2 = mutation_with_row(table.make_ckey(3));
m2.partition().ensure_last_dummy(*m2.schema());
e += m2;
auto new_schema = schema_builder(table.schema()).with_column("__new_column", utf8_type).build();
auto cont_before = e.squashed().get_continuity(*table.schema());
e.upgrade(new_schema);
auto cont_after = e.squashed().get_continuity(*new_schema);
rd1 = {};
auto expected = m1 + m2;
expected.partition().set_static_row_continuous(false); // apply_to_incomplete()
assert_entry_equal(e, expected);
BOOST_REQUIRE(cont_after.equals(*new_schema, cont_before));
auto m3 = mutation_with_row(table.make_ckey(2));
e += m3;
auto m4 = mutation_with_row(table.make_ckey(0));
table.add_static_row(m4, "s_val");
e += m4;
expected += m3;
expected.partition().set_static_row_continuous(false); // apply_to_incomplete()
assert_entry_equal(e, expected);
});
}
SEASTAR_TEST_CASE(test_eviction_with_active_reader) {
return seastar::async([] {
{
simple_schema table;
mvcc_container ms(table.schema());
auto&& s = *table.schema();
auto pk = table.make_pkey();
auto ck1 = table.make_ckey(1);
auto ck2 = table.make_ckey(2);
auto e = ms.make_evictable(mutation_partition(table.schema()));
mutation m1(table.schema(), pk);
m1.partition().clustered_row(s, ck2);
e += m1;
auto snap1 = e.read();
mutation m2(table.schema(), pk);
m2.partition().clustered_row(s, ck1);
e += m2;
auto snap2 = e.read();
partition_snapshot_row_cursor cursor(s, *snap2);
cursor.advance_to(position_in_partition_view::before_all_clustered_rows());
BOOST_REQUIRE(cursor.continuous());
BOOST_REQUIRE(cursor.key().equal(s, ck1));
e.evict();
{
logalloc::reclaim_lock rl(ms.region());
cursor.maybe_refresh();
auto mp = cursor.read_partition();
assert_that(table.schema(), mp).is_equal_to(s, (m1 + m2).partition());
}
}
});
}
SEASTAR_TEST_CASE(test_apply_to_incomplete_respects_continuity) {
// Test that apply_to_incomplete() drops entries from source which fall outside continuity
// and that continuity is not affected.
return seastar::async([] {
{
random_mutation_generator gen(random_mutation_generator::generate_counters::no);
auto s = gen.schema();
mvcc_container ms(s);
mutation m1 = gen();
mutation m2 = gen();
mutation m3 = gen();
mutation to_apply = gen();
to_apply.partition().make_fully_continuous();
// Without active reader
auto test = [&] (bool with_active_reader) {
auto e = ms.make_evictable(m3.partition());
auto snap1 = e.read();
m2.partition().make_fully_continuous();
e += m2;
auto snap2 = e.read();
m1.partition().make_fully_continuous();
e += m1;
partition_snapshot_ptr snap;
if (with_active_reader) {
snap = e.read();
}
auto before = e.squashed();
auto e_continuity = before.get_continuity(*s);
auto expected_to_apply_slice = mutation_partition(*s, to_apply.partition());
if (!before.static_row_continuous()) {
expected_to_apply_slice.static_row() = {};
}
auto expected = mutation_partition(*s, before);
expected.apply_weak(*s, std::move(expected_to_apply_slice));
e += to_apply;
assert_that(s, e.squashed())
.is_equal_to(expected, e_continuity.to_clustering_row_ranges())
.has_same_continuity(before);
};
test(false);
test(true);
}
});
}
// Call with region locked.
static mutation_partition read_using_cursor(partition_snapshot& snap) {
partition_snapshot_row_cursor cur(*snap.schema(), snap);
cur.maybe_refresh();
auto mp = cur.read_partition();
for (auto&& rt : snap.range_tombstones()) {
mp.apply_delete(*snap.schema(), rt);
}
mp.apply(*snap.schema(), static_row(snap.static_row(false)));
mp.set_static_row_continuous(snap.static_row_continuous());
mp.apply(snap.partition_tombstone());
return mp;
}
SEASTAR_TEST_CASE(test_snapshot_cursor_is_consistent_with_merging) {
// Tests that reading many versions using a cursor gives the logical mutation back.
return seastar::async([] {
{
random_mutation_generator gen(random_mutation_generator::generate_counters::no);
auto s = gen.schema();
mvcc_container ms(s);
mutation m1 = gen();
mutation m2 = gen();
mutation m3 = gen();
m2.partition().make_fully_continuous();
m3.partition().make_fully_continuous();
{
auto e = ms.make_evictable(m1.partition());
auto snap1 = e.read();
e += m2;
auto snap2 = e.read();
e += m3;
auto expected = e.squashed();
auto snap = e.read();
auto actual = read_using_cursor(*snap);
assert_that(s, actual).has_same_continuity(expected);
// Drop empty rows
can_gc_fn never_gc = [] (tombstone) { return false; };
actual.compact_for_compaction(*s, never_gc, gc_clock::now());
expected.compact_for_compaction(*s, never_gc, gc_clock::now());
assert_that(s, actual).is_equal_to(expected);
}
}
});
}
SEASTAR_TEST_CASE(your_sha256_hash) {
// Tests that reading many versions using a cursor gives the logical mutation back.
return seastar::async([] {
logalloc::region r;
mutation_cleaner cleaner(r, no_cache_tracker);
with_allocator(r.allocator(), [&] {
random_mutation_generator gen(random_mutation_generator::generate_counters::no);
auto s = gen.schema();
mutation m1 = gen();
mutation m2 = gen();
mutation m3 = gen();
m1.partition().make_fully_continuous();
m2.partition().make_fully_continuous();
m3.partition().make_fully_continuous();
{
logalloc::reclaim_lock rl(r);
auto e = partition_entry(mutation_partition(*s, m3.partition()));
auto snap1 = e.read(r, cleaner, s, no_cache_tracker);
e.apply(*s, m2.partition(), *s);
auto snap2 = e.read(r, cleaner, s, no_cache_tracker);
e.apply(*s, m1.partition(), *s);
auto expected = e.squashed(*s);
auto snap = e.read(r, cleaner, s, no_cache_tracker);
auto actual = read_using_cursor(*snap);
BOOST_REQUIRE(expected.is_fully_continuous());
BOOST_REQUIRE(actual.is_fully_continuous());
assert_that(s, actual)
.is_equal_to(expected);
}
});
});
}
SEASTAR_TEST_CASE(test_continuity_merging_in_evictable) {
// Tests that reading many versions using a cursor gives the logical mutation back.
return seastar::async([] {
cache_tracker tracker;
auto& r = tracker.region();
with_allocator(r.allocator(), [&] {
simple_schema ss;
auto s = ss.schema();
auto base_m = mutation(s, ss.make_pkey(0));
auto m1 = base_m; // continuous in [-inf, 0]
m1.partition().clustered_row(*s, ss.make_ckey(0), is_dummy::no, is_continuous::no);
m1.partition().clustered_row(*s, position_in_partition::after_all_clustered_rows(), is_dummy::no, is_continuous::no);
{
logalloc::reclaim_lock rl(r);
auto e = partition_entry::make_evictable(*s, m1.partition());
auto snap1 = e.read(r, tracker.cleaner(), s, &tracker);
e.add_version(*s, &tracker).partition()
.clustered_row(*s, ss.make_ckey(1), is_dummy::no, is_continuous::no);
e.add_version(*s, &tracker).partition()
.clustered_row(*s, ss.make_ckey(2), is_dummy::no, is_continuous::no);
auto expected = mutation_partition(*s, m1.partition());
expected.clustered_row(*s, ss.make_ckey(1), is_dummy::no, is_continuous::no);
expected.clustered_row(*s, ss.make_ckey(2), is_dummy::no, is_continuous::no);
auto snap = e.read(r, tracker.cleaner(), s, &tracker);
auto actual = read_using_cursor(*snap);
auto actual2 = e.squashed(*s);
assert_that(s, actual)
.has_same_continuity(expected)
.is_equal_to(expected);
assert_that(s, actual2)
.has_same_continuity(expected)
.is_equal_to(expected);
}
});
});
}
SEASTAR_TEST_CASE(test_partition_snapshot_row_cursor) {
return seastar::async([] {
cache_tracker tracker;
auto& r = tracker.region();
with_allocator(r.allocator(), [&] {
simple_schema table;
auto&& s = *table.schema();
auto e = partition_entry::make_evictable(s, mutation_partition(table.schema()));
auto snap1 = e.read(r, tracker.cleaner(), table.schema(), &tracker);
{
auto&& p1 = snap1->version()->partition();
p1.clustered_row(s, table.make_ckey(0), is_dummy::no, is_continuous::no);
p1.clustered_row(s, table.make_ckey(1), is_dummy::no, is_continuous::no);
p1.clustered_row(s, table.make_ckey(2), is_dummy::no, is_continuous::no);
p1.clustered_row(s, table.make_ckey(3), is_dummy::no, is_continuous::no);
p1.clustered_row(s, table.make_ckey(6), is_dummy::no, is_continuous::no);
p1.ensure_last_dummy(s);
}
auto snap2 = e.read(r, tracker.cleaner(), table.schema(), &tracker, 1);
partition_snapshot_row_cursor cur(s, *snap2);
position_in_partition::equal_compare eq(s);
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.advance_to(table.make_ckey(0)));
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(0)));
BOOST_REQUIRE(!cur.continuous());
}
r.full_compaction();
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(0)));
BOOST_REQUIRE(!cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(1)));
BOOST_REQUIRE(!cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(2)));
BOOST_REQUIRE(!cur.continuous());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(2)));
BOOST_REQUIRE(!cur.continuous());
}
{
auto&& p2 = snap2->version()->partition();
p2.clustered_row(s, table.make_ckey(2), is_dummy::no, is_continuous::yes);
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(2)));
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(3)));
BOOST_REQUIRE(!cur.continuous());
}
{
auto&& p2 = snap2->version()->partition();
p2.clustered_row(s, table.make_ckey(4), is_dummy::no, is_continuous::yes);
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(3)));
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(6)));
BOOST_REQUIRE(!cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), position_in_partition::after_all_clustered_rows()));
BOOST_REQUIRE(cur.continuous());
BOOST_REQUIRE(!cur.next());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.advance_to(table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
}
{
auto&& p2 = snap2->version()->partition();
p2.clustered_row(s, table.make_ckey(5), is_dummy::no, is_continuous::yes);
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(5)));
BOOST_REQUIRE(cur.continuous());
BOOST_REQUIRE(cur.next());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(6)));
BOOST_REQUIRE(!cur.continuous());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.advance_to(table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
}
e.evict(tracker.cleaner());
{
auto&& p2 = snap2->version()->partition();
p2.clustered_row(s, table.make_ckey(5), is_dummy::no, is_continuous::yes);
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.advance_to(table.make_ckey(4)));
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(4)));
BOOST_REQUIRE(cur.continuous());
BOOST_REQUIRE(cur.next());
}
{
logalloc::reclaim_lock rl(r);
BOOST_REQUIRE(cur.maybe_refresh());
BOOST_REQUIRE(eq(cur.position(), table.make_ckey(5)));
BOOST_REQUIRE(cur.continuous());
}
});
});
}
SEASTAR_TEST_CASE(test_apply_is_atomic) {
auto do_test = [](auto&& gen) {
failure_injecting_allocation_strategy alloc(standard_allocator());
with_allocator(alloc, [&] {
auto target = gen();
auto second = gen();
target.partition().make_fully_continuous();
second.partition().make_fully_continuous();
auto expected = target + second;
size_t fail_offset = 0;
while (true) {
mutation_partition m2 = mutation_partition(*second.schema(), second.partition());
auto e = partition_entry(mutation_partition(*target.schema(), target.partition()));
//auto snap1 = e.read(r, gen.schema());
alloc.fail_after(fail_offset++);
try {
e.apply(*target.schema(), std::move(m2), *second.schema());
alloc.stop_failing();
break;
} catch (const std::bad_alloc&) {
assert_that(mutation(target.schema(), target.decorated_key(), e.squashed(*target.schema())))
.is_equal_to(target)
.has_same_continuity(target);
e.apply(*target.schema(), std::move(m2), *second.schema());
assert_that(mutation(target.schema(), target.decorated_key(), e.squashed(*target.schema())))
.is_equal_to(expected)
.has_same_continuity(expected);
}
assert_that(mutation(target.schema(), target.decorated_key(), e.squashed(*target.schema())))
.is_equal_to(expected)
.has_same_continuity(expected);
}
});
};
do_test(random_mutation_generator(random_mutation_generator::generate_counters::no));
do_test(random_mutation_generator(random_mutation_generator::generate_counters::yes));
return make_ready_future<>();
}
SEASTAR_TEST_CASE(test_versions_are_merged_when_snapshots_go_away) {
return seastar::async([] {
logalloc::region r;
mutation_cleaner cleaner(r, nullptr);
with_allocator(r.allocator(), [&] {
random_mutation_generator gen(random_mutation_generator::generate_counters::no);
auto s = gen.schema();
mutation m1 = gen();
mutation m2 = gen();
mutation m3 = gen();
m1.partition().make_fully_continuous();
m2.partition().make_fully_continuous();
m3.partition().make_fully_continuous();
{
auto e = partition_entry(mutation_partition(*s, m1.partition()));
auto snap1 = e.read(r, cleaner, s, nullptr);
{
logalloc::reclaim_lock rl(r);
e.apply(*s, m2.partition(), *s);
}
auto snap2 = e.read(r, cleaner, s, nullptr);
snap1 = {};
snap2 = {};
cleaner.drain().get();
BOOST_REQUIRE_EQUAL(1, boost::size(e.versions()));
assert_that(s, e.squashed(*s)).is_equal_to((m1 + m2).partition());
}
{
auto e = partition_entry(mutation_partition(*s, m1.partition()));
auto snap1 = e.read(r, cleaner, s, nullptr);
{
logalloc::reclaim_lock rl(r);
e.apply(*s, m2.partition(), *s);
}
auto snap2 = e.read(r, cleaner, s, nullptr);
snap2 = {};
snap1 = {};
cleaner.drain().get();
BOOST_REQUIRE_EQUAL(1, boost::size(e.versions()));
assert_that(s, e.squashed(*s)).is_equal_to((m1 + m2).partition());
}
});
});
}
// Reproducer of #4030
SEASTAR_TEST_CASE(test_snapshot_merging_after_container_is_destroyed) {
return seastar::async([] {
random_mutation_generator gen(random_mutation_generator::generate_counters::no);
auto s = gen.schema();
mutation m1 = gen();
m1.partition().make_fully_continuous();
mutation m2 = gen();
m2.partition().make_fully_continuous();
auto c1 = std::make_unique<mvcc_container>(s, mvcc_container::no_tracker{});
auto c2 = std::make_unique<mvcc_container>(s, mvcc_container::no_tracker{});
auto e = std::make_unique<mvcc_partition>(c1->make_not_evictable(m1.partition()));
auto snap1 = e->read();
*e += m2;
auto snap2 = e->read();
while (!need_preempt()) {} // Ensure need_preempt() to force snapshot destruction to defer
snap1 = {};
c2->merge(*c1);
snap2 = {};
e.reset();
c1 = {};
c2->cleaner().drain().get();
});
}
``` |
Mary Emelia Mayne (31 December 1858 – 12 August 1940), was an Australian philanthropist.
Early life
Mayne was born in Brisbane, Colony of New South Wales in 1858. The area would become part of the Colony of Queensland in 1859. Mary Emelia Mayne was the second youngest of five children of Irish parents, Patrick Mayne, a butcher and grazier, and his wife Mary McIntosh Mayne. She attended All Hallows' School, a Catholic girls' school in Brisbane, until 1877. Thereafter she oversaw and hostessed many functions at Moorlands, the family home at Auchenflower. She and her siblings all inherited real estate, giving them independent means. Neither she nor her siblings would marry.
James O'Neil Mayne
James O'Neil Mayne (28 January 1861 – 31 January 1939), one of her brothers, attended Brisbane Grammar School, graduated with a B.A. from the University of Sydney in 1884, and studied medicine at University College London, receiving the qualifications of Licentiate of the Royal College of Physicians (LRCS) and Membership of the Royal College of Physicians (MRCS) in 1890. James Mayne worked as a doctor at the Brisbane General Hospital from 1891 until 1898. James O'Neil Mayne died at Moorlands.
Philanthropy
The Mayne family made Moorlands available to the Red Cross working parties during World War I, and contributed to the Anglican St Martin's War Memorial Hospital.
James and Mary Emelia Mayne became the principal benefactors of the University of Queensland giving it 280 hectares of land at Pinjarra Hills for agricultural education in 1923. After negotiations beginning in 1926, they paid a further £63,000 to resume over 281 hectares at St Lucia. This site became the current University of Queensland campus.
Death
Mary Emelia Mayne died in the Mater Misericordiae Private Hospital (run by the Sisters of Mercy who also controlled her school, All Hallows') during World War II on 12 August 1940. Mary Emelia Mayne and James O'Neil Mayne are buried in the Toowong Cemetery in the family tomb, which the university was requested to maintain.
Wills
Their wills demonstrate that James Mayne's estate was valued for probate at £113,334 and Emilia Mayne's at £83,375. Their chief assets were listed as the prestigious Brisbane Arcade, the Regent Building, and Moorlands. Identical wills provided that the estates be applied in perpetuity for the university's medical school.
Legacy
They are commemorated by the Mayne chairs of medicine and surgery, the Dr James Mayne Building at the Royal Brisbane and Women's Hospital, the Mayne String Trio and Mayne Hall where there is a bronze plaque of them by Kathleen Shillam. A portrait of Mayne by Melville Haysom hangs in the University of Queensland Art Museum which is named the James and Mary Emelia Mayne Centre.
See also
The Mayne Inheritance
References
Further reading
1858 births
1940 deaths
Australian women philanthropists
Australian philanthropists
People from Brisbane
Burials at Toowong Cemetery
19th-century Australian women
20th-century Australian women
People educated at All Hallows' School
Colony of Queensland people |
This is a list of events in animation in 2019.
Events
January
January 13: The Family Guy episode "Trump Guy" first airs, in which the Griffin family meet U.S. President Donald Trump. The episode became controversial for satirizing Trump and his administration.
January 21: The final episode of Steven Universe, "Change Your Mind", airs.
February
February 2: 46th Annie Awards.
February 22: How to Train Your Dragon: The Hidden World, the third and final film of the How to Train Your Dragon franchise, releases to theatres to critical acclaim.
February 24:
91st Academy Awards:
Spider-Man: Into the Spider-Verse by Bob Persichetti, Peter Ramsey, Rodney Rothman, Phil Lord and Christopher Miller wins the Academy Award for Best Animated Feature, becoming the first non-Disney film since 2012 to do so.
Bao by Domee Shi and Becky Neiman-Cobb wins the Academy Award for Best Animated Short.
Urbanus, De Vuilnisheld, an animated film based on the Flemish comic strip Urbanus, premieres.
March
March 8: Following the release of the controversial 2019 documentary film Leaving Neverland, which details allegations against the late pop singer Michael Jackson of child sexual assault, The Simpsons producer James L. Brooks announces that the Simpsons episode "Stark Raving Dad", which guest starred Jackson, will be pulled from circulation. He explains to The Wall Street Journal: "This was a treasured episode. There are a lot of great memories we have wrapped up in that one, and this certainly doesn't allow them to remain. I'm against book-burning of any kind. But this is our book, and we're allowed to take out a chapter." Simpsons showrunner Al Jean says he believed Jackson had used the episode to groom boys for sexual abuse.
March 18: The first episode of 101 Dalmatian Street is broadcast. It is the second television show based on the 101 Dalmatians franchise, following 101 Dalmatians: The Series from 1997.
March 20: The soundtrack of Schoolhouse Rock! is added to the National Recording Registry.
April
April 1: Anime series adaptation of Ultraman premiered on Netflix.
April 17: Anime-inspired music video for "You Should See Me in a Crown", by Billie Eillish, was released on YouTube. It was directed and animated by Takashi Murakami.
April 28: The Simpsons episode "D'oh Canada" premieres, where the family travels to Canada. The episode caused controversy among New Yorkers because of a satirical parody song mocking the city.
May
May 13: The Arthur 22nd season episode "Mr. Ratburn and the Special Someone" premieres. The episode was banned in Alabama and Arkansas for its showcase of same-sex marriage in a children’s program. Yet, it was praised by GLAAD Media Award for Outstanding Kids and Family Programming.
May 23: Music video for "Starlight Brigade", by TWRP featuring Dan Avidan, was released on YouTube.
June
June 14: Particular Crowd's Spycies premiered at the Shanghai International Film Festival.
June 17: The first episode of Amphibia is broadcast to positive reviews.
June 24: The final episode of the original The Amazing World of Gumball series, "The Inquisition", premieres to mixed reviews due to the series ending on a unresolved cliffhanger. However, a feature film based on the series was announced in 2021.
July
July 12:
SpongeBob SquarePants celebrates its 20th Anniversary with a television special titled SpongeBob's Big Birthday Blowout premiering on Nickelodeon to positive reviews.
July 18:
An arson attack at the Japanese studio Kyoto Animation results in 36 deaths and 33 injuries. The arson is one of the deadliest in Japanese history since the end of World War II; a majority of the victims are women. Among the victims are director Yasuhiro Takemoto, character designer Futoshi Nishiya, animator Yoshiji Kigami, and color designer Naomi Ishida. The late Japanese Prime Minister Shinzo Abe expresses his condolences, as do other world leaders including Canadian Prime Minister Justin Trudeau, Taiwanese President Tsai Ing-wen, and Secretary-General of the United Nations António Guterres. An outpouring of support for the victims and their families results in more than $30 million in donations from domestic Japanese sources, with an estimated additional $2.3 million in donations from international donors.
The season 1 finale of Amphibia, titled "Reunion", premieres to critical acclaim.
July 19:
Molly of Denali premieres on PBS Kids to high acclaim. It is the first children's animated series with an Alaska Native as the lead character.
The Lion King remake, produced by Fairview Entertainment, is released to theaters with mixed reviews from critics. It is currently the highest-grossing animated film of all time.
August
August 9: Rocko's Modern Life: Static Cling, a revival movie based on Rocko's Modern Life, premiered on Netflix to critical acclaim.
August 14: The Angry Birds Movie 2 is released. It is the highest-rated animated film based on a video game, with a 74% score on Rotten Tomatoes.
August 16: Invader Zim: Enter the Florpus, a revival movie based on Invader Zim, premiered on Netflix to high critical acclaim, with a 100% score on Rotten Tomatoes.
September
September 2: Steven Universe: The Movie, a sequel television musical film based on Steven Universe, premiered on Cartoon Network.
September 27:
Dragons: Rescue Riders premiered on Netflix.
The 5th season of Bubble Guppies premiered on Nickelodeon almost 3 years after the finale of the show's original run.
October
October 4: South Park is banned in China after the episode "Band in China" mocked the country and its government. Parker and Stone issued a sarcastic apology in response.
October 10: Anime series adaptation of Paru Itagaki's Beastars airs its first episode on Japanese television.
October 12: After nine years on the air, My Little Pony: Friendship Is Magic airs its series finale on Discovery Family.
October 13: The season 1 finale of Bluey titled, "Daddy Putdown", premieres to universal acclaim.
October 14: The Casagrandes, a spinoff of The Loud House premieres on Nickelodeon.
November
November 8:
Green Eggs and Ham premieres its first season on Netflix to positive reviews. A second season, which is the final season, was released in 2022.
Klaus premiered on Netflix.
November 11: Blue's Clues & You!, a revival of the original Blue's Clues premieres on Nickelodeon.
November 22: Disney releases Frozen II.
November 25: The pilot episode of Vivienne Medrano's independent webseries Helluva Boss was released on YouTube.
December
December 7:
Television series Kingdom Force premiered in Canada.
Steven Universe Future, a limited epilogue series based on Steven Universe premiered on Cartoon Network.
December 11: Walt Disney's Sleeping Beauty is added to the National Film Registry.
December 21: The second episode of Michael Pitts' independent webseries Sheriff Hayseed, titled "Boomerang in a Gun Fight", is released on YouTube.
December 25: Spies in Disguise is released as the final Blue Sky Studios film before their shutdown in April 2021.
December 26: Beastars airs its first season finale episode in Japan.
Awards
Academy Award for Best Animated Feature: Spider-Man: Into the Spider-Verse
Academy Award for Best Animated Short Film: Bao
American Cinema Editors Award for Best Edited Animated Feature Film: Spider-Man: Into the Spider-Verse
Annecy International Animated Film Festival Cristal du long métrage: I Lost My Body
Annie Award for Best Animated Feature: Klaus
Annie Award for Best Animated Feature — Independent: I Lost My Body
Asia Pacific Screen Award for Best Animated Feature Film: Rezo
BAFTA Award for Best Animated Film: Spider-Man: Into the Spider-Verse
César Award for Best Animated Film: Dilili in Paris
Chicago Film Critics Association Award for Best Animated Film: Spider-Man: Into the Spider-Verse
Critics' Choice Movie Award for Best Animated Feature: Toy Story 4
Dallas–Fort Worth Film Critics Association Award for Best Animated Film: Isle of Dogs
European Film Award for Best Animated Feature Film: I Lost My Body
Florida Film Critics Circle Award for Best Animated Film: I Lost My Body
Golden Globe Award for Best Animated Feature Film: Missing Link
Golden Reel Awards: Spider-Man: Into the Spider-Verse
Goya Award for Best Animated Film: Buñuel in the Labyrinth of the Turtles
Hollywood Animation Award: Toy Story 4
Japan Academy Film Prize for Animation of the Year: Mirai
Kids' Choice Award for Favorite Animated Movie: Incredibles 2
Los Angeles Film Critics Association Award for Best Animated Film: I Lost My Body
Mainichi Film Award for Best Animation Film: Children of the Sea
National Board of Review Award for Best Animated Film: How to Train Your Dragon: The Hidden World
New York Film Critics Circle Award for Best Animated Film: I Lost My Body
Online Film Critics Society Award for Best Animated Film: Toy Story 4
Producers Guild of America Award for Best Animated Motion Picture: Spider-Man: Into the Spider-Verse
San Diego Film Critics Society Award for Best Animated Film: I Lost My Body
San Francisco Film Critics Circle Award for Best Animated Feature: I Lost My Body
Saturn Award for Best Animated Film: Spider-Man: Into the Spider-Verse
St. Louis Gateway Film Critics Association Award for Best Animated Film: Toy Story 4
Tokyo Anime Award: Detective Conan: Zero the Enforcer and Zombieland Saga
Toronto Film Critics Association Award for Best Animated Film: Missing Link
Visual Effects Society Award for Outstanding Visual Effects in an Animated Feature: Missing Link
Washington D.C. Area Film Critics Association Award for Best Animated Feature: Toy Story 4
Film released
January 4:
Lotte and the Lost Dragons (Latvia and Estonia)
Love Live! Sunshine!! The School Idol Movie: Over the Rainbow (Japan)
January 11 - White Snake (China)
January 12 - Fate/stay night: Heaven's Feel II. Lost Butterfly (Japan)
January 13 - Reign of the Supermen (United States)
January 18 - Brave Rabbit 3: the Crazy Time Machine (China)
January 24 - Sheep and Wolves: Pig Deal (Russia)
February 5:
Boonie Bears: Blast Into the Past (China)
Peppa Celebrates Chinese New Year (United Kingdom)
Scooby-Doo! and the Curse of the 13th Ghost (United States)
February 8:
City Hunter the Movie: Shinjuku Private Eyes (Japan)
The Lego Movie 2: The Second Part (United States, Australia, and Denmark)
February 9 - Code Geass: Lelouch of the Re;surrection (Japan)
February 21 - The Test of Time (Netherlands)
February 22 - How to Train Your Dragon: The Hidden World (United States)
February 27 - Urbanus: Cash for Trash (Belgium and Netherlands)
February 28 - Birds of a Feather (Germany)
March 1 - Doraemon: Nobita's Chronicle of the Moon Exploration (Japan)
March 15:
Osomatsu-san the Movie (Japan)
Wonder Park (United States and Spain)
March 21 - Upin & Ipin: Keris Siamang Tunggal (Malaysia)
March 28 - Princess Emmy (France, Germany, Belgium, and United Kingdom)
March 29 - Dumbo (United States)
March 30 - Justice League vs. the Fatal Five (United States)
April 3:
Astro Kid (France)
The Queen's Corgi (Belgium)
April 5 - Peppa Pig: Festival of Fun (United Kingdom)
April 12:
The Big Trip (Russia and United States)
Detective Conan: The Fist of Blue Sapphire (Japan)
Missing Link (United States)
April 18 - The Pilgrim's Progress (United States)
April 19 - Sound! Euphonium: The Movie – Our Promise: A Brand New Day (Japan)
April 26 - The Wonderland (Japan)
May 1 - Bayala: A Magical Adventure (Germany and Luxembourg)
May 3:
Detective Pikachu (United States and Japan)
UglyDolls (United States)
May 10 - Chhota Bheem: Kung Fu Dhamaka (India)
May 14 - Batman vs. Teenage Mutant Ninja Turtles (United States)
May 24 - Promare (Japan)
June 4 - Away (Latvia)
June 7:
Children of the Sea (Japan)
The Secret Life of Pets 2 (United States)
June 10 - Marona's Fantastic Tale (France, Belgium, and Romania)
June 11 - Norm of the North: King Sized Adventure (United States)
June 14:
Fate/kaleid liner Prisma Illya: Prisma Phantasm (Japan)
Spycies (China and France)
June 15 - Girls und Panzer das Finale: Part 2 (Japan)
June 21:
Ride Your Wave (Japan)
Toy Story 4 (United States)
July 5:
Elcano & Magellan: The First Voyage Around the World (Spain)
GG Bond: Lollipop in Fantasy (China)
July 12 - Mewtwo Strikes Back: Evolution (Japan)
July 16 - Dragon Quest: Your Story (Japan)
July 19:
The Lion King (United States)
Weathering with You (Japan)
July 20 - Batman: Hush (United States)
July 25 - Red Shoes and the Seven Dwarfs (South Korea)
July 26 - Ne Zha (China)
August 2 - The Angry Birds Movie 2 (United States and Finland)
August 6 - The Swan Princess: Kingdom of Music (United States)
August 7 - Playmobil: The Movie (Canada, France, and Germany)
August 8:
BoBoiBoy Movie 2 (Malaysia)
Trouble (United States)
August 9:
One Piece: Stampede (Japan)
Rocko's Modern Life: Static Cling (United States)
August 16 - Invader Zim: Enter the Florpus (United States)
August 20 - Lego DC Batman: Family Matters (United States)
August 23 - Ni no Kuni (Japan)
August 28 - Bombay Rose (India)
September 2 - Steven Universe: The Movie (United States)
September 3 - Scooby-Doo! Return to Zombie Island (United States)
September 4 - The Swallows of Kabul (France, Switzerland, Luxembourg and Monaco)
September 7 - The Legend of Hei (China)
September 10 - Curious George: Royal Monkey (United States)
September 19:
Hello World (Japan)
The Knight and the Princess (Egypt)
September 21 - Turu, the Wacky Hen (Spain and Argentina)
September 23 - Princess Principal 2: Episode 1 (Japan)
September 24 - Teen Titans Go! vs. Teen Titans (United States)
September 26:
Monty and the Street Party (Denmark)
On-Gaku: Our Sound (Japan)
September 27:
Abominable (United States and China)
Captain Sabertooth and the Magic Diamond (Norway)
Kiangnan 1894 (China)
The Old Man (Estonia)
September 30 - Fritzi – A Revolutionary Tale (Germany)
October 1:
Jacob, Mimmi and the Talking Dogs (Latvia and Poland)
Master Jiang and the Six Kingdoms (China)
October 2 - Hello World! (France)
October 3 - The Kuflis 2 (Hungary)
October 4 - Kral Şakir: Korsanlar Diyari (Turkey)
October 5:
The Wishmas Tree (Australia)
Wonder Woman: Bloodlines (United States)
October 8 - The Elfkins – Baking a Difference (Germany)
October 9 - The Bears' Famous Invasion of Sicily (France and Italy)
October 10 - Mosley (New Zealand)
October 11 - The Addams Family (United States and Canada)
October 18 - A Shaun the Sheep Movie: Farmageddon (United Kingdom)
October 20 - Boxi and the Lost Treasure (Hungary)
October 24 - Fantastic Return to Oz (Russia)
October 26 - Clara (Ukraine)
October 30 - Salma's Big Wish (Mexico)
November 1 - Arctic Dogs (Canada and United Kingdom)
November 6:
Benyamin (Iran)
I Lost My Body (France)
November 8:
Klaus (Spain and United States)
Pets United (Germany, China and United Kingdom)
November 14 - Alice-Miranda Friends Forever (Australia)
November 22 - Frozen II (United States)
November 28 - Ejen Ali: The Movie (Malaysia)
December - Dajjal The Slayer and His Followers (Pakistan, United Kingdom, Turkey, Malaysia, Indonesia, and Jordan)
December 4 - The Prince's Voyage (France and Luxembourg)
December 6:
Lupin III: The First (Japan)
StarDog and TurboCat (United Kingdom)
December 7 - SamSam (France and Belgium)
December 12 - Pinkfong & Baby Shark's Space Adventure (South Korea, United States, and Malaysia)
December 16 - Foodiverse (China)
December 19:
Fixies Vs. Crabots (Russia)
The Haunted House: The Sky Goblin VS Jormungandr (South Korea)
December 20 - My Hero Academia: Heroes Rising (Japan)
December 25:
Latte and the Magic Waterstone (Germany and Belgium)
Spies in Disguise (United States)
December 26 - Ivan Tsarevich and the Gray Wolf 4 (Russia)
Specific date unknown:
Arkie (Canada and Australia)
Nimuendajú (Brazil, France, and Germany)
Television series debuts
Television series endings
Deaths
January
January 2: Bob Einstein, American actor, comedy writer and producer (voice of Super Dave Osborne in Super Dave: Daredevil for Hire, Elephant Trainer and The Bookie in The Life & Times of Tim, Stuff in Strange Magic), dies from cancer at age 76.
January 6: W. Morgan Sheppard, English actor (voice of Dum Dum Dugan in Iron Man, Erik Hellstrom in Atlantis: Milo's Return, Lawrence Limburger in Biker Mice from Mars, Santa Claus in the Prep & Landing franchise, Merlin in the Justice League episode "A Knight of Shadows"), dies at age 86.
January 15:
Carol Channing, American actress and singer (voice of Grandmama in The Addams Family, Mehitabel in Shinbone Alley, Canina Lafur in Chip 'n Dale: Rescue Rangers, Muddy in Happily Ever After, Ms. Fieldmouse in Thumbelina, Fanny in The Brave Little Toaster Goes to Mars, Witch in the 2 Stupid Dogs episode "Red Strikes Back", Cornelia C. Contralto II in The Magic School Bus episode "In the Haunted House", herself in the Family Guy episode "Patriot Games"), dies at age 97.
Bradley Bolke, American voice actor (voice of Chumley the Walrus in Underdog), dies at age 93.
January 26: Michel Legrand, French composer (The Smurfs and the Magic Flute), dies at age 86.
January 27: Erica Yohn, American actress (voice of Mama Mousekewitz in An American Tail), dies at age 90.
January 30: Dick Miller, American actor (voice of Boxy Bennett in Batman: The Animated Series, Chuckie Sol in Batman: Mask of the Phantasm, Oberon in the Justice League Unlimited episode "The Ties That Bind"), dies at age 90.
February
February 6: Trista H. Navarro, American production manager (The Simpsons, The Simpsons Movie), dies at age 43.
February 7: Ted Stearn, American comic book artist, animator, storyboard artist (Beavis and Butt-Head Do America, Daria, Downtown, Drawn Together, King of the Hill, Squirrel Boy, Sit Down, Shut Up, Futurama, Rick and Morty, Animals.) and director (Daria, Beavis and Butt-Head), dies from AIDS at age 58.
February 9:
Ron W. Miller, American businessman, film producer, football player and president and CEO of The Walt Disney Company from 1978 to 1984, dies at age 85.
Tomi Ungerer, French novelist, illustrator, cartoonist and poster designer (narrator in The Three Robbers and The Moon Man), dies at age 87.
C. Raggio IV, American character designer (Cartoon Network Studios, The Mighty B!, Disney Television Animation) and storyboard artist (The Replacements, Illumination, The Angry Birds Movie 2), dies from blunt trauma at age 40.
February 15:
Werner Hierl, German comics artist (Rolf Kauka), and animator (Bavaria Film), dies at age 88 or 89.
Dave Smith, American archivist (founder of the Walt Disney Archives) and author (Disney A to Z), dies at age 78.
February 21: Antonia Rey, Cuban-born American actress (portrayed Assunta Bianchi in Happy!, voice of Abuela and Wizzles in Dora the Explorer, additional voices in Courage the Cowardly Dog), dies at age 92.
February 23: Katherine Helmond, American actress (voice of Lizzie in the Cars franchise, Connie Stromwell in the Batman: The Animated Series episode "It's Never Too Late", Dugong in The Wild Thornberrys episode "Reef Grief"), dies at age 89.
February 28: Aron Tager, American actor (voice of Cranky Kong in Donkey Kong Country, King Allfire in Blazing Dragons, additional voices in The Busy World of Richard Scarry and The Adventures of Sam & Max: Freelance Police), dies at age 84.
March
March 4: Luke Perry, American actor (voice of Napoleon Brie in Biker Mice from Mars, Sub-Zero in Mortal Kombat: Defenders of the Realm, Rick Jones in The Incredible Hulk, Stewart Waldinger in Pepper Ann, Ponce de Leon in the Clone High episode "Litter Kills: Litterally", Jacob in the Generator Rex episode "The Architect", Fang in the Pound Puppies episode "Rebel Without a Collar", voiced himself in The Simpsons episode "Krusty Gets Kancelled", the Family Guy episode "The Story on Page One", and the Johnny Bravo episode "Luke Perry's Guide to Love"), dies from a stroke at age 52.
March 7: Rosto, Dutch animator and film director (The Monster of Nix, No Place Like Home, Lonely Bones, Splintertime), dies at age 50.
March 16:
Tom Hatten, American cartoonist, TV presenter (host of The Popeye Show) and actor (voice of Farmer Fitzgibbons in The Secret of NIMH), dies at age 92.
Larry DiTillio, American film and television screenwriter (Fat Albert and the Cosby Kids, He-Man and the Masters of the Universe, Beast Wars), dies at age 79.
March 28: Maury Laws, American composer (Rankin/Bass), dies at age 95.
March 31: Don Morgan, American animator (UPA, Chuck Jones, Walt Disney Animation, Bakshi Animation, Hanna-Barbera) and comics artist, dies at age 80.
April
April 7: Seymour Cassel, American actor (voice of Chuck Sirianni in the Justice League Unlimited episode "I Am Legion", Man in Panda Suit in the Gary the Rat episode "Manratten"), dies at age 84.
April 11: Monkey Punch, Japanese manga artist (creator of Lupin III), dies at age 81.
April 12: Georgia Engel, American actress (voice of Love-a-Lot Bear in The Care Bears Movie, Bobbie in the Open Season franchise, Evelyn in Hercules, Willow Song in The Magic of Herself the Elf, Old Woman in the Hey Arnold! episode "Bag of Money", Rose in the Unsupervised episode "Youngbloods"), dies at age 70.
April 23: Edward Kelsey, English voice actor (voice of Colonel K. and Baron Silas Greenback in Danger Mouse, Mr. Growbag in Wallace and Gromit: The Curse of the Were-Rabbit), dies at age 88.
April 28: Bruce Bickford, American animator (made the surreal clay-animated sequences in Frank Zappa's concert films The Dub Room Special, Baby Snakes and The Amazing Mr. Bickford), dies at age 72.
April 30: Peter Mayhew, English-American actor (voice of Chewbacca in Star Wars: The Clone Wars), dies at age 74.
May
May 2: Chris Reccardi, American animator (The New Adventures of Beany and Cecil, The Butter Battle Book, Tiny Toon Adventures, The Simpsons, The Ren & Stimpy Show, Hercules and Xena - The Animated Movie: The Battle for Mount Olympus, Cloudy with a Chance of Meatballs, The Lego Movie, designed the end credits sequence of Hotel Transylvania 3: Summer Vacation), storyboard artist (Tiny Toon Adventures, Nickelodeon Animation Studio, Universal Cartoon Studios, Cow and Chicken, I Am Weasel, Dilbert, Cartoon Network Studios, DreamWorks Animation, The Haunted World of El Superbeasto, The Ricky Gervais Show, Kick Buttowski: Suburban Daredevil, Tron: Uprising, The Mighty Ones), character designer (Wander Over Yonder, Samurai Jack), background artist (Foster's Home for Imaginary Friends, Mickey Mouse), graphic designer, musician, writer (The Ren & Stimpy Show, Cartoon Network Studios, SpongeBob SquarePants, Billy Dilley's Super-Duper Subterranean Summer), director (The Ren & Stimpy Show, Super Robot Monkey Team Hyperforce Go!) and producer (Regular Show), dies from a heart attack at age 54.
May 13: Hu Jinqing, Chinese animator and director (The Fight Between the Snipe and the Clam, Calabash Brothers), dies at age 83.
May 14: Tim Conway, American actor and comedian (voice of Barnacle Boy in SpongeBob SquarePants, himself in The Simpsons episode "The Simpsons Spin-Off Showcase" and The New Scooby-Doo Movies episode "The Spirit Spooked Sports Show"), dies at age 85.
May 22: Flaminia Jandolo, Italian voice actress (dub voice of Lady in Lady and the Tramp, Merryweather in Sleeping Beauty and Perdita in One Hundred and One Dalmatians), dies at age 89.
May 30: Milan Blažeković, Croatian animator (The Elm-Chanted Forest, The Magician's Hat, Lapitch the Little Shoemaker), dies at age 78.
June
June 6: Dr. John, American singer and songwriter (voice of The Sun in Whoopi's Littleburg, performed the theme songs of Whoopi's Littleburg and Curious George, and "Down in New Orleans" in The Princess and the Frog)), dies from a heart attack at age 77.
June 7: Nonnie Griffin, Canadian actress (voice of Funshine Bear in Care Bears, Harmony Bear in Care Bears Movie II: A New Generation, Shadu in Ewoks, Pepper Potts, Black Widow, and Enchantress in The Marvel Super Heroes), dies at age 85.
June 18: Milton Quon, American animator (Walt Disney Animation Studios), artist and actor, dies at age 105.
June 28: Kaj Pindal, Danish-Canadian comics artist and animator (What on Earth!, Peep and the Big Wide World), dies at age 91.
June 30: Guillermo Mordillo, Argentine cartoonist and animator (Estudios Galas, produced animated shorts based on his cartoons), dies at age 86.
July
July 3: Arte Johnson, American comic actor (voice of Tyrone in Baggy Pants and the Nitwits, Farquad and Skull Ghost in Scooby-Doo Meets the Boo Brothers, Devil Smurf in The Smurfs, Weerd in The 13 Ghosts of Scooby-Doo, Count Ray and Dr. Ludwig von Strangeduck in DuckTales, Newt in Animaniacs, Virman Vundabar in the Justice League Unlimited episode "The Ties That Bind"), dies at age 90.
July 7: Cameron Boyce, American actor (voice of Jake in seasons 2-3 of Jake and the Never Land Pirates, Carlos in Descendants: Wicked World, Luke Ross in the Ultimate Spider-Man episode "Halloween Night at the Museum", Shocker in the Spider-Man episode "Osborn Academy"), dies at age 20.
July 9:
Freddie Jones, English actor (voice of Dallben in The Black Cauldron), dies at age 91.
Rip Torn, American actor (voice of Zeus in the Hercules franchise, Lou De Luca in Bee Movie, M in the TripTank episode "#InsideRoy"), dies from complications from Alzheimer's disease at age 88.
July 11: Pepita Pardell, Spanish animator, cartoonist, illustrator and painter (worked for Balet y Blay), dies at age 91.
July 18:
Naomi Ishida, Japanese color designer (The Melancholy of Haruhi Suzumiya, A Silent Voice) and member of Kyoto Animation, dies at age 49 in the Kyoto Animation arson attack.
Yoshiji Kigami, Japanese director (MUNTO), animator (Akira, A Silent Voice), and member of Kyoto Animation, dies at age 61 in the Kyoto Animation arson attack.
Futoshi Nishiya, Japanese character designer (Free!, A Silent Voice), animator (Clannad, The Melancholy of Haruhi Suzumiya), and member of Kyoto Animation, dies at age 37 in the Kyoto Animation arson attack.
Yasuhiro Takemoto, Japanese director (The Disappearance of Haruhi Suzumiya, Hyouka) and member of Kyoto Animation, dies at age 47 in the Kyoto Animation arson attack.
July 23: Gabe Khouth, Canadian voice actor (voice of Nicol Amalfi in Gundam SEED, Goten in the Ocean dub of Dragon Ball Z, Orko and Mekaneck in He-Man and the Masters of the Universe, Spinner Cortez in Hot Wheels Battle Force 5), dies at age 47.
July 27: Russi Taylor, American voice actress (voice of Gonzo, Camilla and Robin in Muppet Babies, Huey, Dewey, and Louie and Webby Vanderquack in DuckTales, Phantasma in Scooby-Doo and the Ghoul School and the OK K.O.! Let's Be Heroes episode "Monster Party", Martin Prince, Üter, and Sherri and Terri in The Simpsons, Widget in Widget the World Watcher, Ferny Toro and Annie Winks in Jakers! The Adventures of Piggley Winks, young Donald Duck in the DuckTales episode "Last Christmas!", continued voice of Minnie Mouse and Pebbles Flintstone), dies at age 75.
July 29: Daniele Fagarazzi, AKA Dani, Italian animator and comic artist (worked on Arrivano i Putti-Potti), dies at age 54.
August
August 4: Stu Rosen, American voice director and actor (Hulk Hogan's Rock 'n' Wrestling, The Legend of Prince Valiant, Fraggle Rock: The Animated Series), dies at age 80.
August 16: Richard Williams, Canadian-English animator and director (The Thief and the Cobbler, directed the animated scenes in What's New Pussycat?, A Funny Thing Happened on the Way to the Forum, Casino Royale, The Charge of the Light Brigade, Can Heironymus Merkin Ever Forget Mercy Humppe and Find True Happiness?, The Return of the Pink Panther, The Pink Panther Strikes Again and Who Framed Roger Rabbit), dies at age 86.
August 21: Richard Trueblood, American animator (Hanna-Barbera, The Nine Lives of Fritz the Cat, The Mouse and His Child, A Family Circus Christmas, Filmation), storyboard artist (Maxie's World, Goof Troop, Sonic the Hedgehog, Bonkers), sheet timer (Little Nemo: Adventures in Slumberland, Disney Television Animation, DuckTales the Movie: Treasure of the Lost Lamp, Animaniacs, DIC Entertainment, The Incredible Hulk, Adelaide Productions, All Dogs Go to Heaven: The Series, Histeria!, The Secret of NIMH 2: Timmy to the Rescue, The Wild Thornberrys, The New Woody Woodpecker Show, The Oblongs, Courage the Cowardly Dog, Clifford's Really Big Movie), producer (Attack of the Killer Tomatoes, Space Cats, Bonkers, Fantastic Four) and director (Filmation, Garbage Pail Kids, Teenage Mutant Ninja Turtles, Disney Television Animation, Biker Mice from Mars, Iron Man, The Incredible Hulk, Dexter's Laboratory), dies at age 78.
August 22: Dwi Koendoro, Indonesian comics artist, animator (made an animated series based on his comics series Legenda Sawung Kampret) and film producer (head of Indonesian Animation Association), dies at age 78.
August 27: Pedro Bell, American illustrator, animator and comics artist (once made an animated short starring his character Larry Lazer), dies at age 69.
August 30:
Valerie Harper, American actress (voice of various characters in The Simpsons, Townspeople in the Sorcerous Stabber Orphen episode "The Sword of Baltanders", Maryellen and Librarian in the As Told by Ginger episode "The Wedding Frame", IHOP Diner in the American Dad! episode "Cock of the Sleepwalk", additional voices in Generator Gawl), dies from lung cancer at age 80.
Gordon Bressack, American television producer and writer (Hanna-Barbera, Bionic Six, DuckTales, DIC Entertainment, Warner Bros. Animation, Teenage Mutant Ninja Turtles, Darkwing Duck, Mighty Max, Fat Dog Mendoza, The Adventures of Jimmy Neutron, Boy Genius, WordGirl, The Twisted Whiskers Show, Octonauts, creator of Captain Simian & the Space Monkeys), dies at age 68.
August 31: Michael Lindsay, American voice actor (voice of Kisuke Urahara in Bleach, Shinichiro Tamaki in Code Geass), dies at age 56.
September
September 4:
Dai Tielang, Singaporean-Chinese animator and film director (Black Cat Detective, A Deer of Nine Colors, Where is Mama), dies at age 88.
Ernie Elicanal, American animator and storyboard artist (Scooby-Doo! and the Reluctant Werewolf, The Rugrats Movie, The Wild Thornberrys Movie, Tutenstein, The Simpsons Movie, The Simpsons), dies at an unknown age.
September 7: Robert Axelrod, American actor (voice of Lord Zedd and Finster in Mighty Morphin Power Rangers, Microchip in Spider-Man, Wizardmon and Vademon in Digimon: Digital Monsters), dies at age 70.
September 13: Eddie Money, American singer and songwriter (performed the theme song of Quack Pack, composed the tracks "Baby Hold On" which was used in the Bob's Burgers episode "O.T.: The Outside Toilet", and "Two Tickets to Paradise" which was used in The Simpsons episode "Homer Loves Flanders" and the King of the Hill episode "Enrique-cilable Differences"), dies from esophageal cancer at age 70.
September 22: J. Michael Mendel, American television producer (The Simpsons, The Critic, The PJs, The Oblongs, Kid Notorious, Drawn Together, Lil' Bush, Sit Down, Shut Up, Good Vibes, Napoleon Dynamite, Rick and Morty, Solar Opposites), dies at age 54.
September 30: Marshall Efron, American actor (voice of Ratso in The Kwicky Koala Show, Sloppy Smurf in The Smurfs, Mooch in The Biskitts, Fat Cat in Kidd Video, Stanley in Fluppy Dogs, Hun-Gurrr in The Transformers, Deputroll Flake in Trollkins, Synonamess Botch in Twice Upon a Time, the Earl of Sandwich in the Time Squad episode "A Sandwich by Any Other Name"), dies at age 81.
October
October 2: Alan Zaslove, American animator and animation producer (UPA, Hanna-Barbera, Walt Disney Animation Studios), dies at age 91.
October 6: Rip Taylor, American actor and comedian (voice of The Grump in Here Comes The Grump, Gene the Genie in DuckTales the Movie: Treasure of the Lost Lamp, Uncle Fester in The Addams Family, and Captain Kiddie in Tom and Jerry: The Movie), dies at age 88. His ashes were scattered at sea in Hawaii.
October 11:
Robert Forster, American actor (voice of Major Forsberg in Todd McFarlane's Spawn, The President in Justice League Unlimited, Jack J. Kurtzman in Teenage Mutant Ninja Turtles, Jack Chapman and Police Officer in the Godzilla: The Series episode "Wedding Bells Blew", Lucky Jim in The Simpsons episode "Sex, Pies and Idiot Scrapes", General Bryce in the Transformers: Prime episode "Grill"), dies from brain cancer at age 78.
Ram Mohan, Indian animator (You Said It, Fire Games), director (co-director of Ramayana: The Legend of Prince Rama, Meena) and animation producer (Ram Mohan Biographics), dies at age 88.
October 21: Bengt Feldreich, Swedish television presentator, journalist and voice actor (the narrator in From All of Us to All of You), dies at age 94.
October 22: Craig Gardner, American background artist (Wild West C.O.W.-Boys of Moo Mesa, Mega Man, Iron Man, Fantastic Four, Darkstalkers, The Real Adventures of Jonny Quest, Captain Simian & the Space Monkeys, Scooby-Doo on Zombie Island, Nickelodeon Animation Studio, RoboCop: Alpha Commando, Harvey Birdman, Attorney at Law, Ozzy & Drix, Tom and Jerry: The Fast and the Furry), dies at an unknown age.
October 26: Robert Evans, American film producer, studio executive and actor (co-creator, producer and voice of the title character in Kid Notorious, himself in The Simpsons episode "Kill the Alligator and Run"), dies at age 89.
October 29: John Witherspoon, American actor and comedian (voice of Dad in Waynehead, Oran Jones in The Proud Family, Robert Freeman in The Boondocks, S. Ward Smith in Randy Cunningham: 9th Grade Ninja, Scofflaw in the Happily Ever After: Fairy Tales for Every Child episode "The Prince and the Pauper", Wayne in the Kim Possible episode "Rewriting History", Jimmy in the Animals episode "Squirrels", Franco Aplenty in the BoJack Horseman episode "Surprise"), dies from a heart attack at age 77.
November
November 5: Laurel Griggs, American child actress (voice of Stella, Crab Sprout 1 & 2 and Crab Kid in Bubble Guppies), dies from an undiagnosed asthma attack at age 13.
December
December 8:
René Auberjonois, American actor (voice of Chef Louis in The Little Mermaid franchise, Marsupilami, and the House of Mouse episode "Goofy's Menu Magic", the Skull in The Last Unicorn, DeSaad in Super Friends, Mark Desmond in Young Justice, Azmuth in Ben 10: Omniverse, Ebony Maw in Avengers Assemble, Pepe Le Pew in The Looney Tunes Show, Odo in Stewie Griffin: The Untold Story), dies from lung cancer at age 79.
Caroll Spinney, American puppeteer (Sesame Street), voice actor, comics artist and animator (Crazy Crayons), dies at age 85.
December 12: Albert Jelenic, Croatian-born American voice actor and father of Michael Jelenic (voiced himself in the Teen Titans Go! episodes "The Self-Indulgent 200th Episode Spectacular", "The Power of Shrimps", and "Where Exactly on the Globe Is Carl Sanpedro"), dies at age 75.
December 14: Lord Tim Hudson, English DJ and voice actor (voice of Dizzy in The Jungle Book, Hit Cat in The Aristocats), dies at age 79.
December 25:
Patricia Alice Albrecht, American actress, writer and poet (voice of Phyllis "Pizzazz" Gabor in Jem), dies at age 66.
Lee Mendelson, American animation producer (Peanuts, Here Comes Garfield, Garfield on the Town, The Romance of Betty Boop, Garfield and Friends), dies from lung cancer at age 86.
December 27: Jack Sheldon, American jazz trumpeter, singer (Schoolhouse Rock!, performed the song "Take the Money and Run" in Teacher's Pet) and actor (voice of The Sensitive Male, The President, Chef and Traffic Cop in Johnny Bravo, The Amendment in The Simpsons episode "The Day the Violence Died", 'Vagina Junction' Conductor and The Bill in the Family Guy episodes "Running Mates" and "Mr. Griffin Goes to Washington"), dies at age 88.
See also
2019 in anime
List of animated television series of 2019
Notes
References
External links
Animated works of the year, listed in the IMDb
2010s in animation
Mass media timelines by year
Animation |
```javascript
import data from '../../../shared/testing/data';
import constants from '../../../api/migrations/seed/default/constants';
const publicChannel = data.channels.find(
c => c.id === constants.SPECTRUM_GENERAL_CHANNEL_ID
);
const privateChannel = data.channels.find(
c => c.id === constants.SPECTRUM_PRIVATE_CHANNEL_ID
);
const publicCommunity = data.communities.find(
c => c.id === constants.SPECTRUM_COMMUNITY_ID
);
const publicThread = data.threads.find(
t => t.communityId === publicCommunity.id && t.channelId === publicChannel.id
);
const privateThread = data.threads.find(
t => t.communityId === publicCommunity.id && t.channelId === privateChannel.id
);
const publicThreadAuthor = data.users.find(
u => u.id === publicThread.creatorId
);
const nonMemberUser = data.users.find(u => u.id === constants.QUIET_USER_ID);
const memberInChannelUser = data.users.find(u => u.id === constants.BRYN_ID);
const triggerThreadDelete = () => {
cy.get('[data-cy="thread-dropdown-delete"]')
.first()
.click();
cy.get('[data-cy="delete-button"]').should('be.visible');
cy.get('div.ReactModal__Overlay')
.should('be.visible')
.click('topLeft');
};
const openSettingsDropdown = () => {
cy.get('[data-cy="thread-actions-dropdown-trigger"]')
.last()
.should('be.visible')
.click({ force: true });
};
describe('action bar renders', () => {
describe('non authed', () => {
beforeEach(() => {
cy.visit(`/thread/${publicThread.id}`);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
cy.get('[data-cy="thread-actions-dropdown-trigger"]').should(
'not.be.visible'
);
});
});
describe('authed non member', () => {
beforeEach(() => {
cy.auth(nonMemberUser.id).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
});
});
describe('authed member', () => {
beforeEach(() => {
cy.auth(memberInChannelUser.id).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
cy.get('[data-cy="thread-actions-dropdown-trigger"]').should(
'not.be.visible'
);
});
});
describe('authed private channel member', () => {
beforeEach(() => {
cy.auth(memberInChannelUser.id).then(() =>
cy.visit(`/thread/${privateThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
cy.get('[data-cy="thread-actions-dropdown-trigger"]').should(
'not.be.visible'
);
});
});
describe('thread author', () => {
beforeEach(() => {
cy.auth(publicThreadAuthor.id).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
openSettingsDropdown();
cy.get('[data-cy="thread-actions-dropdown"]').should('be.visible');
// dropdown controls
cy.get('[data-cy="thread-dropdown-delete"]').should('be.visible');
});
it('should lock the thread', () => {
cy.auth(publicThreadAuthor.id);
openSettingsDropdown();
});
it('should trigger delete thread', () => {
cy.auth(publicThreadAuthor.id);
openSettingsDropdown();
triggerThreadDelete();
});
});
describe('channel moderator', () => {
beforeEach(() => {
cy.auth(constants.CHANNEL_MODERATOR_USER_ID).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
openSettingsDropdown();
cy.get('[data-cy="thread-actions-dropdown"]').should('be.visible');
cy.get('[data-cy="thread-dropdown-delete"]').should('be.visible');
});
it('should trigger delete thread', () => {
cy.auth(constants.CHANNEL_MODERATOR_USER_ID);
openSettingsDropdown();
triggerThreadDelete();
});
});
describe('channel owner', () => {
beforeEach(() => {
cy.auth(constants.CHANNEL_MODERATOR_USER_ID).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
openSettingsDropdown();
cy.get('[data-cy="thread-actions-dropdown"]').should('be.visible');
cy.get('[data-cy="thread-dropdown-delete"]').should('be.visible');
});
it('should trigger delete thread', () => {
cy.auth(constants.CHANNEL_MODERATOR_USER_ID);
openSettingsDropdown();
triggerThreadDelete();
});
});
describe('community moderator', () => {
beforeEach(() => {
cy.auth(constants.COMMUNITY_MODERATOR_USER_ID).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
openSettingsDropdown();
cy.get('[data-cy="thread-actions-dropdown"]').should('be.visible');
cy.get('[data-cy="thread-dropdown-delete"]').should('be.visible');
});
it('should trigger delete thread', () => {
cy.auth(constants.COMMUNITY_MODERATOR_USER_ID);
openSettingsDropdown();
triggerThreadDelete();
});
});
describe('community owner', () => {
beforeEach(() => {
cy.auth(constants.MAX_ID).then(() =>
cy.visit(`/thread/${publicThread.id}`)
);
});
it('should render', () => {
cy.get('[data-cy="thread-view"]').should('be.visible');
openSettingsDropdown();
cy.get('[data-cy="thread-actions-dropdown"]').should('be.visible');
cy.get('[data-cy="thread-dropdown-delete"]').should('be.visible');
});
it('should trigger delete thread', () => {
cy.auth(constants.MAX_ID);
openSettingsDropdown();
triggerThreadDelete();
});
});
});
``` |
Arsenic trichloride is an inorganic compound with the formula AsCl3, also known as arsenous chloride or butter of arsenic. This poisonous oil is colourless, although impure samples may appear yellow. It is an intermediate in the manufacture of organoarsenic compounds.
Structure
AsCl3 is a pyramidal molecule with C3v symmetry. The As-Cl bond is 2.161 Å and the angle Cl-As-Cl is 98° 25'±30. AsCl3 has four normal modes of vibration: ν1(A1) 416, ν2(A1) 192, ν3 393, and ν4(E) 152 cm−1.
Synthesis
This colourless liquid is prepared by treatment of arsenic(III) oxide with hydrogen chloride followed by distillation:
As2O3 + 6 HCl → 2 AsCl3 + 3 H2O
It can also be prepared by chlorination of arsenic at 80–85 °C, but this method requires elemental arsenic.
2 As + 3 Cl2 → 2 AsCl3
Arsenic trichloride can be prepared by the reaction of arsenic oxide and sulfur monochloride. This method requires simple apparatus and proceeds efficiently:
2 As2O3 + 6 S2Cl2 → 4 AsCl3 + 3 SO2 + 9 S
A convenient laboratory method is refluxing arsenic(III) oxide with thionyl chloride:
2 As2O3 + 3 SOCl2 → 2 AsCl3 + 3 SO2
Arsenic trichloride can also be prepared by the reaction of hydrochloric acid and arsenic(III) sulfide.
As2S3 + 6 HCl → 2 AsCl3 + 3 H2S
Reactions
Hydrolysis gives arsenous acid and hydrochloric acid:
AsCl3 + 3 H2O → As(OH)3 + 3 HCl
Although AsCl3 is less moisture sensitive than PCl3, it still fumes in moist air.
AsCl3 undergoes redistribution upon treatment with As2O3 to give the inorganic polymer AsOCl. With chloride sources, AsCl3, forms salts containing the anion [AsCl4]−. Reaction with potassium bromide and potassium iodide give arsenic tribromide and arsenic triiodide, respectively.
AsCl3 is useful in organoarsenic chemistry, for example triphenylarsine is derived from AsCl3:
AsCl3 + 6 Na + C6H5Cl → As(C6H5)3 + 6 NaCl
The poison gases called Lewisites are prepared by the addition of arsenic trichloride to acetylene:
Safety
Inorganic arsenic compounds are highly toxic, and AsCl3 especially so because of its volatility and solubility (in water).
It is classified as an extremely hazardous substance in the United States as defined in Section 302 of the U.S. Emergency Planning and Community Right-to-Know Act (42 U.S.C. 11002), and is subject to strict reporting requirements by facilities which produce, store, or use it in significant quantities.
References
Arsenic(III) compounds
Arsenic halides
Chlorides |
Derya Sazak (born 1956) is a Turkish journalist and writer. He has worked for various leading newspapers.
Biography
Sazak was born in Ankara in 1956. He is a graduate of Gazi University where he received a degree in journalism. Following his graduation he started his career in the newspaper Yeni Ulus in 1978. Then he joined Anka News Agency. Next he involved in the establishment of the daily newspaper Güneş. In 1983 he became a regular contributor of Milliyet of which he later became the editor-in-chief. His interview with Saddam Hussein in Baghdad was awarded as the best journalistic work in 1991. He served as the editor-in-chief of Milliyet until 30 July 2013 when Fikret Bila replaced him in the post. The reason for this replacement was the publication of the details of a meeting between Abdullah Öcalan and the Kurdish delegation which had been held on 28 February 2013. In the same purge two leading Milliyet contributors, Hasan Cemal and Can Dündar, were also fired.
In July 2014 he was named as the editor-in-chief of the Yurt newspaper. He was removed from the post in April 2015 because of the Turkish Government's censorship. He started a newspaper, Karşı, and is its editor in chief.
References
1956 births
Living people
Journalists from Ankara
Milliyet people
21st-century Turkish journalists
20th-century Turkish journalists
Gazi University alumni |
This is a list of the National Register of Historic Places listings in Bullock County, Alabama.
This is intended to be a complete list of the properties and districts on the National Register of Historic Places in Bullock County, Alabama, United States. Latitude and longitude coordinates are provided for many National Register properties and districts; these locations may be seen together in a Google map.
There are 4 properties and districts listed on the National Register in the county.
|}
See also
List of National Historic Landmarks in Alabama
National Register of Historic Places listings in Alabama
References
Bullock |
Aegomorphus binocularis is a species of beetle in the family Cerambycidae. It was described by Martins in 1981.
References
Aegomorphus
Beetles described in 1981 |
SS Mission Carmel was a Type T2-SE-A2 tanker built for the United States Maritime Commission during World War II. After the war she was acquired by the United States Navy as USS Mission Carmel (AO-113). Later the tanker transferred to the Military Sea Transportation Service as USNS Mission Carmel (T-AO-113). She was a member of the and was one of two named for Mission San Carlos Borroméo de Carmelo located in Carmel-by-the-Sea, California, the other being .
Service history
Mission Carmel was laid down on 1 January 1944 under a Maritime Commission contract by Marinship Corporation, Sausalito, California; launched on 28 March 1944, sponsored by Mrs. W. B. Lardner; and delivered on 17 May 1944. Chartered to Pacific Tankers, Inc. for operations, she spent the remainder of the war providing fuel to allied forces overseas (during which time she was awarded the National Defense Service Medal). Returned to the Maritime Commission on 11 April 1946 she was laid up in the Reserve Fleet at Portland, Oregon.
Acquired by the Navy on 21 October 1947 she was designated Mission Carmel (AO-113) and assigned to the Naval Transportation Service for operations. She continued with the Transportation Service until 1 October 1949 when the Naval Transportation Service and the Mission Carmel were absorbed into the new Military Sea Transportation Service. Redesignated USNS Mission Carmel (T-AO-113), she continued to supply US forces overseas with needed fuel products until 25 October 1957 when she was returned to the Maritime Administration (MARAD), struck from the Naval Vessel Register and laid up in the Maritime Reserve Fleet at Olympia, Washington.
Her life of service not yet over, she was sold to Litton Industries on 7 November 1957 for conversion into a dry cargo ship. Renamed Houston, into 1969 she continued her life of service under a new flag. She was resold on 28 February 1975 to Reynolds Leasing Corp.
The ship was sold for scrap to Eastern Overseas Corp, and scrapped in Spain in 1983.
References
Type T2-SE-A2 tankers
Ships built in Sausalito, California
1944 ships
World War II tankers of the United States
Carmel
Type T2-SE-A2 tankers of the United States Navy |
Chatsworth is a civil parish in Derbyshire, England, within the area of the Derbyshire Dales and the Peak District National Park.
The population is largely in and around Chatsworth House and is considered to be too low to justify a parish council. Instead, there is a parish meeting, at which all electors may attend.
Most of Chatsworth belongs to the Duke of Devonshire's Chatsworth estate, the villages of which include Beeley, Pilsley and Edensor.
History
John Marius Wilson's Imperial Gazetteer of England and Wales (1870-1872) says -
John Bartholomew's Gazetteer of the British Isles says -
See also
Listed buildings in Chatsworth, Derbyshire
References
External links
The Official Chatsworth website
Parish of Chatsworth at British-towns.net
Chatsworth page at derbyshire-peakdistrict.co.uk
Towns and villages of the Peak District
Civil parishes in Derbyshire |
```javascript
'use strict';
Object.defineProperty(exports, "__esModule", {
value: true
});
var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };
exports.default = CancelButton;
var _react = require('react');
var _react2 = _interopRequireDefault(_react);
var _button = require('./button');
var _button2 = _interopRequireDefault(_button);
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
function _objectWithoutProperties(obj, keys) { var target = {}; for (var i in obj) { if (keys.indexOf(i) >= 0) continue; if (!Object.prototype.hasOwnProperty.call(obj, i)) continue; target[i] = obj[i]; } return target; }
var STYLE = {
borderColor: "#adadad",
backgroundColor: "#e6e6e6"
};
var STYLE_HOVER = {
backgroundColor: "#d4d4d4",
borderColor: "#8c8c8c"
};
function CancelButton(_ref) {
var children = _ref.children,
rest = _objectWithoutProperties(_ref, ['children']);
return _react2.default.createElement(
_button2.default,
_extends({ style: STYLE, styleHover: STYLE_HOVER }, rest),
children
);
}
``` |
Joan Elizabeth London (born 1948) is an Australian author of short stories, screenplays and novels.
Biography
She graduated from the University of Western Australia having studied English and French, has taught English as a second language and is a bookseller. She lives in Fremantle, Western Australia.
London is the author of two collections of stories. The first, Sister Ships, won The Age Book of the Year (1986), and the second, Letter to Constantine, won the Steele Rudd Award and the West Australian Premier's Award for Fiction (both in 1994). The two were published together as The New Dark Age. She has published three novels, Gilgamesh, The Good Parents and The Golden Age.
She was awarded the Patrick White Award and the Nita Kibble Literary Award in 2015.
Bibliography
Short stories
Sister Ships (1986)
Letter to Constantine (1993)
New Dark Age (2004)
Novels
Gilgamesh (2001)
The Good Parents (2008)
The Golden Age (2014)
Critical studies and reviews of London's work
Review of The Golden Age.
Book Review (15 June 2016).Kirkus Reviews. Review of The Golden Age.
Awards and nominations
1986: The Age Book of the Year Book of the Year and Fiction Award for Sister Ships
1986: Western Australia Week Literary Award for Sister Ships
1994: Steele Rudd Award for Letter to Constantine
1994: Western Australian Premier's Book Awards for Letter to Constantine
2002: The Age Book of the Year Fiction Award for Gilgamesh
2002: Miles Franklin Award Shortlisted for Gilgamesh
2002: New South Wales Premier's Literary Awards Shortlisted for Gilgamesh
2003: Tasmania Pacific Rim Region Prize Shortlisted for Gilgamesh
2009: New South Wales Premier's Literary Awards Christina Stead Prize for Fiction for The Good Parents
2015: Prime Minister's Literary Award for The Golden Age
2015: Patrick White Award
2015: Nita Kibble Literary Award for The Golden Age
2015: Miles Franklin Award shortlisted for The Golden Age
References
External links
Joan London at Random House Australia
Middlemiss Page on Gilgamesh
Review of The Golden Age, with portrait
See also
Wilde, W., Hooton, J. & Andrews, B (1994) The Oxford Companion of Australian Literature 2nd ed. South Melbourne, Oxford University Press
1948 births
21st-century Australian novelists
Australian women short story writers
Australian women novelists
20th-century Australian women writers
Writers from Perth, Western Australia
Living people
University of Western Australia alumni
21st-century Australian women writers
20th-century Australian short story writers
21st-century Australian short story writers
Patrick White Award winners |
Barbara Rosenblat is a British actress. She is best known as a prolific narrator of audiobooks, for which AudioFile named her a Golden Voice. She has also appeared on screen such as in the Netflix original series Orange Is the New Black as the character Miss Rosa.
Early life
Rosenblat was born in London, England and was raised in New York City in a Jewish family. She attended a Hebrew school as a child.
Career
After returning to London for a family wedding, Rosenblat decided to stay in England. Soon afterwards, she landed a part in a production of Godspell. She continued to work in theatre, as well as various fields of entertainment in the UK such as radio, film and television.
She later returned to the US, and worked at the Library of Congress narrating books for the blind for four years.
On Broadway, she appeared in the musical The Secret Garden and the play Talk Radio.
Awards and honors
AudioFile has named Rosenblat a Golden Voice narrator.
Awards
"Best of" lists
Audiography
Rosenblat has narrated more than 400 audiobooks and has been praised for her range of performance in both British and American English accents. She has also narrated a vast range of books across various genres, from classics such as Lewis Carroll’s Alice in Wonderland to the literary fiction of T. C. Boyle or short stories of Kurt Vonnegut to paranormal romance novels by Katie McAllister.
Rosenblat is known for her narrations of well-loved mystery series such as Dorothy Gilman’s Mrs. Pollifax series, Elizabeth Peters‘s Amelia Peabody series, and continues to carry many long-running contemporary crime fiction series including:
Kathy Reich’s Temperance Brennen series
Nevada Barr’s Anna Pigeon series
Diane Mott Davidson’s Goldy Schultz series
Linda Fairstein’s Alexandra Cooper series
Lisa Scottoline’s Rosato & Associates series
Jeffery Deaver’s Lincoln Rhyme series
Laura Lippman’s Tess Monaghan series
Carol O’Connell’s Kathleen Mallory series
Jessica Ellicott’s Beryl and Edwina Mystery series
Filmography
Film
Television
Video games
References
Barbara's Recent News - Audiofilemagazine.com
External links
20th-century American actresses
20th-century British actresses
21st-century American actresses
21st-century British actresses
Living people
American television actresses
British television actresses
Actresses from London
British emigrants to the United States
British people of Jewish descent
American people of Jewish descent
Actresses from New York City
British stage actresses
American stage actresses
British film actresses
American film actresses
British voice actresses
American voice actresses
Audiobook narrators
20th-century English women
20th-century English people
21st-century English women
21st-century English people
Year of birth missing (living people) |
Richard Fuller (born February 18, 1967) is an American retired professional wrestler. He is best known for his appearances with World Championship Wrestling from 1997 to 2000.
Early life
Born in Middleborough, Massachusetts, Fuller graduated from Middleborough High School in 1987.
Professional wrestling career
Early career (1990–1997)
Born in Middleboro, Massachusetts, Fuller graduated from Middleborough High School in 1987 and soon began training under "Superfly" Jimmy Snuka and "Mr. USA" Tony Atlas at their wrestling school in New Bedford, Massachusetts.
Touring the Northeast during the 1990s, Fuller won championship titles in several promotions and, most notably, feuded with Scott Garland while in the New England Wrestling Association later fighting over the NEWA Heavyweight Championship during 1992 and 1993.
Jimmy Snuka and Tony Atlas had nothing to do with the school, in New Bedford Massachusetts. I was there when Fuller started. The only pro that was involved with training, was Silvano Sousa. Also. it was owned by Joe Eugenio, a lifetime New Bedford resident.
World Championship Wrestling (1997–2000)
In early 1997, Fuller made his debut in World Championship Wrestling losing to Lex Luger at the Superdome in New Orleans, Louisiana, on January 13, 1997. Regularly appearing on WCW Monday Nitro, WCW Saturday Night during the year, he also lost to Chris Benoit on February 22 and Diamond Dallas Page on March 3. Later that month, he would also face Roadblock and Johnny Swinger on Saturday Night before teaming with Roadblock against Lex Luger and The Giant on Monday Nitro on March 31, 1997.
Suffering losses to Booker T and Jeff Jarrett during the next two months, he lost to Meng in a dark match on Monday Nitro on May 12. After another loss to Jeff Jarrett on Saturday Night on May 24, he also lost to The Giant in a handicap match with Johnny Swinger and Jerry Flynn on Monday Nitro on May 26. In early June, he would also lose to Ice Train and Buff Bagwell and later to "Hacksaw" Jim Duggan on Monday Nitro in Las Vegas, Nevada, on July 13.
One of the first victims of Bill Goldberg's winning streak during early 1998, Fuller was pinned by Goldberg on WCW Thunder on February 2. He later appeared on WCW WorldWide losing to Konnan on February 21. as well as appearing on Saturday Night facing Hugh Morris, Jim Duggan and Prince Iaukea as well as to Booker T and Steve McMichael on Thunder before defeating Doc Dean on July 25, 1998.
During the next few months however, while scoring victories over preliminary wrestlers, he would lose matches to Scott Norton, Bryan Clark, Marty Jannetty and Jerry Flynn before losing to WCW World Heavyweight Champion Bill Goldberg on Thunder in Lexington, Kentucky, on September 10. He would also lose to Ernest "The Cat" Miller and Rick Steiner before defeating El Dandy on Worldwide on October 17, 1998.
Fuller defeated Lash LeRoux on WorldWide on January 26. Fuller later teamed with Knuckles Nelson at the NWA Parade of Champions, substituting for the injured Erich Sbraccia, winning the then vacant NWA World Tag Team Championship against Team Extreme (Kit Carson and Khris Germany) winning by reverse decision at the Bronco Bowl in Dallas, Texas, on June 10, 1999. However, the two would hold them for less than a week before losing the titles to The Public Enemy in Bolton, Massachusetts, on June 17.
Fuller would make only occasional appearances with WCW for most of the year, defeating Sick Boy on Thunder in Birmingham, Alabama, on July 14, he would instead wrestle for independent promotions including an appearance at Ultimate Professional Wrestling's Slam & Jam '99 defeating former trainer "Mr. USA" Tony Atlas at the Augusta Civic Center in Augusta, Maine, on December 30, 1999.
Returning to WCW in early 2000, Fuller faced Tank Abbott on Monday Nitro on February 14 and later appeared on Saturday Night during its last months on the air facing The Wall, The Demon and in the last episode, participated in a six-man Hardcore Battle Royal won by Brian Knobs and included Norman Smiley, Adrian Byrd, Dave Burkehead and The Dog on April 1, 2000.
Fuller was featured in the video games WCW Nitro and WCW/nWo Thunder.
Independent circuit (2000–2014)
After the close of WCW, Fuller returned to the independent circuit and, while in East Coast Championship Wrestling joined the stable Alliance of Defiance with Kevin Kelly and Billy Fives in early 2001. He would also make an appearance in the World Wrestling Federation (WWF) facing Devon Storm at the Hartford Civic Center in Hartford, Connecticut, on May 21.
In December 2001, Fuller assaulted then-referee Barry Ace during a match for NWA New England after he had unintentionally caused Fuller to mistime a wrestling move. NWA New England Vice President Vinnie Capelli later made a public statement accepting full responsibility for the incident as Barry Ace was not a fully trained referee at the time. Despite this incident, Fuller remained with the promotion and, the following year, he won the NWA New England Heavyweight Championship. Several years later, Fuller and Ace both portrayed prison inmates in the film What Doesn't Kill You.
During 2006, Fuller would continue his feud with Brian Milonas in East Coast Championship Wrestling defeating him on May 6 although he was later eliminated by Milonas in the ECCW "Road to the Championship" Tournament on May 20. The following month he debuted New England Championship Wrestling defeating Nat Turner on July 15 although he would later lose to NECW U.S. Champion Eric Shred by disqualification on October 7 and, with Evan Siks, defeated Eddie Edwards and DC Dillinger by disqualification on October 28, 2006. Defeating Triplelicious and Chris Green during the next several weeks, he joined Team Nightmare (Evan Siks, Jason Blade and Brian Fury) defeating Team Sabotage (Kristian Frost, John Walters, Eddie Edwards and DC Dillinger) in an 8-man elimination match on December 16, 2006.
In early 2007, he lost to Abyss in a stretcher match during a Powerhouse Wrestling of New England event on January 27 and, the following month in Big Time Wrestling, defeated Eddie Edwards on February 25 before losing to Mister TA in a dog collar match on March 2, 2007. From late 2007 through early 2008, he wrestled for a small company in Fair Haven, Massachusetts called Alliance Championship Wrestling.
On May 18, 2007 Fuller faced Chaotic Wrestling Heavyweight Champion Brian Milonas in the main event of the Homecoming benefit show in Byfield, Massachusetts, a fundraising event held by Chaotic Wrestling and Fabulous Productions to raise money for charities in the New England area including the Mothers Against Drunk Driving, the Newbury Police Association and the Trista Zinck Scholarship Fund. The match, which featured WWE World Heavyweight Champion John Cena as special referee, also saw Vince McMahon in a rare appearance on the independent circuit who attempted to interfere in the match only to be stopped by Cena.
In June 2007 he wrestled for URW Ultimate Rings Wars out of Fall River Ma and ended the management of The Mind
On December 28, 2007 Fuller defeated Brian Fury to win the NECW Triple Crown Heavyweight Championship in Quincy, Massachusetts.
On June 27, 2008, Fuller and tag team partner Fred Sampson defeated The Blowout Boys to become the new Chaotic Wrestling Tag Team Champions.
In 2008 Fuller competed for New Japan Pro-Wrestling (NJPW), where he formed a tag team with Giant Bernard. He is also a singles competitor in the New Jersey–based ISPW and the New England–based Big Time Wrestling (BTW).
Fuller wrestled his final match in 2014.
During his career, Fuller appeared as an extra in many movies and commercials. Including a football player in The Game Plan starring The Rock as well as the bouncer in "The Fighter".
Professional wrestling style and persona
Fuller was frequently known by the nicknames of "The Lumberjack" and "Big". His finishing moves included a reverse piledriver known as the Fuller Effect and a spinning heel kick.
Personal life
Fuller is married and has two children.
Championships and accomplishments
Chaotic Wrestling
Chaotic Wrestling Heavyweight Championship (1 time)
Chaotic Wrestling Tag Team Championship (1 time) – with Fred Sampson
Eastern Wrestling Alliance
EWA Heavyweight Championship (1 time)
New England Championship Wrestling
NECW Triple Crown Heavyweight Championship (1 time)
New England Wrestling Association
NEWA Heavyweight Championship (4 times)
NEWA Interstate Championship (1 time)
NEWA Tag Team Championship (1 time) – with Jack Tanner
NWA New England
NWA New England Heavyweight Championship (1 time)
NWA New England Brass Knuckles Championship (1 time)
NWA Southwest
NWA World Tag Team Championship (1 time) – with Knuckles Nelson
Powerhouse Wrestling
PW Tag Team Championship (1 time) – with Jimmy "Jact" Crash
Pro Wrestling Illustrated
PWI ranked him No. 189 of the 500 best singles wrestlers of the PWI 500 in 2009
Whaling City Wrestling
WCW Tag Team Championship (1 time) – with "Sweet" Scott Ashworth
Yankee Pro Wrestling / Top Rope Promotions
YPW/TRP Heavyweight Championship (1 time)
References
External links
1967 births
20th-century professional wrestlers
21st-century professional wrestlers
American male professional wrestlers
Living people
People from Middleborough, Massachusetts
Professional wrestlers from Massachusetts
NWA World Tag Team Champions |
The creation of express trusts in English law must involve four elements for the trust to be valid: capacity, certainty, constitution and formality. Capacity refers to the settlor's ability to create a trust in the first place; generally speaking, anyone capable of holding property can create a trust. There are exceptions for statutory bodies and corporations, and minors who usually cannot hold property can, in some circumstances, create trusts. Certainty refers to the three certainties required for a trust to be valid. The trust instrument must show certainty of intention to create a trust, certainty of what the subject matter of the trust is, and certainty of who the beneficiaries (or objects) are. Where there is uncertainty for whatever reason, the trust will fail, although the courts have developed ways around this. Constitution means that for the trust to be valid, the property must have been transferred from the settlor to the trustees.
If property has not been transferred, the potential trustees and beneficiaries are volunteers, and an equitable maxim is that "equity will not assist a volunteer"; the courts will not look at the case. To get around this, the courts have developed exceptions to this rule for situations when the settlor has done "all that he could do", the trustees or beneficiaries have acquired the property in a different way, or where the gift was made donatio mortis causa. Formality refers to the specific language or forms used when transferring property. For chattels, no formal language or documentation is needed, unless it is made as a will. For land, the transfer must be drafted in line with the Law of Property Act 1925 and the Law of Property (Miscellaneous Provisions) Act 1989. When disposing of an equitable interest, the Law of Property Act 1925 must also be followed; much of the case law in this area has centred on the meaning of "dispose", with many cases involving people attempting to avoid tax.
Capacity
The first requirement of an express trust is capacity; the person creating the trust must be legally capable of doing so. Generally speaking, anyone capable of holding property can form a trust, although there are exceptions. A minor cannot hold land, and therefore cannot create a trust of land; in addition, unless they are soldiers or "mariners at sea", they cannot form a valid will. Where a minor tries to create a trust, it will be held voidable, and can be repudiated by him when he reaches majority, or soon after. Where the trust is clearly of detriment to the minor, the courts may decide to take it as void; the individual, when he reaches majority, could alternately plead non est factum if he had been too young to appreciate the nature of forming a trust. People who are considered mentally disordered (under the Mental Health Act 1983) and have a receiver appointed cannot have trusts directly enforced against them, as they no longer have control over their property. Where there is no receiver, the mentally disordered person's trust will be held void, unless it was made during a lucid period when the person was capable of understanding their actions. Corporations and statutory bodies only have the powers granted to them by their memorandum of association or authorising statute; if these do not authorise the creation of trusts, any such trust will be held to be ultra vires.
Three certainties
For an express trust to be valid, the trust instrument must show certainty of intention, subject matter and object. Certainty of intention means that it must be clear that the settlor or testator wishes to create a trust; this is not dependent on any particular language used, and a trust can be created without the word "trust" being used, or even the settlor knowing he is creating a trust. Since the 1950s, the courts have been more willing to conclude that there was intention to create a trust, rather than hold that the trust is void. Certainty of subject matter means that it must be clear what property is part of the trust. Historically the property must have been segregated from non-trust property; more recently, the courts have drawn a line between tangible and intangible assets, holding that with intangible assets there is not always a need for segregation. Certainty of objects means that it must be clear who the beneficiaries, or objects, are. The test for determining this differs depending on the type of trust; it can be that all beneficiaries must be individually identified, or that the trustees must be able to say with certainty, if a claimant comes before them, whether he is or is not a beneficiary.
Uncertainty comes in four categories: conceptual uncertainty, evidential uncertainty, ascertainability and administrative unworkability. Conceptual uncertainty arises when the language is unclear, which leads to the trust being declared invalid. Evidential uncertainty is where a question of fact, such as whether a claimant is a beneficiary, cannot be answered; this does not always lead to invalidity. Ascertainability is where a beneficiary cannot be found, and administrative unworkability arises when the nature of the trust is such that it cannot realistically be carried out. Trustees and the courts have developed various ways of resolving uncertainties, including the appointment of experts to work out evidential uncertainty, and giving trustees the power to decide who is or is not a beneficiary.
Constitution
The trust must then be formally constituted, by the transfer of its property to the trustees. For chattels, merely handing the property to the trustees is sufficient, assuming it comes with the relevant intention to create a trust. In some circumstances, providing the intention and telling the trustees where to find the property is sufficient, as in Thomas v Times Books. Where the property is land or an equitable interest in land, it must be transferred by writing in accordance with Sections 52-3 of the Law of Property Act 1925. When dealing with shares, the transfer is not complete until a transfer document has been completed and the company has entered the change of ownership in its books. One of the equitable maxims is that "equity will not assist a volunteer"; if someone does not have an interest in property, they cannot bring a court case. When trusts are not properly constituted, the trustees and beneficiaries have no equitable interest in the property, and so are volunteers. There are several exceptions to this maxim. The courts are willing to hear cases where the transfer was not completed, providing the intended beneficiaries or trustees have gained an interest through being made executor of the settlor's estate (the rule in Strong v Bird), or the gift was given donatio mortis causa, or where the settlor did all he could do, as in Re Rose, or where it would be "unconscionable" to hold the gift invalid, as in Pennington v Waine.
Formality
As a general rule, there is no requirement for particular formalities in trust instruments, they can be oral or written. The only requirement is that they show an intention to create a trust. The exceptions are where it is a transfer of land, the transfer of existing equitable interests, or where the trust is made in a will.
Land
Express trusts over land must comply with Section 53(1)(b) of the Law of Property Act 1925, which provides that: This means that there must be evidence of the trust's existence should someone choose to enforce it, and does not necessarily mean it need be in existence at the trust's creation.
Contracts for the sale or disposition of an interest in land, such as a contract to create a trust, must additionally comply with Section 2 of the Law of Property (Miscellaneous Provisions) Act 1989, which provides that:
Equitable interests
For disposing of existing equitable interests, the Law of Property Act 1925 provides in Section 53(1)(c) that: Much of the debate in this area is over the definition of "disposition", and unsurprisingly almost all of the cases involve people trying to avoid tax. In Grey v IRC, the House of Lords gave disposition its "natural meaning", saying that it meant "a transaction whereby a beneficiary who has a beneficial interest at the beginning of the transaction no longer has it at the end of the transaction". Under the rule established in Vandervell v IRC, if the owner of a sole beneficial interest instructs his trustees to transfer the property, and this is done to transfer the beneficial interest and not simply to change the trustees, this does not fall under Section 53(1)(c) and requires no specific formalities.
Simply disclaiming a beneficial interest does not fall within Section 53(1)(c), as in Re Paradise Motor Co. Nominating somebody to receive benefits of a pension fund should the pensioner die is also not a valid disposition, as in Re Danish Bacon Co Ltd Staff Pension Fund, and neither is nominating a beneficiary under a life insurance policy, as in Gold v Hill. Where a beneficiary declares he is holding the property on behalf of another, this would be the creation of a sub-trust and not subject to specific formalities. However, under Grainge v Wilberforce, such a sub-trust will only be held to be valid if there is some difference between the trust and sub-trust, and if the trustee-beneficiary has some duties to perform.
Wills
For a will to be valid (and therefore, for a trust made in a will to be valid) it must comply with Section 9 of the Wills Act 1837. This provides that no will is valid unless:
References
Bibliography
English trusts law |
Christopher Wighton Moncrieff CBE (9 September 1931 – 22 November 2019) was a British journalist. He was the political editor of the Press Association from 1980 to 1994.
Early life
Moncrieff was born in Derby in 1931 to Robert Wighton Moncrieff and Winifred Margaret (née Hydon). His father had studied chemistry at Manchester University, and worked in the textile industry, including as superintendent of textile research for British Celanese. He wrote several books, including Man-Made Fibres: Wool Shrinkage and its Prevention and The Chemistry of Perfumery Materials.
Education
Moncrieff was educated at the Moravian Girls' School, an independent school in the village of Ockbrook, near his home in Chaddesden in Derbyshire. He said that his parents decided to send him there as they didn't believe the local council school was good enough, and that although there were other boys at the school, he nevertheless found it "very embarrassing" to have attended it. After time at Nottingham High School, he finished his education at Ellesmere College, Shropshire.
Life and career
Having left school at age 16, Moncrieff trained as a journalist at the Harrogate Herald and, after National Service in the Intelligence Corps, worked for six years at the Coventry Evening Telegraph and the Nottingham Evening Post. In 1962 he joined the Houses of Parliament political staff of the Press Association, a leading news agency, becoming a lobby correspondent in 1973 and then political editor in 1984.
Once a legendary drinker of Guinness, Moncrieff was teetotal from 1983. The Rev Ian Paisley, who used to insist on smelling the breath of journalists he was about to be interviewed by, once famously said to him "Moncrieff, is that the devil's buttermilk I smell on your breath?" Margaret Thatcher, a great admirer, made him a CBE in the 1990 New Year Honours. He officially retired in 1994, but continued to write political commentary for the Press Association and regularly appeared on political programmes on radio and television.
In November 2010 he was awarded a Diamond Jubilee Award for Political Journalism by the UK Political Studies Association on the occasion of the PSA's 60th Anniversary. Presenting the award, Financial Times journalist Sue Cameron told an anecdote of spying Moncrieff in the lobby at Westminster: "Looking for a story, Chris?" she enquired. "No," came the reply, "I've got the story. I'm just looking for somebody to say it."
Sir Bernard Ingham, Margaret Thatcher's former press secretary, said of Moncrieff: "He is the nearest approach to the 24-hour journalist I have ever known". Sir Nicholas Winterton MP said: "To me, the best journalist in this place is the oldest journalist, Chris Moncrieff. You tell him something; he reports it; he does not dress it up; he actually reports....Chris Moncrieff is the straightest man you could ever come across."
The refurbished press gallery bar at the House of Commons was renamed Moncrieff's in his honour.
Moncrieff was interviewed by National Life Stories (C467/20) in 2016 for the "Oral History of the British Press" collection held by the British Library.
He died in hospital after a short illness on 22 November 2019 at the age of 88.
Family life
He was married to actress Maggie (née Ferguson) from 1961 until her death in 2016. He had four children, Joanna, Sarah, Kate and Angus.
Bibliography
Living On a Deadline, Virgin Books Ltd, 2001.
Wine, Women and Westminster, JR Books, 2008.
References
1931 births
2019 deaths
British male journalists
Commanders of the Order of the British Empire
People from Chaddesden |
```c
/* $OpenBSD: installboot.c,v 1.20 2020/03/11 09:59:31 otto Exp $ */
/* $NetBSD: installboot.c,v 1.2 1997/04/06 08:41:12 cgd Exp $ */
/*
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
* 3. All advertising materials mentioning features or use of this software
* must display the following acknowledgement:
* This product includes software developed by Paul Kranenburg.
* 4. The name of the author may not be used to endorse or promote products
* derived from this software without specific prior written permission
*
* THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR
* IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
* OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT,
* INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
* THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#include <sys/param.h>
#include <sys/mount.h>
#include <sys/ioctl.h>
#include <sys/time.h>
#include <sys/stat.h>
#include <sys/sysctl.h>
#include <ufs/ufs/dinode.h>
#include <ufs/ufs/dir.h>
#include <ufs/ffs/fs.h>
#include <sys/disklabel.h>
#include <sys/dkio.h>
#include <err.h>
#include <errno.h>
#include <fcntl.h>
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <unistd.h>
#include <util.h>
#include "bbinfo.h"
#ifndef ISO_DEFAULT_BLOCK_SIZE
#define ISO_DEFAULT_BLOCK_SIZE 2048
#endif
int verbose, nowrite, hflag;
char *boot, *proto, *dev;
struct bbinfoloc *bbinfolocp;
struct bbinfo *bbinfop;
int max_block_count;
char *loadprotoblocks(char *, long *);
int loadblocknums(char *, int, unsigned long);
static void devread(int, void *, daddr_t, size_t, char *);
static void usage(void);
static int sbchk(struct fs *, daddr_t);
static void sbread(int, daddr_t, struct fs **, char *);
int main(int, char *[]);
int isofsblk = 0;
int isofseblk = 0;
static const daddr_t sbtry[] = SBLOCKSEARCH;
static void
usage(void)
{
(void)fprintf(stderr,
"usage: installboot [-n] [-v] [-s isofsblk -e isofseblk] "
"<boot> <proto> <device>\n");
exit(1);
}
int
main(int argc, char *argv[])
{
int c, devfd;
char *protostore;
long protosize;
struct stat disksb, bootsb;
struct disklabel dl;
daddr_t partoffset;
#define BBPAD 0x1e0
struct bb {
char bb_pad[BBPAD]; /* disklabel lives in here, actually */
long bb_secsize; /* size of secondary boot block */
long bb_secstart; /* start of secondary boot block */
long bb_flags; /* unknown; always zero */
long bb_cksum; /* checksum of the boot block, as longs. */
} bb;
long *lp, *ep;
while ((c = getopt(argc, argv, "vns:e:")) != -1) {
switch (c) {
case 'n':
/* Do not actually write the bootblock to disk */
nowrite = 1;
break;
case 'v':
/* Chat */
verbose = 1;
break;
case 's':
isofsblk = atoi(optarg);
break;
case 'e':
isofseblk = atoi(optarg);
break;
default:
usage();
}
}
if (argc - optind < 3)
usage();
boot = argv[optind];
proto = argv[optind + 1];
dev = argv[optind + 2];
if (verbose) {
(void)printf("boot: %s\n", boot);
(void)printf("proto: %s\n", proto);
(void)printf("device: %s\n", dev);
}
/* Load proto blocks into core */
if ((protostore = loadprotoblocks(proto, &protosize)) == NULL)
exit(1);
/* Open and check raw disk device */
if ((devfd = opendev(dev, O_RDONLY, OPENDEV_PART, &dev)) < 0)
err(1, "open: %s", dev);
if (fstat(devfd, &disksb) == -1)
err(1, "fstat: %s", dev);
if (!S_ISCHR(disksb.st_mode))
errx(1, "%s must be a character device node", dev);
if ((minor(disksb.st_rdev) % getmaxpartitions()) != getrawpartition())
errx(1, "%s must be the raw partition", dev);
/* Extract and load block numbers */
if (stat(boot, &bootsb) == -1)
err(1, "stat: %s", boot);
if (!S_ISREG(bootsb.st_mode))
errx(1, "%s must be a regular file", boot);
if ((minor(disksb.st_rdev) / getmaxpartitions()) !=
(minor(bootsb.st_dev) / getmaxpartitions()))
errx(1, "%s must be somewhere on %s", boot, dev);
/*
* Find the offset of the secondary boot block's partition
* into the disk. If disklabels not supported, assume zero.
*/
if (ioctl(devfd, DIOCGDINFO, &dl) != -1) {
partoffset = DL_GETPOFFSET(&dl.d_partitions[minor(bootsb.st_dev) %
getmaxpartitions()]);
} else {
if (errno != ENOTTY)
err(1, "read disklabel: %s", dev);
warnx("couldn't read label from %s, using part offset of 0",
dev);
partoffset = 0;
}
if (verbose)
(void)printf("%s partition offset = 0x%llx\n", boot, partoffset);
/* Sync filesystems (make sure boot's block numbers are stable) */
sync();
sleep(2);
sync();
sleep(2);
if (loadblocknums(boot, devfd, DL_SECTOBLK(&dl, partoffset)) != 0)
exit(1);
(void)close(devfd);
if (nowrite)
return 0;
#if 0
/* Write patched proto bootblocks into the superblock */
if (protosize > SBSIZE - DEV_BSIZE)
errx(1, "proto bootblocks too big");
#endif
if ((devfd = opendev(dev, O_RDWR, OPENDEV_PART, &dev)) < 0)
err(1, "open: %s", dev);
if (lseek(devfd, DEV_BSIZE, SEEK_SET) != DEV_BSIZE)
err(1, "lseek bootstrap");
if (write(devfd, protostore, protosize) != protosize)
err(1, "write bootstrap");
if (lseek(devfd, 0, SEEK_SET) != 0)
err(1, "lseek label");
if (read(devfd, &bb, sizeof (bb)) != sizeof (bb))
err(1, "read label");
bb.bb_secsize = 15;
bb.bb_secstart = 1;
bb.bb_flags = 0;
bb.bb_cksum = 0;
for (lp = (long *)&bb, ep = &bb.bb_cksum; lp < ep; lp++)
bb.bb_cksum += *lp;
if (lseek(devfd, 0, SEEK_SET) != 0)
err(1, "lseek label 2");
if (write(devfd, &bb, sizeof bb) != sizeof bb)
err(1, "write label ");
(void)close(devfd);
return 0;
}
char *
loadprotoblocks(char *fname, long *size)
{
int fd, sz;
char *bp;
struct stat statbuf;
u_int64_t *matchp;
/*
* Read the prototype boot block into memory.
*/
if ((fd = open(fname, O_RDONLY)) < 0) {
warn("open: %s", fname);
return NULL;
}
if (fstat(fd, &statbuf) != 0) {
warn("fstat: %s", fname);
close(fd);
return NULL;
}
sz = roundup(statbuf.st_size, DEV_BSIZE);
if ((bp = calloc(sz, 1)) == NULL) {
warnx("malloc: %s: no memory", fname);
close(fd);
return NULL;
}
if (read(fd, bp, statbuf.st_size) != statbuf.st_size) {
warn("read: %s", fname);
free(bp);
close(fd);
return NULL;
}
close(fd);
/*
* Find the magic area of the program, and figure out where
* the 'blocks' struct is, from that.
*/
bbinfolocp = NULL;
for (matchp = (u_int64_t *)bp; (char *)matchp < bp + sz; matchp++) {
if (*matchp != 0xbabefacedeadbeef)
continue;
bbinfolocp = (struct bbinfoloc *)matchp;
if (bbinfolocp->magic1 == 0xbabefacedeadbeef &&
bbinfolocp->magic2 == 0xdeadbeeffacebabe)
break;
bbinfolocp = NULL;
}
if (bbinfolocp == NULL) {
warnx("%s: not a valid boot block?", fname);
return NULL;
}
bbinfop = (struct bbinfo *)(bp + bbinfolocp->end - bbinfolocp->start);
memset(bbinfop, 0, sz - (bbinfolocp->end - bbinfolocp->start));
max_block_count =
((char *)bbinfop->blocks - bp) / sizeof (bbinfop->blocks[0]);
if (verbose) {
(void)printf("boot block info locator at offset 0x%x\n",
(char *)bbinfolocp - bp);
(void)printf("boot block info at offset 0x%x\n",
(char *)bbinfop - bp);
(void)printf("max number of blocks: %d\n", max_block_count);
}
*size = sz;
return (bp);
}
static void
devread(int fd, void *buf, daddr_t blk, size_t size, char *msg)
{
if (pread(fd, buf, size, dbtob((off_t)blk)) != (ssize_t)size)
err(1, "%s: devread: pread", msg);
}
static char sblock[SBSIZE];
int
loadblocknums(char *boot, int devfd, unsigned long partoffset)
{
int i, fd, ndb;
struct stat statbuf;
struct statfs statfsbuf;
struct fs *fs;
char *buf;
daddr32_t *ap1;
daddr_t blk, *ap2;
struct ufs1_dinode *ip1;
struct ufs2_dinode *ip2;
int32_t cksum;
/*
* Open 2nd-level boot program and record the block numbers
* it occupies on the filesystem represented by `devfd'.
*/
if ((fd = open(boot, O_RDONLY)) < 0)
err(1, "open: %s", boot);
if (fstatfs(fd, &statfsbuf) != 0)
err(1, "statfs: %s", boot);
if (isofsblk) {
bbinfop->bsize = ISO_DEFAULT_BLOCK_SIZE;
bbinfop->nblocks = isofseblk - isofsblk + 1;
if (bbinfop->nblocks > max_block_count)
errx(1, "%s: Too many blocks", boot);
if (verbose)
(void)printf("%s: starting block %d (%d total):\n\t",
boot, isofsblk, bbinfop->nblocks);
for (i = 0; i < bbinfop->nblocks; i++) {
blk = (isofsblk + i) * (bbinfop->bsize / DEV_BSIZE);
bbinfop->blocks[i] = blk;
if (verbose)
(void)printf("%d ", blk);
}
if (verbose)
(void)printf("\n");
cksum = 0;
for (i = 0; i < bbinfop->nblocks +
(sizeof(*bbinfop) / sizeof(bbinfop->blocks[0])) - 1; i++)
cksum += ((int32_t *)bbinfop)[i];
bbinfop->cksum = -cksum;
return 0;
}
if (strncmp(statfsbuf.f_fstypename, MOUNT_FFS, MFSNAMELEN))
errx(1, "%s: must be on a FFS filesystem", boot);
if (fsync(fd) != 0)
err(1, "fsync: %s", boot);
if (fstat(fd, &statbuf) != 0)
err(1, "fstat: %s", boot);
close(fd);
/* Read superblock */
sbread(devfd, partoffset, &fs, sblock);
/* Read inode */
if ((buf = malloc(fs->fs_bsize)) == NULL)
errx(1, "No memory for filesystem block");
blk = fsbtodb(fs, ino_to_fsba(fs, statbuf.st_ino));
devread(devfd, buf, blk + partoffset, fs->fs_bsize, "inode");
if (fs->fs_magic == FS_UFS1_MAGIC) {
ip1 = (struct ufs1_dinode *)(buf) + ino_to_fsbo(fs,
statbuf.st_ino);
ndb = howmany(ip1->di_size, fs->fs_bsize);
} else {
ip2 = (struct ufs2_dinode *)(buf) + ino_to_fsbo(fs,
statbuf.st_ino);
ndb = howmany(ip2->di_size, fs->fs_bsize);
}
/*
* Check the block numbers; we don't handle fragments
*/
if (ndb > max_block_count)
errx(1, "%s: Too many blocks", boot);
/*
* Register filesystem block size.
*/
bbinfop->bsize = fs->fs_bsize;
/*
* Register block count.
*/
bbinfop->nblocks = ndb;
if (verbose)
(void)printf("%s: block numbers: ", boot);
if (fs->fs_magic == FS_UFS1_MAGIC) {
ap1 = ip1->di_db;
for (i = 0; i < NDADDR && *ap1 && ndb; i++, ap1++, ndb--) {
blk = fsbtodb(fs, *ap1);
bbinfop->blocks[i] = blk + partoffset;
if (verbose)
(void)printf("%d ", bbinfop->blocks[i]);
}
} else {
ap2 = ip2->di_db;
for (i = 0; i < NDADDR && *ap2 && ndb; i++, ap2++, ndb--) {
blk = fsbtodb(fs, *ap2);
bbinfop->blocks[i] = blk + partoffset;
if (verbose)
(void)printf("%d ", bbinfop->blocks[i]);
}
}
if (verbose)
(void)printf("\n");
if (ndb == 0)
goto checksum;
/*
* Just one level of indirections; there isn't much room
* for more in the 1st-level bootblocks anyway.
*/
if (verbose)
(void)printf("%s: block numbers (indirect): ", boot);
if (fs->fs_magic == FS_UFS1_MAGIC) {
blk = ip1->di_ib[0];
devread(devfd, buf, blk + partoffset, fs->fs_bsize,
"indirect block");
ap1 = (daddr32_t *)buf;
for (; i < NINDIR(fs) && *ap1 && ndb; i++, ap1++, ndb--) {
blk = fsbtodb(fs, *ap1);
bbinfop->blocks[i] = blk + partoffset;
if (verbose)
(void)printf("%d ", bbinfop->blocks[i]);
}
} else {
blk = ip2->di_ib[0];
devread(devfd, buf, blk + partoffset, fs->fs_bsize,
"indirect block");
ap2 = (daddr_t *)buf;
for (; i < NINDIR(fs) && *ap2 && ndb; i++, ap2++, ndb--) {
blk = fsbtodb(fs, *ap2);
bbinfop->blocks[i] = blk + partoffset;
if (verbose)
(void)printf("%d ", bbinfop->blocks[i]);
}
}
if (verbose)
(void)printf("\n");
if (ndb)
errx(1, "%s: Too many blocks", boot);
checksum:
cksum = 0;
for (i = 0; i < bbinfop->nblocks +
(sizeof (*bbinfop) / sizeof (bbinfop->blocks[0])) - 1; i++)
cksum += ((int32_t *)bbinfop)[i];
bbinfop->cksum = -cksum;
return 0;
}
static int
sbchk(struct fs *fs, daddr_t sbloc)
{
if (verbose)
fprintf(stderr, "looking for superblock at %lld\n", sbloc);
if (fs->fs_magic != FS_UFS2_MAGIC && fs->fs_magic != FS_UFS1_MAGIC) {
if (verbose)
fprintf(stderr, "bad superblock magic 0x%x\n",
fs->fs_magic);
return (0);
}
/*
* Looking for an FFS1 file system at SBLOCK_UFS2 will find the
* wrong superblock for file systems with 64k block size.
*/
if (fs->fs_magic == FS_UFS1_MAGIC && sbloc == SBLOCK_UFS2) {
if (verbose)
fprintf(stderr, "skipping ffs1 superblock at %lld\n",
sbloc);
return (0);
}
if (fs->fs_bsize <= 0 || fs->fs_bsize < sizeof(struct fs) ||
fs->fs_bsize > MAXBSIZE) {
if (verbose)
fprintf(stderr, "invalid superblock block size %d\n",
fs->fs_bsize);
return (0);
}
if (fs->fs_sbsize <= 0 || fs->fs_sbsize > SBSIZE) {
if (verbose)
fprintf(stderr, "invalid superblock size %d\n",
fs->fs_sbsize);
return (0);
}
if (fs->fs_inopb <= 0) {
if (verbose)
fprintf(stderr, "invalid superblock inodes/block %d\n",
fs->fs_inopb);
return (0);
}
if (verbose)
fprintf(stderr, "found valid %s superblock\n",
fs->fs_magic == FS_UFS2_MAGIC ? "ffs2" : "ffs1");
return (1);
}
static void
sbread(int fd, daddr_t poffset, struct fs **fs, char *sblock)
{
int i;
daddr_t sboff;
for (i = 0; sbtry[i] != -1; i++) {
sboff = sbtry[i] / DEV_BSIZE;
devread(fd, sblock, poffset + sboff, SBSIZE, "superblock");
*fs = (struct fs *)sblock;
if (sbchk(*fs, sbtry[i]))
break;
}
if (sbtry[i] == -1)
errx(1, "couldn't find ffs superblock");
}
``` |
Ballet continued to be an important part of the Edinburgh International Festival during the second decade of the festival. As at the beginning, most performances took place at the Empire Theatre, later to be refurbished to become the Edinburgh Festival Theatre.
In addition to London's The Royal Ballet who came in 1960, there were a total of 16 visiting companies from abroad who came to the city, offering varied programmes for festival goers.
List
See also
Edinburgh International Festival
Ballet at the Edinburgh International Festival: history and repertoire, 1947–1956
Ballet at the Edinburgh International Festival: history and repertoire, 1967–1976
Opera at the Edinburgh International Festival: history and repertoire, 1947–1956
Opera at the Edinburgh International Festival: history and repertoire, 1957–1966
Opera at the Edinburgh International Festival: history and repertoire, 1967–1976
Drama at the Edinburgh International Festival: history and repertoire, 1947–1956
Drama at the Edinburgh International Festival: history and repertoire, 1957–1966
Drama at the Edinburgh International Festival: history and repertoire, 1967–1976
Musicians at the Edinburgh International Festival, 1947 to 1956
Musicians at the Edinburgh International Festival, 1957–1966
Visual Arts at the Edinburgh International Festival, 1947–1976
World premieres at the Edinburgh International Festival
References
Edinburgh Festival
Annual events in Edinburgh
Ballet-related lists |
Genalguacil is a town and municipality in the province of Málaga, part of the autonomous community of Andalusia in southern Spain. The municipality is situated approximately 45 kilometers from Ronda and 34 km from the city of Estepona. It is located west of the province in the Genal valley. It is one of the populations that make up the region of the Serrania de Ronda. Genalguacil is in the judicial district of Ronda.
It has a population of approximately 499 residents. The natives are called Genalguacileños. Its Arabic name Genna - Ahuacir meant Gardens of the Vizier.
Places of interest
An attraction of this town is that it is a "town-museum". Every two years, artists from all over gather here, for a week, doing different pieces of art that then leave permanently exposed in the town streets. Genalguacil is therefore an open-air museum, and walking along cobbled streets finds paintings on the walls, sculptures, carved trunks, etc.; that integrate with the environment (such as a sculpture of a little old lady under a hill, called "Hasta el moño de tanta cuesta" (sick and tired of such slopes). Every detail (house numbers, street names, benches, fireplaces) are finished some something artistic way, making the walk through the streets in a real museum hall.
Other attraction of Genalguacil are some surroundings of high ecological value, where the pinsapo is abundant. It has a large game reserve.
References
Municipalities in the Province of Málaga |
Armored Saint (EP) is the first studio effort by American heavy metal band Armored Saint. It was released in 1983 on Metal Blade Records. Chrysalis Records signed the band in 1984 after listening to the EP. Opening track "Lesson Well Learned" was previously featured on Metal Blade's compilation Metal Massacre II in 1982. The EP is featured on the 2001 compilation Nod to the Old School.
Track listing
All tracks by Armored Saint
Credits
John Bush – vocals
Dave Prichard – guitars
Phil Sandoval – guitars
Joey Vera – bass
Gonzo Sandoval – drums
Production
Bill Metoyer – engineering
John Georgopoulos – art direction, design
Dana Ross – photography
External links
Official Armored Saint Site
[ Armored Saint on Allmusic Guide]
Armored Saint's first EP on Encyclopaedia Metallum
1983 EPs
Armored Saint albums
Metal Blade Records EPs |
Martin Low FRS (27 July 1950 – 6 August 2013) was a molecular cell biologist who discovered GPI (glycosylphosphatidylinositol) membrane anchors in eukaryotic cells. Low grew up in Southport, Lancashire, a seaside resort in northwest England.
He was elected Fellow of the Royal Society in 1996.
References
1950 births
2013 deaths
Molecular biology
Fellows of the Royal Society |
Vi på Saltkråkan (Life on Salt-Crow Island) is a Swedish TV series in 13 25-minute episodes from 1964. The script for the series was written by Astrid Lindgren, who later re-wrote it as a book, also titled Vi på Saltkråkan (published in English as Seacrow Island in 1964). Astrid Lindgren was closely involved in the filming and editing of the series, which took place on Norröra in the Stockholm archipelago. The series was produced and directed by Olle Hellbom.
Plot
The series tells the story of a family from Stockholm, consisting of the widowed author Melker Melkersson (played by Torsten Lilliecrona) and his four children: 19-year-old Malin (played by Louise Edlind) who assumes the role of mother in the family, the imaginative 13-year-old Johan, 12-year-old Niklas who is calm and down-to-earth, and 7-year-old Pelle, who loves animals of all kinds. The Melkersson family spend their summer holidays as well as some winters on Saltkråkan, an idyllic place symbolising the unspoilt archipelago. The year-round inhabitants of the island are sometimes amused by the ineptness of the city dwellers, but they become fast friends with the Melkersson family: when the idyll is threatened, such as when the house the Melkerssons rent is being sold, the islanders rise to help their friends keep their summer paradise.
The Melkersson children become friends with the local kids: Tjorven (actually Maria) Grankvist who is the same age as Pelle and who owns a huge St. Bernard dog named Båtsman (Boatswain), her older sisters Teddy and Freddy who teach Johan and Niklas to row and sail, and Stina, a gap-toothed Stockholm girl who spends her summer holidays with her grandfather, and who tells endless stories to the long-suffering adults around her. (Astrid Lindgren added the character of Stina to the script when Olle Hellbom had met Kristina Jämtmark and thought that she would make a good addition to the group of children.)
The 13 episodes of the TV series were re-made into a movie in 1968, but the original TV series is re-run almost yearly in Swedish television, and some of the actors have become very closely associated with their characters in the series. The series has been translated into German, and was popular enough to be broadcast more than 20 times.
Movie spin-offs
The popularity of the series led to the production of four full-length movies:
Tjorven, Båtsman och Moses (1964)
Tjorven och Skrållan (1965)
Tjorven och Mysak (1966)
Skrållan, Ruskprick och Knorrhane (1967)
Cast
Torsten Lilliecrona - Melker Melkersson
Louise Edlind - Malin Melkersson
Björn Söderbäck - Johan Melkersson
Urban Strand - Niklas Melkersson
Stephen Lindholm - Pelle Melkersson
Bengt Eklund - Nisse Grankvist
Eva Stiberg - Märta Grankvist
Maria Johansson - Maria "Tjorven" Grankvist
Lillemor Österlund - Teddy Grankvist
Bitte Ulvskog - Freddy Grankvist
Sigge Fischer - Söderman
Kristina Jämtmark - Stina, Söderman's granddaughter
Tommy Johnson - Björn
Märta Arbin - Mrs Sjöblom
Alf Östlund - Mr Carlberg
Vivianne Westman - Lotta, Carlberg's daughter
Birger Lensander - Mr Mattson
Stig Hallgren - Farmer Jansson
Eddie Axberg - Kalle
Lars Göran Carlson - Krister
Sven Almgren - Berra
References
External links
Life on Seacrow Island
Saltkråkan symbol för sommar, sol och skärgård "Seacrow Island is a symbol of the summer, sun and archipelago"
Astrid Lindgren
Swedish children's television series
1964 books
1964 Swedish television series debuts
1964 Swedish television series endings
Swedish television sitcoms
1960s Swedish television series
Television series set on fictional islands
Television series about vacationing
Television shows set in Sweden
Swedish-language television shows |
Birthmarked is a 2018 Irish-Canadian comedy film directed by Emanuel Hoss-Desmarais, from a screenplay by Marc Tulin, and based on a story by Hoss-Desmarais and Tulin. It stars Matthew Goode, Toni Collette, Andreas Apergis, Jordan Poole, Megan O'Kelly, Anton Gillis-Adelman, Michael Smiley, Suzanne Clément and Fionnula Flanagan.
The film was produced by Item 7 in Canada in co-production Parallel Films. The film was released in the United States in a limited release and on video on demand on March 30, 2018, by Vertical Entertainment. It was released in Canada on May 25, 2018, by Entertainment One.
Plot
In 1977, Ben and Catherine, two respected scientists leave their jobs to conduct an experiment into human identity. They aim to raise three children contrarily to their genetic predispositions, to prove the ultimate power of nurture over nature.
The parents get funding from Gertz to be able to carry out their experiment. The children are homeschooled to maximize control of the study. Samsonov, hired by Gertz, is a former Olympic athlete and trained psychologist, who helps to care for the kids and regularly keeps a log to report back to him.
Luke is their birth child, and raised to be artistic. He is encouraged to respond artistically to situations and emotions. Maya, adopted from people with a low level of studies, is raised to have a very high academic level. She's given a special diet for intellectual growth. Maurice comes from angry, aggressive people, and is raised to be a pacifist. He meditates daily.
Every six months, Gertz comes to visit and test. At the 12 year mark, he comes with a warning to get much better results soon or he'll pull the plug.
After a psychologist friend of takes the kids on a day trip, deeming them normal, the kids start planning an escape by car. Then Gertz returns to pressure more, causing Ben to use an extreme method to teach Maya, which snowballs into a huge argument with Catherine, in turn the kids try to run off in the car. They cause a huge pile up on the highway, prompting social services to take them.
Gertz threatens them, insisting that they either pay him over a million for breach of contract or sign a release for him to write about the experiment. Once the book is released, the kids are shocked and humiliated, and their parents try to break them out of the school. When they are unsuccessful, they go to Gertz's and Ben hits him in the face with a shovel. Ben is jailed but released a short time later, thanks to Mrs. Tridek, and not long after they are invited to a video montage by Luke, showing all is forgiven.
In the closing, we find out Luke has become a film director, Maya has chosen to explore the world and become an activist for the Animal Liberation Front and Maurice is a lawyer for the Women's Wrestling Federation. Their parents are not together but amicable, enjoying their seven grandchildren.
Cast
Matthew Goode as Ben
Toni Collette as Catherine
Andreas Apergis as Samsonov
Jordan Poole as Luke
Megan O'Kelly as Maya
Anton Gillis-Adelman as Maurice
Michael Smiley as Gertz
Suzanne Clément as Dr. Julie Bouchard
Fionnula Flanagan as Mrs. Tridek
Production
In December 2016, it was announced Toni Collette, Matthew Goode, Andreas Apergis, Michael Smiley, Fionnula Flanagan and Suzanne Clément had joined the cast of the film, with Emanuel Hoss-Desmarais directing from a screenplay by Marc Tulin. Pierre Even produced alongside Susan Mullen, under their Item 7 and Parallel Film Productions banners, respectively. Entertainment One distributes in Canada.
Filming
Principal photography began in December 2016, in Montreal, Canada.
Release
The film was released in the United States in a limited release and through video on demand on March 30, 2018, by Vertical Entertainment. It was released in Canada on May 25, 2018. The film is now widely available on streaming platform Netflix.
Critical reception
Birthmarked received negative reviews from film critics. It holds approval rating on review aggregator website Rotten Tomatoes, based on reviews, with an average of . On Metacritic, the film holds a rating of 44 out of 100, based on 6 critics, indicating "mixed or average reviews".
References
External links
Birthmarked at Library and Archives Canada
2018 films
American comedy films
Canadian comedy films
American independent films
Canadian independent films
English-language Canadian films
Entertainment One films
Vertical Entertainment films
2010s English-language films
2010s American films
2010s Canadian films |
Isaac Francisco Rojas Madariaga (December 3, 1906 – April 13, 1993) was an Argentine Admiral of the Navy and de facto Vice President of Argentina. He joined the Argentine Navy and had an unremarkable career until the 1946 election of Juan Perón.
Under Perón
He was Naval attache in Brazil and Uruguay, and later he became close to the influential First Lady, Eva Perón, and served as her naval aide-de-camp until her death in 1952. He was then named head of the Río Santiago Naval Academy (close to the site of an important naval shipyard), though in August 1955, he was persuaded to take part in the coup d'état that toppled Perón on September 19. Credited with leading the Navy during the rebellion, Rojas obtained Perón's resignation and exile by commandeering the ARA General Belgrano - threatening to bombard the YPF refinery in Ensenada (then the nation's largest).
Vice president
On 23 September 1955 he was rewarded with the vice presidency at the Navy's insistence, and remained in the post until President Pedro Aramburu relinquished power to elected authorities in May 1958.
Rojas imposed a staunch anti-Peronist and anti-Communist as vice president, though he supported Aramburu's call for Constitutional Assembly elections in 1957, overcoming objections from the largely conservative Navy. Peronism was banned, and remained so until 1972.
In 1958 as commander of Naval Operations of the Argentine Navy he was involved in the Snipe incident, when he ordered the destruction of the Chilean lighthouse and its replacement with an Argentine one.
Return to Democracy
Following the return to democracy with the election of President Arturo Frondizi, Rojas remained a vocal supporter of military action to prevent the return of Peronism, and participated in the failed April 1963 coup attempt against President José María Guido (who was himself appointed in Frondizi's replacement for the sake of preventing a Peronist resurgence at the polls). Following Army Chief Juan Carlos Onganía's defeat of the coup attempt, Rojas was confined to his uptown Buenos Aires apartment, after which he largely limited his contact with the public to occasional columns in conservative newspapers such as La Prensa and La Nación. He opposed the Antarctic Treaty of 1961 and later to the Beagle Channel Arbitration. He was founder of the “Movimiento Pro-impugnación del Laudo Arbitral del Beagle” and was a staunch supporter of the ill-fated Falklands War against Britain. He died in Buenos Aires, making it his dying wish that his ashes be scattered at the site of the sinking of the Belgrano during the 1982 conflict.
List of books written by Isaac Rojas
"La ofensiva geopolítica brasileña en la Cuenca del Plata",
"La Argentina en el Beagle y Atlántico Sur: Parte 1"
"Intereses argentinos en la Cuenca del Plata"
"Argentina en el Atlántico, Chile en el Pacífico"
"Una geopolítica nacional desintegrante"
"Memorias del almirante Isaac F. Rojas"
"La revolución libertadora"
"Memoria sobre la controversia argentino-chilena"
"Carlos Pellegrini: su espiritu militar y las fuerzas armadas"
"La cuestión del Beagle y de las islas argentinas de la zona austral usurpadas por Chile"
See also
Revolución Libertadora
Snipe incident
References
External links
Article in Spanish with a picture of Isaac Rojas
Argentine Navy admirals
Vice presidents of Argentina
Argentine expatriates in Uruguay
Argentine anti-communists
Military personnel from Buenos Aires
1906 births
1993 deaths
Place of birth missing
Burials at La Chacarita Cemetery
Argentine expatriates in Brazil |
Balthasar of Hanau-Münzenberg (29 June 1508 – 9 December 1534, in Hanau) was a posthumous son of Count Reinhard IV of Hanau-Münzenberg (1473 - 1512) and his wife Countess Catherine of Schwarzburg-Blankenburg (d. 1514).
Life
From 1529, he acted as co-regent for his nephew, Count Philip III, whose father had died young. He continued the construction of fortifications around Hanau, which his brother Philip II had begun. He supplemented the fortresses with a defensive ring according to the latest technical standard of the Renaissance.
Balthasar never married. Like most male members of the Hanau-Münzenberg line, he died young, in 1534, at the age of 26. He was buried in the church of St. Mary in Hanau.
One of Hanau's city gates was decorated with a bust of Balthasar, until the gate was demolished in the 18th century. The bust fell into the hands of the Historical Society of Hanau. It was destroyed when the city was bombed on 19 March 1945. Only drawings of it remain.
Ancestors
References
Reinhard Dietrich: Die Landes-Verfaßung in dem Hanauischen. Die Stellung der Herren und Grafen in Hanau-Münzenberg aufgrund der archivalischen Quellen, in the series Hanauer Geschichtsblätter, vol. 34, Hanauer Geschichtsverein, Hanau, 1996,
Eckhard Meise: Bernhard Hundeshagen — kein Denkmalschutz im Hanau des frühen 19. Jahrhunderts, in: Neues Magazin für hanauische Geschichte, 2006, , p. 3–61.
Reinhard Suchier: Genealogie des Hanauer Grafenhauses, in: Reinhard Suchier (ed.): Festschrift des Hanauer Geschichtsvereins zu seiner fünfzigjährigen Jubelfeier am 27. August 1894, Heydt, Hanau, 1894, p. 7–23.
Ernst J. Zimmermann: Hanau Stadt und Land. Kulturgeschichte und Chronik einer fränkisch-wetterauischen Stadt und ehemaligen Grafschaft. Mit besonderer Berücksichtigung der älteren Zeit, 3rd extended edition, self-published, Hanau, 1919, reprinted: Peters, Hanau, 1978,
Footnotes
House of Hanau
Regents of Germany
1508 births
1534 deaths
16th-century German people |
Simon Cheprot (born 2 July 1993) is a Kenyan long-distance runner who competes mainly in road running events. He has twice represented Kenya at the IAAF World Half Marathon Championships and won a team gold medal in 2016. His half marathon personal best is 59:20 minutes, set in 2013, which ranks him in the top 40 of all time.
Career
Cheprot first emerged as a distance runner on the American road circuit in 2009, winning a series of low level races. The following year he had top eight finishes at high level races, including the Lilac Bloomsday Run, Bolder Boulder and Cooper River Bridge Run. He began competing in Europe in the 2011 season and made his debut in the half marathon, taking third place at both the San Blas Half Marathon and Azkoitia-Azpeitia Half Marathon. He achieved a time of 61:59 minutes at the latter race, heading towards elite standard. He tried his hand at marathon running in 2013, but failed to finish in either Venice or Verona. His shorter distance rimes improved however, going under 28 minutes for the 10K run for the first time and setting a half marathon best of 61:07 minutes at the Route du Vin Half Marathon – the 10K time ranked in the world's top forty for the year.
Cheprot made a breakthrough at the 2013 Roma-Ostia Half Marathon, finishing third behind world champion Wilson Kiprop with a time of 59:20 minutes. This moved him to seventh in that year's rankings. Better results did not materialise late rin the year, however, as he failed to complete the Rome City Marathon and was three minutes slower than his best at the Portugal Half Marathon, coming sixth. A fourth-place finish at the 2014 Roma-Ostia earned him his first international call-up and at the 2014 IAAF World Half Marathon Championships he placed 22nd overall. He also managed a 10K best at the Prague Grand Prix that year, recording a time of 27:41 minutes which again ranked him in the world's top ten for the season.
Cheprot performed consistently in the 2015 season. He was runner-up in Roma-Ostia with a time of 59:39 minutes, then was runner-up at the Ottawa 10K and won the Corrida de Langueux. All five of his half marathon outings that year brought times close to the one hour mark – his best of 59:32 minutes for fourth at the Copenhagen Half Marathon put him at twelfth place on the 2015 world lists.
He was chosen for the Kenyan team at the 2016 IAAF World Half Marathon Championships and earned his first global medal as his sixth-place finish helped the Kenyan trio of Cheprot, Geoffrey Kipsang Kamworor and Bedan Karoki Muchiri to record a sub-3-hour time for the team gold medals.
International competitions
Personal bests
10K run – 27:41 min (2014)
Half marathon – 59:20 min (2013)
References
External links
All Athletics profile
Living people
1993 births
Kenyan male long-distance runners |
The 12th Arabian Gulf Cup () was held in the UAE, in November 1994.
The tournament was won by Saudi Arabia for the first time
Iraq were banned from the tournament because of invasion of Kuwait in 1990.
Tournament
The teams played a single round-robin style competition. The team achieving first place in the overall standings was the tournament winner.
Result
References
1994
1994 in Asian football
1994
1994 in Emirati sport
1994–95 in Qatari football
1994–95 in Bahraini football
1994–95 in Saudi Arabian football
1994–95 in Kuwaiti football
1994–95 in Omani football
1994–95 in Emirati football |
The Chickahominy Formation is a geologic formation in Virginia. It preserves fossils dating back to the Paleogene period.
See also
List of fossiliferous stratigraphic units in Virginia
Paleontology in Virginia
References
Paleogene geology of Virginia |
Protodrilida is an order of polychaetes belonging to the class Polychaeta.
Families:
Protodrilidae Czerniavsky, 1881
Protodriloididae Purschke & Jouin, 1988
References
Polychaetes |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.