text stringlengths 1 22.8M |
|---|
Play with Me is a 1955 picture book written and illustrated by Marie Hall Ets. The book tells the story of a girl who attempts to play in a meadow with animals. The book was a recipient of a 1956 Caldecott Honor for its illustrations.
References
1955 children's books
American picture books
Caldecott Honor-winning works
Children's books about animals |
The Australian states each elected three members of the Australian Senate at the 1910 federal election to serve a six-year term starting on 1 July 1910.
Australia
New South Wales
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
Queensland
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
South Australia
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
Tasmania
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
Victoria
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
Western Australia
Each elector voted for up to three candidates. Percentages refer to the number of voters rather than the number of votes.
See also
Candidates of the 1910 Australian federal election
Results of the 1910 Australian federal election (House of Representatives)
Members of the Australian Senate, 1910–1913
Notes
References
1910 elections in Australia
Senate 1910
Australian Senate elections |
Melvyn Stewart is a former Hong Kong international lawn bowler.
Bowls career
Stewart has represented Hong Kong at two Commonwealth Games; in the fours event at the 1990 Commonwealth Games and in the fours event at the 1994 Commonwealth Games.
He won five medals at the Asia Pacific Bowls Championships, including a gold medal with David Tso and George Souza Jr. in the 1991 triples at Kowloon.
References
Hong Kong male bowls players
Living people
Bowls players at the 1990 Commonwealth Games
Bowls players at the 1994 Commonwealth Games
Year of birth missing (living people) |
Figure skating at the 2011 Canada Winter Games was held at the St. Margaret's Center in Upper Tantallon, Nova Scotia.
The events will be held during the second week between February 21 and 24, 2011.
Medal table
The following is the medal table for alpine skiing at the 2011 Canada Winter Games.
Pre-novice events
Novice events
Special Olympic events
References
2011 in figure skating
2011 Canada Winter Games
2011 Canada Winter Games |
```python
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
title property
"""
from rebulk import Rebulk, Rule, AppendMatch, RemoveMatch, AppendTags
from rebulk.formatters import formatters
from .film import FilmTitleRule
from .language import (
SubtitlePrefixLanguageRule,
SubtitleSuffixLanguageRule,
SubtitleExtensionRule,
NON_SPECIFIC_LANGUAGES
)
from ..common import seps, title_seps
from ..common.comparators import marker_sorted
from ..common.expected import build_expected_function
from ..common.formatters import cleanup, reorder_title
from ..common.pattern import is_disabled
from ..common.validators import seps_surround
def title(config): # pylint:disable=unused-argument
"""
Builder for rebulk object.
:param config: rule configuration
:type config: dict
:return: Created Rebulk object
:rtype: Rebulk
"""
rebulk = Rebulk(disabled=lambda context: is_disabled(context, 'title'))
rebulk.rules(TitleFromPosition, PreferTitleWithYear)
expected_title = build_expected_function('expected_title')
rebulk.functional(expected_title, name='title', tags=['expected', 'title'],
validator=seps_surround,
formatter=formatters(cleanup, reorder_title),
conflict_solver=lambda match, other: other,
disabled=lambda context: not context.get('expected_title'))
return rebulk
class TitleBaseRule(Rule):
"""
Add title match in existing matches
"""
# pylint:disable=no-self-use,unused-argument
consequence = [AppendMatch, RemoveMatch]
def __init__(self, match_name, match_tags=None, alternative_match_name=None):
super().__init__()
self.match_name = match_name
self.match_tags = match_tags
self.alternative_match_name = alternative_match_name
def hole_filter(self, hole, matches):
"""
Filter holes for titles.
:param hole:
:type hole:
:param matches:
:type matches:
:return:
:rtype:
"""
return True
def filepart_filter(self, filepart, matches):
"""
Filter filepart for titles.
:param filepart:
:type filepart:
:param matches:
:type matches:
:return:
:rtype:
"""
return True
def holes_process(self, holes, matches):
"""
process holes
:param holes:
:type holes:
:param matches:
:type matches:
:return:
:rtype:
"""
cropped_holes = []
group_markers = matches.markers.named('group')
for group_marker in group_markers:
path_marker = matches.markers.at_match(group_marker, predicate=lambda m: m.name == 'path', index=0)
if path_marker and path_marker.span == group_marker.span:
group_markers.remove(group_marker)
for hole in holes:
cropped_holes.extend(hole.crop(group_markers))
return cropped_holes
@staticmethod
def is_ignored(match):
"""
Ignore matches when scanning for title (hole).
Full word language and countries won't be ignored if they are uppercase.
"""
return not (len(match) > 3 and match.raw.isupper()) and match.name in ('language', 'country', 'episode_details')
def should_keep(self, match, to_keep, matches, filepart, hole, starting):
"""
Check if this match should be accepted when ending or starting a hole.
:param match:
:type match:
:param to_keep:
:type to_keep: list[Match]
:param matches:
:type matches: Matches
:param hole: the filepart match
:type hole: Match
:param hole: the hole match
:type hole: Match
:param starting: true if match is starting the hole
:type starting: bool
:return:
:rtype:
"""
if match.name in ('language', 'country'):
# Keep language if exactly matching the hole.
if len(hole.value) == len(match.raw):
return True
# Keep language if other languages exists in the filepart.
outside_matches = filepart.crop(hole)
other_languages = []
for outside in outside_matches:
other_languages.extend(matches.range(outside.start, outside.end,
lambda c_match: c_match.name == match.name and
c_match not in to_keep and
c_match.value not in NON_SPECIFIC_LANGUAGES))
if not other_languages and (not starting or len(match.raw) <= 3):
return True
return False
def should_remove(self, match, matches, filepart, hole, context):
"""
Check if this match should be removed after beeing ignored.
:param match:
:param matches:
:param filepart:
:param hole:
:return:
"""
if context.get('type') == 'episode' and match.name == 'episode_details':
return match.start >= hole.start and match.end <= hole.end
return True
def check_titles_in_filepart(self, filepart, matches, context): # pylint:disable=inconsistent-return-statements
"""
Find title in filepart (ignoring language)
"""
# pylint:disable=too-many-locals,too-many-branches,too-many-statements
start, end = filepart.span
holes = matches.holes(start, end + 1, formatter=formatters(cleanup, reorder_title),
ignore=self.is_ignored,
predicate=lambda m: m.value)
holes = self.holes_process(holes, matches)
for hole in holes:
if not hole or (self.hole_filter and not self.hole_filter(hole, matches)):
continue
to_remove = []
to_keep = []
ignored_matches = matches.range(hole.start, hole.end, self.is_ignored)
if ignored_matches:
for ignored_match in reversed(ignored_matches):
# pylint:disable=undefined-loop-variable, cell-var-from-loop
trailing = matches.chain_before(hole.end, seps, predicate=lambda m: m == ignored_match)
if trailing:
should_keep = self.should_keep(ignored_match, to_keep, matches, filepart, hole, False)
if should_keep:
# pylint:disable=unpacking-non-sequence
try:
append, crop = should_keep
except TypeError:
append, crop = should_keep, should_keep
if append:
to_keep.append(ignored_match)
if crop:
hole.end = ignored_match.start
for ignored_match in ignored_matches:
if ignored_match not in to_keep:
starting = matches.chain_after(hole.start, seps,
predicate=lambda m, im=ignored_match: m == im)
if starting:
should_keep = self.should_keep(ignored_match, to_keep, matches, filepart, hole, True)
if should_keep:
# pylint:disable=unpacking-non-sequence
try:
append, crop = should_keep
except TypeError:
append, crop = should_keep, should_keep
if append:
to_keep.append(ignored_match)
if crop:
hole.start = ignored_match.end
for match in ignored_matches:
if self.should_remove(match, matches, filepart, hole, context):
to_remove.append(match)
for keep_match in to_keep:
if keep_match in to_remove:
to_remove.remove(keep_match)
if hole and hole.value:
hole.name = self.match_name
hole.tags = self.match_tags
if self.alternative_match_name:
# Split and keep values that can be a title
titles = hole.split(title_seps, lambda m: m.value)
for title_match in list(titles[1:]):
previous_title = titles[titles.index(title_match) - 1]
separator = matches.input_string[previous_title.end:title_match.start]
if len(separator) == 1 and separator == '-' \
and previous_title.raw[-1] not in seps \
and title_match.raw[0] not in seps:
titles[titles.index(title_match) - 1].end = title_match.end
titles.remove(title_match)
else:
title_match.name = self.alternative_match_name
else:
titles = [hole]
return titles, to_remove
def when(self, matches, context):
ret = []
to_remove = []
if matches.named(self.match_name, lambda match: 'expected' in match.tags):
return False
fileparts = [filepart for filepart in list(marker_sorted(matches.markers.named('path'), matches))
if not self.filepart_filter or self.filepart_filter(filepart, matches)]
# Priorize fileparts containing the year
years_fileparts = []
for filepart in fileparts:
year_match = matches.range(filepart.start, filepart.end, lambda match: match.name == 'year', 0)
if year_match:
years_fileparts.append(filepart)
for filepart in fileparts:
try:
years_fileparts.remove(filepart)
except ValueError:
pass
titles = self.check_titles_in_filepart(filepart, matches, context)
if titles:
titles, to_remove_c = titles
ret.extend(titles)
to_remove.extend(to_remove_c)
break
# Add title match in all fileparts containing the year.
for filepart in years_fileparts:
titles = self.check_titles_in_filepart(filepart, matches, context)
if titles:
# pylint:disable=unbalanced-tuple-unpacking
titles, to_remove_c = titles
ret.extend(titles)
to_remove.extend(to_remove_c)
if ret or to_remove:
return ret, to_remove
return False
class TitleFromPosition(TitleBaseRule):
"""
Add title match in existing matches
"""
dependency = [FilmTitleRule, SubtitlePrefixLanguageRule, SubtitleSuffixLanguageRule, SubtitleExtensionRule]
properties = {'title': [None], 'alternative_title': [None]}
def __init__(self):
super().__init__('title', ['title'], 'alternative_title')
def enabled(self, context):
return not is_disabled(context, 'alternative_title')
class PreferTitleWithYear(Rule):
"""
Prefer title where filepart contains year.
"""
dependency = TitleFromPosition
consequence = [RemoveMatch, AppendTags(['equivalent-ignore'])]
properties = {'title': [None]}
def when(self, matches, context):
with_year_in_group = []
with_year = []
titles = matches.named('title')
for title_match in titles:
filepart = matches.markers.at_match(title_match, lambda marker: marker.name == 'path', 0)
if filepart:
year_match = matches.range(filepart.start, filepart.end, lambda match: match.name == 'year', 0)
if year_match:
group = matches.markers.at_match(year_match, lambda m: m.name == 'group')
if group:
with_year_in_group.append(title_match)
else:
with_year.append(title_match)
to_tag = []
if with_year_in_group:
title_values = {title_match.value for title_match in with_year_in_group}
to_tag.extend(with_year_in_group)
elif with_year:
title_values = {title_match.value for title_match in with_year}
to_tag.extend(with_year)
else:
title_values = {title_match.value for title_match in titles}
to_remove = []
for title_match in titles:
if title_match.value not in title_values:
to_remove.append(title_match)
if to_remove or to_tag:
return to_remove, to_tag
return False
``` |
Fasel is a surname. Notable people with the surname include:
Charles Fasel (1898–1984), Swiss ice hockey player
Daniel Fasel (born 1967), Swiss football defender
René Fasel (born 1950), Swiss retired ice hockey administrator
See also
Fasel Gang, group of Swiss criminals
Fassel, surname |
Top 100 España is a record chart published weekly by PROMUSICAE (Productores de Música de España), a non-profit organization composed of Spanish and multinational record companies. This association tracks both physical (including CDs and vinyl) and digital (digital download and streaming) record consumption and sales in Spain.
Albums
References
Spanish record charts
2021 in Spanish music
Spain albums |
The McKnight Foundation is a Minnesota-based family foundation. Established in 1953, the McKnight Foundation maintains a $2.5 billion endowment which it distributes in grants. In 2022, the foundation issued $120 million, supporting Minnesota cultural institutions, climate change efforts, and social justice initiatives, among other goals.
History
The McKnight Foundation was founded in 1953 by William L. McKnight, an early leader of the 3M Corporation, and Maude L. McKnight, and was independently endowed by the McKnight's. Bolstered by their estates, the foundation's assets grew substantially in the 1980s.
References
External links
McKnight Foundation
Foundations based in the United States
Non-profit organizations based in Minnesota
Organizations based in Minneapolis
1953 establishments in Minnesota |
Eva Moll (born June 15, 1975, in Karlsruhe) is a German contemporary artist. Moll works in the media fine art printmaking, drawing and painting and its expansion in the areas of performance art and conceptual art. Beside works on canvas and paper; Happening, video art and installation count to her Œuvre. A large part of her work stands in the traditions of appropriation art, pop art, fluxus and action painting. She lives and works in New York and Berlin.
Life and work
As a student Eva Moll took weekend courses at the Städelschule in Frankfurt am Main in 1989. After her German preparatory school graduation in 1994 at the Rudolf Koch School in Offenbach am Main, she completed a one-year internship at the fine art painter and restorer Manfred Scharpf at the Castle Zeil in Leutkirch im Allgäu. There she acquired knowledge to old master techniques and processes in the studio and exhibition making.
From 1995 Eva Moll studied at the Kunsthochschule Kassel in Germany in the fields of visual communication and fine arts. Her study focus was on free graphics, drawing and painting with old and new media and interdisciplinary art. While studying Moll realized the global multi-media project: "The Ornamental Symbol" on traveling in Europe, Asia, Africa and America (1996–1998). This was followed by the urban visual diary project "Eva in The Big Apple" in New York City (1998–2000). 2000 Eva Moll graduated with an artistic university degree (M.f.A.) under the Professors Walter Rabe and Paul Driessen.
In 2000 Moll migrated to New York. From 2000 to 2002 she worked as an assistant in the studio of American pop-artist Peter Max. In 2001 Moll had her first show at the La Mama Gallery in the Lower East Side. In 2002 she launched her first studio in New York after touring Los Angeles, San Francisco, Big Sur, Portland, Oregon, and Seattle. In 2003 she founded the collective art group Galaxy Girls NYC. Since then the visual artist with curatorial practice organized exhibitions and happenings in interdisciplinary space. Moll is active in the public space of major cities as well as in the specialized areas of trade fairs, museums, galleries, art associations and in various groups of the international art market and art scene.
In 2006 Moll traveled with her project Europe ArtTourIsm to Athens, Barcelona, Budapest, Copenhagen and Luxembourg. In 2007 she performed unofficially with her artistic figure EVE at the openings of the art fairs Documenta 12, at the Armory Show in New York and at the Art Forum Berlin. That same year, she expanded her activities as a studio artist and exhibition maker in the New York Metropolitan Area to the Rhine-Main area of Germany. 2009 Moll became an active member in the international art club Kunstverein Familie Montez in Frankfurt am Main. In 2011 she was appointed professor of contemporary art at the Academy of Interdisciplinary Processes in Offenbach am Main. 2012 Moll got honored for the project Schrankstipendium with an art award by the maecenia Frankfurt - Foundation for Women in Science and Arts. With the guerrilla-performance of her art figure EVE Moll provided at the opening of the dOCUMENTA (13) in Kassel Germany for sensation. Moll is chairman of the New York organization Arts in Action. Since 2013 Moll tours with the art figure EVE performances and exhibitions in Rome, Florence, Cinque Terre, Monaco, Paris, Berlin, London, Chicago, Miami and New York. In 2014 she moved with her German studio to Berlin. Her American studio remains in New York.
Exhibitions and performances (selection)
2000: "Eva Moll. Eva in The Big Apple", Kunsthochschule Kassel (graduation exhibit)
2001: "Iluminati", La Mama La Galleria, New York NY (First exhibit in New York)
2007: EVE Performance at the Art Forum Berlin
2009–2012: Participation of exhibitions and performances at the Kunstverein Familie Montez, Frankfurt am Main
2010: "Das Gute von gestern", Catalogue at the Deutsche National Bibliothek
2011: "Painting the town", Armory Show Week, New York NY (EVE Performance)
2012: "Neue Welten. Perspektiven aktueller Kunst", Kunsthallen Offenbach am Main
2013: "Facebook", booth installation of the Cloisters Gallery at the Fountain Art at The Armory, New York NY
2013–2014: Participation of the travel exhibition in Germany "Wurzeln weit mehr Aufmerksamkeit widmen" of the Kunstverein Familie Montez, Frankfurt am Main
2013: "Gifted Art", Michael Mut Gallery, New York NY
2014: "EVE – Die Kunst von Eva Moll", Kunstverein Offenbach am Main
2014: "I'm going out for a coffee honey...", Galerie Villa Köppe, Berlin
2014: "La Costola Ingombrante di Adamo", Atelier Montez, Rome
2015: "THE LIGHT OF ART IS IN YOUR HEART", Art von Frei Gallery, Berlin/ Germany
References
External links
Kunstaspekte with exhibition list
Profil of the Fine Art Adoption Network
Profile at ArtSlant
Profile at artfacts.net
Profile at the Bundesverband Bildender Künstlerinnen und Künstler, Landesverband Hessen e.V. (2007–2014)
Solo exhibit at the Kunstverein Offenbach am Main (2014)
Gallery representing Eva Moll in Berlin (current art)
Gallery representing Eva Moll in New York (early and the performative work)
„Charlies adventures in the ultraworld" by John Eischeid, Moll bei den BOS Brooklyn NY
„Eve by Eva" by Timothy Herrik, Eva Moll at the Fish with Braids Gallery, Jersey City NJ
Report of the "maecenia Frankfurt" 7 Schrankstipendium
Press article regarding EVE Performance by Eva Moll at the opening of the dOCUMENTA (13), Das Marburger
Foto stream with Eva Moll at the opening of the dOCUMENTA (13), Berliner Zeitung
Foto stream with Eva Moll at the opening of the dOCUMENTA (13), Wiener Zeitung
Press article about the performance of the master class of Eva Moll at the Akademie für interdisziplinäre Prozesse during the dOCUMENTA (13) in Kassel 2012
SchirnMag reports about the benefit auction curated by Eva Moll
Listed artist at the Art Hamptons trade fair, Bridgehampton NY 2013
Living people
1975 births
German contemporary artists
Artists from Karlsruhe
Artists from New York City
Artists from Berlin |
```yaml
name: 2022 Steering Committee Election
organization: Kubernetes
start_datetime: 2022-09-06 00:00:01
end_datetime: 2022-09-30 11:59:59
no_winners: 3
allow_no_opinion: True
delete_after: True
show_candidate_fields:
- employer
- slack
election_officers:
- dims
- kaslin
- coderanger
eligibility: Kubernetes Org members with 50 or more contributions in the last year can vote. See [the election guide](path_to_url
exception_description: Not all contributions are measured by DevStats. If you have contributions that are not so measured, then please request an exception to allow you to vote via the Elekto application.
exception_due: 2022-09-17 11:59:59
``` |
Lee Hong-yeol (born 15 March 1961) is a South Korean long-distance runner. He competed in the marathon at the 1984 Summer Olympics.
References
1961 births
Living people
Athletes (track and field) at the 1984 Summer Olympics
South Korean male long-distance runners
South Korean male marathon runners
Olympic athletes for South Korea
Place of birth missing (living people)
20th-century South Korean people |
```objective-c
/*
*
* Use of this source code is governed by a BSD-style license
* that can be found in the LICENSE file in the root of the source
* tree. An additional intellectual property rights grant can be found
* in the file PATENTS. All contributing project authors may
* be found in the AUTHORS file in the root of the source tree.
*/
#ifndef MODULES_AUDIO_CODING_CODECS_PCM16B_AUDIO_ENCODER_PCM16B_H_
#define MODULES_AUDIO_CODING_CODECS_PCM16B_AUDIO_ENCODER_PCM16B_H_
#include "modules/audio_coding/codecs/g711/audio_encoder_pcm.h"
#include "rtc_base/constructor_magic.h"
namespace webrtc {
class AudioEncoderPcm16B final : public AudioEncoderPcm {
public:
struct Config : public AudioEncoderPcm::Config {
public:
Config() : AudioEncoderPcm::Config(107), sample_rate_hz(8000) {}
bool IsOk() const;
int sample_rate_hz;
};
explicit AudioEncoderPcm16B(const Config& config)
: AudioEncoderPcm(config, config.sample_rate_hz) {}
protected:
size_t EncodeCall(const int16_t* audio,
size_t input_len,
uint8_t* encoded) override;
size_t BytesPerSample() const override;
AudioEncoder::CodecType GetCodecType() const override;
private:
RTC_DISALLOW_COPY_AND_ASSIGN(AudioEncoderPcm16B);
};
} // namespace webrtc
#endif // MODULES_AUDIO_CODING_CODECS_PCM16B_AUDIO_ENCODER_PCM16B_H_
``` |
Sir Vere Hunt, 1st Baronet of Currah (1761 – 11 August 1818) was an Irish politician, landowner and businessman. He is chiefly remembered for founding the village of New Birmingham in County Tipperary, for his ill-advised purchase of the island of Lundy, and for his entertaining diary. He was a colourful character, who was noted for his heavy drinking and gambling, but also for his intellectual interests, and his stern criticism of his own class.
Family
He was the son of Vere Hunt of Curragh, County Limerick and Glengoole, County Tipperary, by his second wife, Anne Browne, daughter of Edmund Browne of New Grove, County Clare and his wife Jane Westropp, and sister of Montfort Browne, who was Lieutenant Governor of West Florida and then Governor of the Bahamas. His father was the eldest son of the Reverend Vere Hunt (died 1759), and his wife Constantia Piers, granddaughter of Sir Henry Piers, 1st Baronet. He was a descendant of the Earls of Oxford through Jane de Vere, a granddaughter of the 15th Earl, who married Henry Hunt in 1572. His own son changed the family name to de Vere. Sir Vere's great-great-grandfather, yet another Vere Hunt, was an army officer who served with Oliver Cromwell and who settled in Ireland in 1657.
The Hunt/de Vere family estate, which they owned for 300 years (1657–1957), including the period of the de Vere Baronetcy of Curragh, is the present day Curraghchase Forest Park, in County Limerick.
Hunt was created a baronet, in the Baronetage of Ireland, on 4 or 13 December 1784 and was appointed High Sheriff of County Limerick the same year. Hunt raised and commanded three regiments of foot during the French Revolutionary Wars, including the 135th (Limerick) Regiment of Foot. He was a member of the Irish House of Commons for Askeaton from 1798 to 1800.
He married Eleanor Pery, daughter of William Pery, 1st Baron Glentworth and his first wife Jane Walcott, on 4 March 1783; they had one son, Sir Aubrey de Vere, 2nd Baronet. The marriage is said to have been unhappy, although he always referred to his wife with respect; they mostly lived apart. She died in 1821. He was the grandfather of the poet and critic Aubrey Thomas de Vere and the politician and social commentator Sir Stephen de Vere, 4th Baronet.
Career
Against his political inclinations, he voted for the Act of Union 1800, apparently in the hope of recouping the heavy expenses (estimated at £5000) which he had incurred as an MP (the Crown was shameless about bribing politicians to vote in favour of the Union). He was never a good man of business, as shown by his unwise purchase in 1802 of the island of Lundy, which attracted him because the owner was not liable to pay taxes. Here he settled an Irish colony, with its own constitution, laws, and coinage. However, the colonists were unable to make a profit, due to agricultural problems, and the venture cost him so much money that he spent years pleading with the British Crown to take it off his hands; it was only many years after his death that his son was able to dispose of it.
He was also a very heavy gambler, and his debts became so large that he was imprisoned for debt for much of 1803 in the Fleet Prison, despite his claims that the Crown owed him large sums of money. On the other hand he was a good landlord, who was always anxious to improve the condition of his tenants. He opened a coal mine at Glengoole, County Tipperary, and for the benefit of the miners he founded the village of New Birmingham, near Thurles, with the help of the local priest Friar Meighan (who was a personal friend, despite Hunt's suspicion of Catholic priests). He obtained a charter to hold regular markets and fairs in the village. He evidently hoped to turn New Birmingham into a major manufacturing centre, but failed in this aim, as in many of his other business ventures, although the village itself survived.
Personality
His entertaining diary, of which several extracts have been published, shows him as an eccentric character with a great ability to enjoy life. It deals especially with the pleasures of good food and drink, music and theatre. The diary gives a valuable glimpse of social life in the Dublin of the early nineteenth century, and describes the fashionable taverns, eating houses and theatres. He managed a touring theatrical company, and founded at least one newspaper. He had some of the normal tastes and prejudices of his class; for example, he was addicted to duelling, fighting his first duel at the age of eighteen. He was in general hostile to Catholic priests, although he was a strong supporter of Catholic Emancipation, and numbered some priests among his friends, notably the aforementioned Friar.
In other respects he has been described as a "maverick", who was hostile to his own class, the Anglo-Irish elite, which was centred on Dublin Castle, "this fallen and degraded sham-court", as Hunt described it. On 4 June 1813 he was at an official reception at Dublin Castle, which he described in scathing terms as being attended by "pimps, parasites, hangers-on....spies, informers...alas poor Ireland".
References
1761 births
1818 deaths
Baronets in the Baronetage of Ireland
Irish MPs 1798–1800
High Sheriffs of County Limerick
De Vere family
Members of the Parliament of Ireland (pre-1801) for County Limerick constituencies |
Trimethylsulfoxonium iodide is a sulfoxonium salt. It is used to generate dimethyloxosulfonium methylide by reaction with sodium hydride. The latter compound is used as a methylene-transfer reagent, and is used to prepare epoxides.
This compound is commercially available. It may be prepared by the reaction of dimethyl sulfoxide and iodomethane:
(CH3)2SO + CH3I → (CH3)3SO+I−
References
Organosulfur compounds
Iodides
Reagents for organic chemistry |
Leave It To Me may refer to:
Leave It to Me (1920 film), a 1920 American film by Emmett J. Flynn
Leave It to Me (1930 film), a 1930 British film
Leave It to Me (1933 film), a 1933 British film
Leave It to Me (1937 film), a 1937 British film
Leave It to Me (1955 film), a 1955 Czech film
Leave It to Me!, a 1938 musical
Leave It to Me (novel), a 1997 American novel
"Leave It to Me" (song), the third single by Irish art rock quartet Director |
Princess Jeongmyeong (27 June 1603 – 8 September 1685) was a Joseon Royal Princess as the tenth daughter of King Seonjo, from Queen Inmok. During her older half-brother's reign, she suffered hardships, and her title was revoked, but later it was reinstated after her half-nephew ascended the throne. Due to this, her life was believed to have been as brittle and unfortunate like her ancestor and her descendant who were famous for their unfortunate fates as the Princess of Joseon and Korean Empire.
Biography
Early life
Princess Jeongmyeong was born on 27 June 1603 as the only daughter of Seonjo of Joseon and Queen Inmok. At this time, her father was already 52 years old, and her mother was 19 years old.
Through her mother, the princess already had distant royal blood. From her maternal grandfather’s side, she was the 7th great-granddaughter of Princess Jeongui and, from her maternal grandmother’s side, her 7th great-grandfather was Grand Prince Imyeong. Princess Jeongui was the older sister of King Munjong, King Sejo, and Grand Prince Imyeong. Thus making the princess the 8th great-granddaughter of Queen Soheon and King Sejong.
She was a first cousin thrice removed of Crown Princess Minhoe, the future daughter-in-law of King Injo and Queen Inyeol, through her paternal grandmother. As well as a first cousin four times removed of Kim Ahn-ro.
The age gap had made it seem like Princess Jeongmyeong was Seonjo's granddaughter but despite the age difference, he favoured and showed affection towards Jeongmyeong, she becoming his favourite daughter. However, her father died on 16 March 1608 at 55 years old when she was 6 years old and when her younger brother was 3 years old.
Gwanghaegun's rise to the throne and Confinement
Afrer her father's death, her older half-brother, Crown Prince Gwanghae took over the throne, both of her maternal grandfather, Kim Je-Nam and her younger brother, Grand Prince Yeongchang were involved in Gyechuk Oksa (계축옥사), and were to be executed for contempt and plotting against the king.
Her grandfather was executed in 1613. Followed by her younger brother, Grand Prince Yeongchang who died from poisoning at 9 years old in 1614. This was because Gwanghaegun had seen the young prince as a threat to this position as a king. She and her mother were then incarcerated and imprisoned at the West Palace (서궁).
As a child, she liked to write and when she was confined in the West Palace, she wrote letters that resembled her parents' handwriting, specifically her father's, to comfort her beloved mother, this writing was then known as Hwajeong (화정, 華政). But when she was about 30–40 years old, she stopped writing calligraphy and Chinese characters.
It was said that when she was 11 years old, she contacted Smallpox disease. Based on The Diary of Gyechuk (계축일기), Buk-in (북인, 北人), Gwanghae's supporters seemed very happy and pleased about this news. At this time, there was a superstition that smallpox was not curable, but it was enough to deliberately send meat that was not cut into pieces nearby. Since a Princess couldn't succeed the throne, it was assumed that her mother and her younger brother actually wanted smallpox to die rather than wishing for her to die.
When the Seo-in faction (서인, 西人) had made sure they couldn't leave the palace, the Princess's mother, Queen Inmok feared that her daughter would be taken away and lied that the Princess had already died. During this time, in 1618, she was 16 years old. In 1623, 5 years later, Gwanghae was deposed from his position and was succeeded by Prince Neungyang (능양군).
Marriage
After the deposition of Gwanghaegun, there was a talk within court officials on having her mother, who became Queen Dowager (대비, 大妃), be demoted and just become a royal consort (후궁, 後宮) so that the Princess will just be an Ongju (옹주, 翁主), a princess of second rank. Yi Yi-cheom (이이첨) forced the Princess to get married and live outside the palace so that her marriage will just be that of an Ongju (옹주, 翁主). However, the Princess's mother, who had lost and parted with her son during this period, didn't want to lose and part again with her only daughter, so she immediately applied to her stepson, Gwanghaegun of Joseon to free her daughter.
Later, in 1623, when her half nephew, Injo of Joseon succeeded Gwanghae's throne, she was reinstated and allowed to live in Changdeok Palace (창덕궁, 昌德宮) along with her mother. At this time, she was 21 years old. Which was a difficult age to marry because during this time period, the Princess was considered too old to marry as girls usually married at a young age. As she couldn't find a husband who was similar to her age, she decided to choose someone younger than her. Since the other Princesses already married a long time ago, it had made it seem that she married the latest among the Joseon Princesses at the time. But in fact, her half-sisters and her half-nieces got married at an older age than her, so the court ordered her to marry in hurry. The reason why her marriage was postponed was unknown but it seemed because of the circumstances along this period, or maybe because the Princess's mother who feared that if she was married, she wouldn't be able to live in the palace and live peacefully within her in-law's house.
Then, on 26 September 1623, there was a selection (간택; Gantaek) to be her husband and there were only 9 chosen. The winner of this selection was Hong Ju-won, the son of Hong Yeong (홍영) from the Pungsan Hong clan (풍산 홍씨), but at that time, Hong Ju-won, who was younger than her, was 18 years old. It was also said that Hong Ju-won already had a fiancée, and had to break off the engagement to marry the Princess.
Meanwhile, in the process, the Princess's mother, now Queen Dowager Soseong, made a problem with even down Hong Ju-Won to the horse that only the King could ride. At this, Injo, who is the new King of Joseon, was in disagreement, but he could not blame nor punish the Dowager Queen because he still respected her and regarded her as his parent. After the marriage, Injo gave Ingyeong Palace (인경궁) to her as her manor with Hong, and also gave her Jeong-cheol (정철). However, feared of suspicion of artificiality, she deliberately turned away from politics and only concentrated on sewing and housework.
Originally, Gyeongguk Daejeon (경국대전) stipulated that the princess's house couldn't exceed 50 periods, but her house was 200 years old until now. In Gyeongsang Province, she enjoyed tremendous luxury, such as being given a large land reaching 8,076 units. Now, this land whom was given to the Princess is the notorious pitfall of tenancy disputes until the Japanese colonial era.
She later bore Hong Ju-won 7 sons and 1 daughter, but only 4 sons and the daughter survived to adulthood. Which, through her second eldest son, Hong Man-yong; her great-great-great-granddaughter, Lady Hyegyeong, eventually married her great-great-great-great half-grandnephew, Crown Prince Sado. Crown Prince Sado was the grandson of her great-great half-grandnephew, King Sukjong.
Her third eldest son, Hong Man-hyeong, married Queen Inhyeon's paternal aunt, and eventually became the great-great-great-grandparents of Royal Noble Consort Won; who was the concubine of her great-great-great-great-great-grandnephew, King Jeongjo.
After Queen Inmok's death
After her mother's death, there were some suspicions of King Injo and King Hyojong due to the letters that were found in the palace in the Queen Dowager's living quarters. Then, Princess Jeongmyeong, and the court ladies who accompanied and involved, were arrested one after one and in a row, suffered not only several sentences and torture, but also death sentences. Even after getting torture and several sentences, she received the best treatment as an adult from her families during the King Hyeonjong and King Sukjong's reign.
Later life
The Princess outlived her husband by 13 years, living from her father, King Seonjo's reign, until her step great-great-grandnephew, King Sukjong's reign. She later died on 8 September 1685 at 82 years old. After her death, she was buried near her husband's tomb. She was the Princess who had lived the longest among all of Joseon Princesses in Joseon history records.
Family
Father: King Seonjo of Joseon (조선 선조) (26 November 1552 – 16 March 1608)
Grandfather: Grand Internal Prince Deokheung (덕흥대원군) (2 April 1530 – 14 June 1559)
Grandmother: Grand Internal Princess Consort Hadong of the Hadong Jeong clan (하동부대부인 정씨) (23 September 1522 – 24 June 1567)
Mother: Queen Inmok of the Yeonan Kim clan (인목왕후 김씨) (15 September 1584 – 16 August 1632)
Grandfather: Kim Je-nam, Internal Prince Yeonheung (연흥부원군 김제남) (1562 – 1 June 1613)
Grandmother: Internal Princess Consort Gwangsan of the Gwangju No clan (광산부부인 광주 노씨) (1557–1637)
Sibling
Younger brother: Yi Ui, Grand Prince Yeongchang (영창대군 이의; 12 April 1606 – 19 April 1614)
Adoptive nephew: Yi Pil, Prince Changseong (창성군 이필; 1627–1689)
Husband: Hong Ju-won, Prince Consort Yeongan (영안위 홍주원) (1606 – 3 November 1672)
Father-in-law: Hong Yeong (홍영) (1584–1645)
Mother-in-law: Lady Yi of the Yeonan Yi clan (연안 이씨) (? – 1656)
Issue(s):
Son: Hong Tae-mang (홍태망, 洪台望) (1625 – ?); died young
Son: Minister of Rites Hong Man-yong, Duke Jeonggan (예조판서 정간공 홍만용, 禮曹判書 貞簡公 洪萬容) (1631 – 1692)
Daughter-in-law: Lady Song of the Yeosan Song clan (여산 송씨); daughter of Song Si-gil (송시길, 宋時吉)
Grandson: Hong Jung-gi (홍중기, 洪重箕) (1650 - ?)
Granddaughter-in-law: Lady Yi of the Jeonju Yi clan (전주 이씨, 全州 李氏); daughter of Yi Min-seo (이민서, 李敏敍)
Great-grandson: Hong Seok-bo (홍석보, 洪錫輔) (1672 – 1729)
Great-grandson: Hong Hyeon-bo (홍현보, 洪鉉輔) (1680 - 1640)
Great-Granddaughter-in-law: Lady Im of the Pungcheon Im clan (풍천 임씨)
Great-Great-grandson: Hong Bong-han (홍봉한) (1713 - 1778)
Great-Great-grandson: Hong Sang-han (홍상한)
Great-Granddaughter-in-law: Lady Yi of the Seongju Yi clan (성주 이씨); daughter of Yi Se-hwang (이세황)
Great-Great-grandson: Hong In-han (홍인한, 洪麟漢) (1722 - 1776)
Great-Great-granddaughter-in-law: Lady Pyeongsan of the Pyeongsan Shin clan (평산부부인 신씨)
Great-Great-Great-grandson: Hong Nak-won (홍낙원, 洪樂遠)
Great-Great-Great-Great-grandson: Hong Gyeong-mo (홍경모, 洪敬謨)
Great-Great-Great-grandson: Hong Nak-sul (홍낙술, 洪樂述)
Great-Great-Great-grandson: Hong Nak-jin (홍낙진, 洪樂進)
Great-Great-Great-granddaughter: Lady Hong of the Pungsan Hong clan (풍산 홍씨)
Great-Great-grandson: Hong Jun-han (홍준한, 洪俊漢) (1731 - ?)
Great-Great-grandson: Hong Yong-han (홍용한, 洪龍漢) (1734 - 1804)
Great-Great-granddaughter: Lady Hong of the Pungsan Hong clan (풍산 홍씨)
Granddaughter: Hong Hui-im, (홍희임, 洪喜妊), Lady Hong of the Pungsan Hong clan (풍산 홍씨, 豊山 洪氏) (1651 - ?)
Granddaughter: Hong Dan-im (홍단임, 洪端妊), Lady Hong of the Pungsan Hong clan (풍산 홍씨, 豊山 洪氏) (1655 - ?)
Granddaughter: Hong Myo-im (홍묘임, 洪妙妊), Lady Hong of the Pungsan Hong clan (풍산 홍씨, 豊山 洪氏) (1660 - ?)
Grandson: Hong Jung-beom (홍중범, 洪重範) (1662 - ?)
Great-grandson: Hong Jeong-bo (홍정보, 洪鼎輔)
Great-grandson: Hong Jin-bo (홍진보, 洪晉輔)
Grandson: Hong Jung-yeon (홍중연, 洪重衍) (1668 - ?)
Granddaughter-in-law: Lady Kim of the Cheongpung Kim clan (청풍 김씨)
Grandson: Hong Jung-ju (홍중주, 洪重疇) (1670 - ?)
Grandson: Hong Yeon-hui (홍연희, 洪然喜) (1672 - ?)
Great-grandson: Hong Gyeong-bo (홍경보, 洪鏡輔)
Son: Hong Man-hyeong (홍만형, 洪萬衡) (1633 – 1670)
Daughter-in-law: Lady Min of the Yeoheung Min clan (여흥 민씨)
Grandson: Hong Jung-mo (홍중모, 洪重模) (1650 - ?)
Granddaughter-in-law: Lady Kim of the Gwangsan Kim clan (광산 김씨); daughter of Kim Ik-gyeong (김익경, 金益炅; 1629 - 1675)
Great-grandson: Hong Yun-bo (홍윤보, 洪允輔)
Great-grandson: Hong Geun-bo (홍근보, 洪謹輔)
Grandson: Hong Jung-hae (홍중해, 洪重楷) (1658 - ?)
Granddaughter-in-law: Lady Yi of the Yeonan Yi clan (연안 이씨); daughter of Yi Hang (이항, 李恒)
Great-grandson: Hong Yang-bo (홍양보, 洪良輔)
Great-Great-grandson: Hong Chang-han (홍창한)
Son: Hong Man-hui (홍만희, 洪萬熙) (1635 – 1670)
Daughter-in-law: Lady Hwang of the Changwon Hwang clan (창원 황씨); daughter of Hwang Yeon (황연, 黃沇)
Grandson: Hong Jung-seok (홍중석, 洪重錫) (1643 - ?)
Granddaughter: Hong Ga-im (홍가임, 洪可妊), Lady Hong of the Pungsan Hong clan (1659 - ?)
Granddaughter: Hong Jae-im (홍재임, 洪再妊), Lady Hong of the Pungsan Hong clan (1660 - ?)
Granddaughter: Hong Pil-im (홍필임, 洪畢妊), Lady Hong of the Pungsan Hong clan (1662 - ?)
Granddaughter: Hong Hyo-im (홍효임, 洪孝妊), Lady Hong of the Pungsan Hong clan (1666 - ?)
Grandson: Hong Jung-ik (홍중익, 洪重益) (1668 - ?)
Son: Hong Tae-ryang (홍태량, 洪台亮) (1637 – ?); died young
Son: Hong Tae-yuk (홍태육, 洪台六) (1639 – ?); died young
Daughter: Hong Tae-im (홍태임, 洪台妊), Lady Hong of the Pungsan Hong clan (풍산 홍씨, 豊山 洪氏) (1641 – ?)
Son-in-law: Jo Jeon-ju (조전주, 曺殿周) (1640 – 1696) from the Changnyeong Jo clan (창녕 조씨)
Grandson: Jo Ha-eon (조하언, 曺夏彦) (1657 - ?)
Grandson: Jo Ha-gi (조하기, 曺夏奇) (1660 - ?)
Granddaughter: Jo Su-hae (조수해, 曺壽亥), Lady Jo of the Changnyeong Jo clan (1671 - ?)
Granddaughter: Jo Su-in (조수인, 曺壽寅), Lady Jo of the Changnyeong Jo clan (1674 - ?)
Grandson: Jo Ha-jing (조하징, 曺夏奇) (1675 - ?)
Son: Hong Man-hoe (홍만회, 洪萬恢) (1643 – 1710)
Daughter-in-law: Lady Hong of the Namyang Hong clan (남양 홍씨); daughter of Hong Myeong-il (홍명일, 洪命一)
Granddaughter: Hong Ae-im (홍애임, 洪愛妊), Lady Hong of the Pungsan Hong clan (1662 - ?)
Granddaughter: Hong Gye-im (홍계임, 洪季妊), Lady Hong of the Pungsan Hong clan (1665 - ?)
Grandson: Hong Jung-seong (홍중성, 洪重聖) (1668 - ?)
Granddaughter: Hong Mal-im (홍말임, 洪末妊), Lady Hong of the Pungsan Hong clan (1672 - ?)
Granddaughter: Hong Jeong-im (홍정임, 洪正妊), Lady Hong of the Pungsan Hong clan (1677 - ?)
Descendants
This list is just a notable figure, such as:
Hong Seok-Bo (홍석보), who served as a Cham-pan (참판) during King Sukjong's reign was her great-grandson (3rd generation descendant).
Yi In-Geom (이인검), who served as a Su-chan (수찬) was her maternal great-grandson (3rd generation descendant).
Hong Hyeon-Bo (홍현보), who was the grandfather of Lady Hyegyeong was her great-great-grandson (4th generation descendant).
Hong Sang-Han (홍상한), who married with Queen Seonui's 4th cousin, Lady Eo (어씨) was her great-great-grandson (5th generation descendant).
Hong Bong-Han (홍봉한), who was the father of Lady Hyegyeong, was her great-great-grandson (5th generation descendant).
Crown Princess Consort Hyegyeong (혜경왕세자빈), who was the primary wife of Yeongjo of Joseon's second son, Crown Prince Sado was her great-great-great-granddaughter (6th generation descendant).
Royal Noble Consort Won (원빈 홍씨), who was the wife and consort of Jeongjo of Joseon, was her 4th great-granddaughter (7th generation descendant).
Hong Hyeon-Ju, Duke Hyogan, Prince Consort Yeongmyeong (홍현주 효간공 영명위), who was the husband of Jeongjo of Joseon and Royal Noble Consort Su of the Bannam Park clan's daughter, Princess Sukseon, was her 4th great-grandson (7th generation descendant).
Queen Shinjeong, who was the great-great-granddaughter of Hong Hyeon-bo, and the wife of Crown Prince Hyomyeong; the grandson of King Jeongjo, was her 5th great-granddaughter (8th generation descendant).
In popular culture
Drama and Television series
Portrayed by Park Rusia in the 1995 KBS2 TV series West Palace.
Portrayed by Han Min in the 2014 tvN TV series The Three Musketeers.
Portrayed by Heo Jung-eun, Jung Chan-bi, and Lee Yeon-hee in the 2015 MBC TV series Splendid Politics.
Novel
Portrayed in the Naver Novel Series The Novel of Princess Jeongmyeong (소설 정명공주).
Webtoon
Portrayed in the 2019 KakaoPage Webtoon series Finally, The Blue Flame (마침내 푸른 불꽃이).
References
Cites
Books
1603 births
1685 deaths
Princesses of Joseon
17th-century Korean people
17th-century Korean women |
Henry Watt may refer to:
Harry Watt (politician) (Henry Anderson Watt, 1863–1929), British politician
Henry J. Watt (1879–1925), student of Oswald Külpe and part of the Würzburg School
See also
Harry Watt (disambiguation)
Henry Watts (disambiguation) |
Atelopus nocturnus, also known as the nocturnal harlequin toad, is a species of frog in the family Bufonidae. It is endemic to Antioquia, Colombia, and only known from its type locality in Anorí, in the northern Cordillera Central (Colombian Andes). The specific name nocturnus refers to the nocturnality of this species, which is unusual among Atelopus.
Description
Adult males measure and adult females in snout–vent length. The head is longer than it is broad. The snout is acuminate. No tympanum is externally visible, but a prominent supratympanic crest is present. The forearms are relatively short. The fingers have basal webbing and round pads at their tips. The toes are webbed. Dorsal coloration varies from pale brown to dark reddish brown. The flanks are brown to orange. Males have white to yellowish cream bellies with dark brown markings, whereas females have bright orange bellies. The throat, chest, belly, and ventral surfaces of limbs are bright orange. The iris is bright yellow with brown spots and fine black reticulations.
Habitat and conservation
Atelopus nocturnus is known from a remnant secondary very humid pre-montane forest at elevations of above sea level. The site is characterized by an abundance of arboreal ferns, bromeliads, and other epiphytes. Atelopus nocturnus were collected from vegetation up to 1 meter above the ground near a stream and were active at night – all but one specimen were captured at night. Although the larval habitat is not known, it is likely that the larvae develop in streams.
Atelopus nocturnus was first discovered in 2003 and collected again in 2007. There are no further observations, despite search efforts. The population is likely to be very small. It is potentially threatened by chytridiomycosis. As the known distribution is within two contiguous protected areas, Arrierito Antioqueño ProAves Reserve and La Forzosa Reserve, habitat loss is not a current threat. However, being only known from one location, the population is vulnerable to stochastic events. Porce III Dam and Porce IV Dam are potential threats in the nearby area.
References
nocturnus
Amphibians of the Andes
Amphibians of Colombia
Endemic fauna of Colombia
Amphibians described in 2011 |
Spaceplan is a 2017 clicker video game developed by Jake Hollands and published by Devolver Digital on May 3, 2017, for Android, iOS, macOS, and Microsoft Windows, a day earlier than its intended launch date of May 4. In the game, the player is stuck on a ship in orbit around an unknown planet, whose only power source is potatoes. The player must gather resources in order to unlock stronger tools, with which to increase their resource gathering abilities. The game received universally positive reviews from critics, who stated that its narrative sci-fi elements improved the otherwise simplistic gameplay.
Reception
Spaceplan received an aggregate score of 89/100 for its iOS version. Carter Dotson of TouchArcade rated the game 100/100, calling it a "cool and engaging experience", and recommended it even to skeptics of the genre. Jim Squires of Gamezebo rated it 90/100, calling the game's narrative "funny" and "clever", but criticizing its short length. Christian Valentin of Pocket Gamer rated the game 4/5 stars, saying that "while the gameplay is what you'd expect from a clicker, the game is "uniquely enjoyable and humorous". Lauren Morton of PC Gamer commented that it "makes an argument for a new niche genre".
References
2017 video games
Indie games
Science fiction video games
Incremental games
Windows games
IOS games
Devolver Digital games
Single-player video games
Video games developed in the United Kingdom |
Gish Jen (born Lillian Jen; () August 12, 1955) is a contemporary American writer and speaker.
Early life and education
Gish Jen is a second-generation Chinese American. Her parents emigrated from China in the 1940s; her mother was from Shanghai and her father was from Yixing. Born in Long Island, New York, she grew up in Queens, then Yonkers, then Scarsdale. Her birth name is Lillian, but during her high school years she acquired the nickname Gish, named for actress Lillian Gish.
She graduated from Harvard University in 1977 with a BA in English, and later attended Stanford Business School (1979–1980), but dropped out in favor of the University of Iowa Writers' Workshop, where she earned her MFA in fiction in 1983.
Fiction
Five of her short stories have been reprinted in The Best American Short Stories. Her piece "Birthmates", was selected as one of The Best American Short Stories of The Century by John Updike. Her works include five novels: Typical American, Mona in the Promised Land, The Love Wife, World and Town and The Resisters. She has also written two collections of short fiction, Who's Irish?, and Thank You, Mr. Nixon.
Her first novel, Typical American, was nominated for a National Books Critics' Circle Award. Her second novel, Mona in the Promised Land, features a Chinese-American adolescent who converts to Judaism. The Love Wife, her third novel, portrays an Asian American family with interracial parents and both biological and adopted children.
Her fourth novel, World and Town, portrays a fragile America, its small towns challenged by globalization, development, fundamentalism, and immigration, as well as the ripples sent out by 9/11. World and Town won the 2011 Massachusetts Book Prize in fiction and was nominated for the 2012 International IMPAC Dublin Literary Award.
Her fifth novel, The Resisters, was released in February 2020 and is a post-automation, feminist baseball dystopia. Set in the not-so-distant future. most jobs are now automated, much seacoast land is under water due to climate change, and the Internet and various social apps have been replaced by one all-seeing Alexa-like sentient Internet. The story centers around a "surplus" family with a prodigy pitching daughter where baseball becomes their field of resistance to an autocratic America. A related short story ("Tell Me Everything") was commissioned by The New York Times as part of their Privacy Project and published January 5, 2020. Audible commissioned a novella spin-off called "I, Autohouse" as part of its Audible Originals series.
Jen's second story collection, Thank You, Mr. Nixon, was published by Knopf on February 1, 2022. It consists of eleven interconnected stories that span the 50 years since Nixon's historic visit to China and meeting with Chairman Mao. The tenth story in the collection, "No More Maybe", was published in the March 19, 2018 edition of The New Yorker, and the final story in the collection, "Detective Dog", was published in the November 22, 2021 edition of The New Yorker, and takes place in COVID-ravaged New York City. "Detective Dog" was selected for the "Best American Short Stories of 2022".
Nonfiction
In 2013 Jen published her first non-fiction book, entitled Tiger Writing: Art, Culture, and the Interdependent Self. Based on the Massey Lectures that Jen delivered at Harvard in 2012, Tiger Writing explores East–West differences in self construction, and how these affect art and especially literature.
Jen's second work of non-fiction is "The Girl at the Baggage Claim: Explaining the East-West Culture Gap," published in February 2017. This is a provocative study of the different ideas Easterners and Westerners have about the self and society and what this means for current debates in art, education, geopolitics, and business. Drawing on stories and personal anecdotes, as well as recent research in cultural psychology, Jen reveals how this difference shapes what we perceive, remember, say, do, and make – in short, how it shapes everything from our ideas about copying and talking in class to the difference between Apple and Alibaba.
Jen has also published numerous pieces in The New York Times, The New Yorker, The Washington Post, and The New Republic, among others. In response to the 2021 Atlanta spa shootings, Jen penned an op-ed for the Times.
Honors and awards
In 2009, Princeton's Elaine Showalter devoted much attention to Jen in her survey of American women writers, "A Jury of Her Peers: American Women Writers From Anne Bradstreet to Annie Proulx." In an article in The Guardian, Showalter elaborated, including Jen in a list of eight top authors, and pointing out that Jen's "vision of a multicultural America goes well beyond the angry rants or despairing projections of Roth, DeLillo, McCarthy or other finalists in the Great American Novel competition." In 2012, Junot Diaz concurred, calling Jen "the Great American Novelist we're always hearing about." And in 2000, in a millennial edition of The Times Magazine in the UK, in which figures were asked to name their successors in the 21st century, John Updike picked Jen.
Thank You, Mr. Nixon was longlisted for the inaugural Carol Shields Prize for Fiction in 2023.
2019 Honorary Fellow, Modern Languages Association
2017 Legacy Award, Museum of Chinese in America, New York
2015 Honorary PhD, Williams College
2013 Named Sidney Harman Writer-in-Residence, Baruch-CUNY
2013 Story included in The Best American Short Stories of 2013
2012 Delivered the Massey Lectures at Harvard University (an annual lecture series sponsored by the American Studies program)
2011 Winner of the Massachusetts Book Prize
2011 Nominated for the International IMPAC Dublin Literary Award
2009 Elected a member of the American Academy of Arts and Sciences
2006 Featured in a PBS American Masters Program on the American Novel
2004 Honorary PhD, Emerson College
2003 Received a Mildred and Harold Strauss Living Award from the American Academy of Arts and Letters
2003 Received a Fulbright Fellowship to the People's Republic of China
2001 Received a Radcliffe Institute for Advanced Study Fellowship
1999 Story included in The Best American Short Stories of the Century
1999 Received a Lannan Literary Award for Fiction
1995 Story included in The Best American Short Stories of 1995
1992 Received a Guggenheim Foundation Fellowship
1991 Finalist for the National Book Critics' Circle Award
1988 Received a National Endowment for the Arts Fellowship
1988 Story included in The Best American Short Stories of 1988
1986 Received a Radcliffe College Bunting Institute Fellowship
See also
List of American novelists
Chinese American literature
List of Asian American writers
References
External links
Gish Jen website
1955 births
Living people
20th-century American novelists
20th-century American short story writers
21st-century American novelists
21st-century American short story writers
American women writers of Chinese descent
People from Long Island
Radcliffe College alumni
Iowa Writers' Workshop alumni
Writers from Scarsdale, New York
American short story writers of Chinese descent
American novelists of Chinese descent
American women novelists
American women short story writers
American short story writers
Scarsdale High School alumni
Stanford University people
20th-century American women writers
21st-century American women writers |
Reginald Thomas Talbot (1862 - 29 March 1935) was an Anglican priest in the first part of the 20th century.
Talbot was educated at Clifton College and Exeter College, Oxford. He was ordained in 1886 and was a curate at Gateshead Parish Church and then a lecturer in church history and doctrine in the Dioceses of Durham, Ripon and Newcastle. He then held incumbencies in Sunderland and Derby. From 1906 to 1928 he was a Canon Residentiary at Bristol Cathedral and Archdeacon of Swindon. He was then Dean of Rochester until his retirement in 1932.
References
1862 births
People educated at Clifton College
Alumni of Exeter College, Oxford
Archdeacons of Swindon
Deans of Rochester
1935 deaths |
The 2020–21 Florida Atlantic Owls women's basketball team represented Florida Atlantic University during the 2020–21 NCAA Division I women's basketball season. The team was led by fifth-year head coach Jim Jabir, and played their home games at the FAU Arena in Boca Raton, Florida as a member of Conference USA.
Schedule and results
|-
!colspan=12 style=|Non-conference regular season
|-
!colspan=12 style=|CUSA regular season
|-
!colspan=12 style=| CUSA Tournament
See also
2020–21 Florida Atlantic Owls men's basketball team
Notes
References
Florida Atlantic Owls women's basketball seasons
Florida Atlantic
Florida Atlantic Owls women's basketball team
Florida Atlantic Owls women's basketball team |
Phantom (theatrical release name: Phantom Pailey) is a 2002 Malayalam action drama film directed by Biju Varkey. It stars Mammootty in the title role, and Manivannan, Manoj K. Jayan, Innocent, Nishanth Sagar, Nedumudi Venu and Lalu Alex in other pivotal roles.
Cast
Release
The film was released on 5 April 2002.
Soundtrack
Music: Deva, Lyrics: Gireesh Puthenchery
Kurum kuzhal osai ... - KS Chithra
Viral thottal [D] ... - KS Chithra P Jayachandran
Sunu mithuvare ... - KJ Yesudas
Maattupongal [D] ... - KS Chithra SP Balasubrahmanyam
Viral thottaal [F] ... - KS Chithra
Maattupponkal [M] ... - SP Balasubrahmanyam
References
External links
2002 films
2000s Malayalam-language films
Indian action drama films
Films shot in Kottayam
Films shot in Idukki |
Tapuaetai (tapuae: footprint; ta'i: one), or "One Foot Island", is one of 22 islands in the Aitutaki atoll of the Cook Islands. It is located on the southeastern perimeter of Aitutaki Lagoon immediately to the southwest of the larger island of Tekopua, seven kilometres to the east of the main island of Aitutaki. The island is 570m long and up to 210m wide, with an average elevation of 1.5m above sea level.
One Foot Island was awarded "Australasia's Leading Beach" at the World Travel Awards held in Sydney in June 2008.
References
Islands of Aitutaki |
Julie Menghini (born April 18, 1964) is a former Democratic House Minority Whip of the Kansas House of Representatives, who represented the 3rd district from 2005 to 2011, and again from 2013-2015. She served on the Joint Committee on Kansas Security, Elections and Transportation Committees as well as the House Taxation Committee, where she was the ranking minority member. Menghini ran for re-election in 2010, but was defeated by Republican Terry Calloway by a margin of less than 200 votes.
Menghini serves as a board member of Elm Acres Youth and Family Services, and a member of the PTO, Business Education Alliance committee for the Pittsburg Area Chamber of Commerce and USD 250. She also serves on the board of directors for the Alliance for Technology Commercialization.
She lives in Pittsburg and is married to Henry Menghini. They have three children - Aria, Connor, and Dante.
References
External links
Official campaign website
Kansas Legislature - Julie Menghini
Project Vote Smart profile
Kansas Votes profile
State Surge - Legislative and voting track record
Follow the Money campaign contributions:
2004, 2006, 2008
Democratic Party members of the Kansas House of Representatives
Living people
People from Pittsburg, Kansas
1964 births
Women state legislators in Kansas
21st-century American women politicians
21st-century American politicians
Pittsburg State University alumni
University of Kansas alumni |
```java
package com.yahoo.search.query.profile.types.test;
import com.yahoo.component.ComponentId;
import com.yahoo.container.jdisc.HttpRequest;
import com.yahoo.jdisc.http.HttpRequest.Method;
import com.yahoo.search.Query;
import com.yahoo.search.query.profile.QueryProfile;
import com.yahoo.search.query.profile.QueryProfileRegistry;
import com.yahoo.search.query.profile.compiled.CompiledQueryProfileRegistry;
import com.yahoo.search.query.profile.types.FieldDescription;
import com.yahoo.search.query.profile.types.FieldType;
import com.yahoo.search.query.profile.types.QueryProfileType;
import com.yahoo.search.query.profile.types.QueryProfileTypeRegistry;
import com.yahoo.search.test.QueryTestCase;
import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.assertEquals;
/**
* @author bratseth
*/
public class MandatoryTestCase {
private static class Fixture1 {
final QueryProfileRegistry registry = new QueryProfileRegistry();
final QueryProfileTypeRegistry typeRegistry = new QueryProfileTypeRegistry();
final QueryProfileType type = new QueryProfileType(new ComponentId("testtype"));
final QueryProfileType user = new QueryProfileType(new ComponentId("user"));
public Fixture1() {
typeRegistry.register(type);
typeRegistry.register(user);
addTypeFields(type, typeRegistry);
addUserFields(user, typeRegistry);
}
private static void addTypeFields(QueryProfileType type, QueryProfileTypeRegistry registry) {
type.addField(new FieldDescription("myString", FieldType.fromString("string", registry), true));
type.addField(new FieldDescription("myInteger", FieldType.fromString("integer", registry)));
type.addField(new FieldDescription("myLong", FieldType.fromString("long", registry)));
type.addField(new FieldDescription("myFloat", FieldType.fromString("float", registry)));
type.addField(new FieldDescription("myDouble", FieldType.fromString("double", registry)));
type.addField(new FieldDescription("myQueryProfile", FieldType.fromString("query-profile", registry)));
type.addField(new FieldDescription("myUserQueryProfile", FieldType.fromString("query-profile:user", registry), true));
}
private static void addUserFields(QueryProfileType user, QueryProfileTypeRegistry registry) {
user.addField(new FieldDescription("myUserString", FieldType.fromString("string", registry), true));
user.addField(new FieldDescription("myUserInteger", FieldType.fromString("integer", registry), true));
}
}
@Test
void testMandatoryFullySpecifiedQueryProfile() {
Fixture1 fixture = new Fixture1();
QueryProfile test = new QueryProfile("test");
test.setType(fixture.type);
test.set("myString", "aString", fixture.registry);
fixture.registry.register(test);
QueryProfile myUser = new QueryProfile("user");
myUser.setType(fixture.user);
myUser.set("myUserInteger", 1, fixture.registry);
myUser.set("myUserString", 1, fixture.registry);
test.set("myUserQueryProfile", myUser, fixture.registry);
fixture.registry.register(myUser);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
// Fully specified request
assertError(null, new Query(QueryTestCase.httpEncode("?queryProfile=test"), cRegistry.getComponent("test")));
}
@Test
void testMandatoryRequestPropertiesNeeded() {
Fixture1 fixture = new Fixture1();
QueryProfile test = new QueryProfile("test");
test.setType(fixture.type);
fixture.registry.register(test);
QueryProfile myUser = new QueryProfile("user");
myUser.setType(fixture.user);
myUser.set("myUserInteger", 1, fixture.registry);
test.set("myUserQueryProfile", myUser, fixture.registry);
fixture.registry.register(myUser);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
// Underspecified request 1
assertError("Incomplete query: Parameter 'myString' is mandatory in query profile 'test' of type 'testtype' but is not set",
new Query(HttpRequest.createTestRequest("", Method.GET), cRegistry.getComponent("test")));
// Underspecified request 2
assertError("Incomplete query: Parameter 'myUserQueryProfile.myUserString' is mandatory in query profile 'test' of type 'testtype' but is not set",
new Query(HttpRequest.createTestRequest("?myString=aString", Method.GET), cRegistry.getComponent("test")));
// Fully specified request
assertError(null, new Query(HttpRequest.createTestRequest("?myString=aString&myUserQueryProfile.myUserString=userString", Method.GET), cRegistry.getComponent("test")));
}
/** Same as above except the whole thing is nested in maps */
@Test
void testMandatoryNestedInMaps() {
Fixture1 fixture = new Fixture1();
QueryProfile topMap = new QueryProfile("topMap");
fixture.registry.register(topMap);
QueryProfile subMap = new QueryProfile("topSubMap");
topMap.set("subMap", subMap, fixture.registry);
fixture.registry.register(subMap);
QueryProfile test = new QueryProfile("test");
test.setType(fixture.type);
subMap.set("test", test, fixture.registry);
fixture.registry.register(test);
QueryProfile myUser = new QueryProfile("user");
myUser.setType(fixture.user);
myUser.set("myUserInteger", 1, fixture.registry);
test.set("myUserQueryProfile", myUser, fixture.registry);
fixture.registry.register(myUser);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
// Underspecified request 1
assertError("Incomplete query: Parameter 'subMap.test.myString' is mandatory in query profile 'topMap' but is not set",
new Query(HttpRequest.createTestRequest("", Method.GET), cRegistry.getComponent("topMap")));
// Underspecified request 2
assertError("Incomplete query: Parameter 'subMap.test.myUserQueryProfile.myUserString' is mandatory in query profile 'topMap' but is not set",
new Query(HttpRequest.createTestRequest("?subMap.test.myString=aString", Method.GET), cRegistry.getComponent("topMap")));
// Fully specified request
assertError(null, new Query(HttpRequest.createTestRequest("?subMap.test.myString=aString&subMap.test.myUserQueryProfile.myUserString=userString", Method.GET), cRegistry.getComponent("topMap")));
}
/** Here, no user query profile is referenced in the query profile, but one is chosen in the request */
@Test
void testMandatoryUserProfileSetInRequest() {
Fixture1 fixture = new Fixture1();
QueryProfile test = new QueryProfile("test");
test.setType(fixture.type);
QueryProfile myUser = new QueryProfile("user");
myUser.setType(fixture.user);
myUser.set("myUserInteger", 1, null);
QueryProfileRegistry registry = new QueryProfileRegistry();
registry.register(test);
registry.register(myUser);
CompiledQueryProfileRegistry cRegistry = registry.compile();
// Underspecified request 1
assertError("Incomplete query: Parameter 'myUserQueryProfile' is mandatory in query profile 'test' of type 'testtype' but is not set",
new Query(HttpRequest.createTestRequest("?myString=aString", Method.GET), cRegistry.getComponent("test")));
// Underspecified request 1
assertError("Incomplete query: Parameter 'myUserQueryProfile.myUserString' is mandatory in query profile 'test' of type 'testtype' but is not set",
new Query(HttpRequest.createTestRequest("?myString=aString&myUserQueryProfile=user", Method.GET), cRegistry.getComponent("test")));
// Fully specified request
assertError(null, new Query(HttpRequest.createTestRequest("?myString=aString&myUserQueryProfile=user&myUserQueryProfile.myUserString=userString", Method.GET), cRegistry.getComponent("test")));
}
/** Here, a partially specified query profile is added to a non-mandatory field, making the request underspecified */
@Test
void testNonMandatoryUnderspecifiedUserProfileSetInRequest() {
Fixture1 fixture = new Fixture1();
QueryProfile test = new QueryProfile("test");
test.setType(fixture.type);
fixture.registry.register(test);
QueryProfile myUser = new QueryProfile("user");
myUser.setType(fixture.user);
myUser.set("myUserInteger", 1, fixture.registry);
myUser.set("myUserString", "userValue", fixture.registry);
test.set("myUserQueryProfile", myUser, fixture.registry);
fixture.registry.register(myUser);
QueryProfile otherUser = new QueryProfile("otherUser");
otherUser.setType(fixture.user);
otherUser.set("myUserInteger", 2, fixture.registry);
fixture.registry.register(otherUser);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
// Fully specified request
assertError(null, new Query(HttpRequest.createTestRequest("?myString=aString", Method.GET), cRegistry.getComponent("test")));
// Underspecified because an underspecified profile is added
assertError("Incomplete query: Parameter 'myQueryProfile.myUserString' is mandatory in query profile 'test' of type 'testtype' but is not set",
new Query(HttpRequest.createTestRequest("?myString=aString&myQueryProfile=otherUser", Method.GET), cRegistry.getComponent("test")));
// Back to fully specified
assertError(null, new Query(HttpRequest.createTestRequest("?myString=aString&myQueryProfile=otherUser&myQueryProfile.myUserString=userString", Method.GET), cRegistry.getComponent("test")));
}
private static class Fixture2 {
final QueryProfileRegistry registry = new QueryProfileRegistry();
final QueryProfileTypeRegistry typeRegistry = new QueryProfileTypeRegistry();
final QueryProfileType rootType = new QueryProfileType(new ComponentId("root"));
final QueryProfileType mandatoryType = new QueryProfileType(new ComponentId("mandatory-type"));
public Fixture2() {
typeRegistry.register(rootType);
typeRegistry.register(mandatoryType);
mandatoryType.inherited().add(rootType);
mandatoryType.addField(new FieldDescription("foobar", FieldType.fromString("string", typeRegistry), true));
}
}
@Test
void testMandatoryInParentType() {
Fixture2 fixture = new Fixture2();
QueryProfile defaultProfile = new QueryProfile("default");
defaultProfile.setType(fixture.rootType);
QueryProfile mandatoryProfile = new QueryProfile("mandatory");
mandatoryProfile.setType(fixture.mandatoryType);
fixture.registry.register(defaultProfile);
fixture.registry.register(mandatoryProfile);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
assertError("Incomplete query: Parameter 'foobar' is mandatory in query profile 'mandatory' of type 'mandatory-type' but is not set",
new Query(QueryTestCase.httpEncode("?queryProfile=mandatory"), cRegistry.getComponent("mandatory")));
}
@Test
void testMandatoryInParentTypeWithInheritance() {
Fixture2 fixture = new Fixture2();
QueryProfile defaultProfile = new QueryProfile("default");
defaultProfile.setType(fixture.rootType);
QueryProfile mandatoryProfile = new QueryProfile("mandatory");
mandatoryProfile.addInherited(defaultProfile); // The single difference from the test above
mandatoryProfile.setType(fixture.mandatoryType);
fixture.registry.register(defaultProfile);
fixture.registry.register(mandatoryProfile);
CompiledQueryProfileRegistry cRegistry = fixture.registry.compile();
assertError("Incomplete query: Parameter 'foobar' is mandatory in query profile 'mandatory' of type 'mandatory-type' but is not set",
new Query(QueryTestCase.httpEncode("?queryProfile=mandatory"), cRegistry.getComponent("mandatory")));
}
private void assertError(String message,Query query) {
assertEquals(message, query.validate());
}
}
``` |
Donald Carlton Eliason (July 24, 1918 – August 18, 2003) was an American basketball and football player. He played one season in the Basketball Association of America (BAA) and two seasons in the National Football League (NFL).
Early years
Eliason was born in 1917 in Owatonna, Minnesota.
Eliason attended Hamline University where he played baseball, basketball and football. In 1939, he earned all-state honors, playing at the tackle position for the Hamline football team. In 1940, he was selected as the captain and played at fullback. Eliason graduated in 1942. He was inducted into the Hamline University Athletic Hall of Fame in 1976, as well as the school's Row of Honor in Hutton Arena in 2010.
Football career
In 1942, he played four games for the Brooklyn Dodgers of the National Football League (NFL). His playing career was cut short in November 1942 when he was drafted into the U.S. Army during World War II. While in the service, he played on the Fort Warren travelling football team.
After the war, Eliason joined the NFL Boston Yanks. He appeared in four games for the Yanks during the 1946 season.
Basketball career
In the BAA, Eliason was a member of the Boston Celtics during their inaugural 1946–47 season. He played in one game, missing his only field goal attempt. He is one of the few to have played in both the NFL and the BAA or its successor, the National Basketball Association. Another Yanks football player, Harold Crisler, also played for the Celtics that season.
Later life
After his sporting career, Eliason was a science teacher and coach at Excelsior and Minnetonka high schools. He worked as a bonded representative for a brokerage firm before his retirement. Eliason was recognised for his volunteer work with the intellectually disabled.
BAA career statistics
Regular season
References
External links
1918 births
2003 deaths
American football ends
American football fullbacks
American football tackles
American men's basketball players
Boston Celtics players
Boston Yanks players
Brooklyn Dodgers (NFL) players
Forwards (basketball)
Hamline Pipers baseball players
Hamline Pipers football players
Hamline Pipers men's basketball players
United States Army personnel of World War II
People from Owatonna, Minnesota
Players of American football from Minnesota
Baseball players from Minnesota
Basketball players from Minnesota
Military personnel from Minnesota |
The 1992 Dutch Supercup (), known as the PTT Telecom Cup for sponsorship reasons, was the third Supercup match in Dutch football. The game was played on 12 August 1992 at De Kuip in Rotterdam, between 1991–92 Eredivisie champions PSV Eindhoven and 1991–92 KNVB Cup winners Feyenoord. PSV won the match 1–0.
Match details
References
1992
Supercup
D
D
Dutch Supercup |
Sproat Street and Adelaide Street are QLINE streetcar stations in Detroit, Michigan. The two stations are located across the street from one another, with Sproat being served by southbound runs, and Adelaide by northbound services. The stations opened for service on May 12, 2017. Located near the southern end of Midtown Detroit, adjacent to Little Caesars Arena, the stations service the Brush Park and lower Cass Corridor neighborhoods.
Station
During planning stages, the station was known as Sibley.
The station, like Montcalm Street to the south, is sponsored by Ilitch Holdings. Passenger amenities include electric heaters, emergency phones, Wi-Fi and arrival signs.
Destinations
Little Caesars Arena (the home of the NHL's Red Wings and NBA's Pistons)
See also
Streetcars in North America
References
Tram stops of QLine
Railway stations in the United States opened in 2017 |
Pasa Tosusu (c. 1958 – June 15, 2012) was a Vanuatuan civil servant who served as the country's fourth Ombudsman.
Tosusu, who was from the island of Espiritu Santo, was a longtime civil servant. He spent fifteen years working as a government auditor. He then joined the ombudsman office, where he worked as an investigator for another fifteen years.
On April 23, 2010, Tosusu was appointed as Vanuatu's fourth ombudsman by Vanuatu President Iolu Johnson Abil. Tosusu was one of three candidates in the considered to replace outgoing Ombudsman Peter Taurokoto, whose contract expired at the end of April 2010. Tosusu took office for a five-year term.
Tosusu died at his home in Port Vila, Vanuatu, at the age of 54. He was honored with a state funeral held at the Malfatumauri National Council of Chiefs in Port Vila. His body was returned to his home village of Tasiriki, Espiritu Santo (Sanma Province), where he was buried on June 17, 2012.
References
2012 deaths
Ombudsmen in Vanuatu
Vanuatuan civil servants
People from Sanma Province
Year of birth uncertain |
Ayqer Chaman-e Sofla (, also Romanized as Āyqer Chaman-e Soflá; also known as Āyqer Chaman-e Do) is a village in Mehranrud-e Jonubi Rural District, in the Central District of Bostanabad County, East Azerbaijan Province, Iran. At the 2006 census, its population was 60, in 9 families.
References
Populated places in Bostanabad County |
The Ixworth is an English breed of white domestic chicken. It is named for the village of Ixworth in Suffolk, where it was created in 1932. It was bred as fast-growing high-quality meat breed with reasonable laying abilities.
History
The Ixworth was created in 1932 by Reginald Appleyard, who also created the Silver Appleyard Duck, at his poultry farm in the village of Ixworth in Suffolk. It was bred from white Sussex, white Minorca, white Orpington, Jubilee, Indian Game and white Indian Game chickens, with the intention of creating a dual purpose breed, a fast-growing high-quality meat bird with reasonable egg-laying ability. An Ixworth bantam was created in 1938; Appleyard thought it better than the standard-sized bird.
In the 1970s the Ixworth almost disappeared; it has since gradually recovered. It is a rare breed: in 2007 it was listed by the FAO as "endangered-maintained". In 2008 it was listed as "Category 2: endangered" by the Rare Breeds Survival Trust, and in 2014 was on the Trust's list of native poultry breeds at risk.
Characteristics
The plumage of the Ixworth is pure white. The comb is of pea type; it and the face, earlobes and wattles are brilliant red. The eyes are bright orange or red. The beak, shanks, feet, skin and flesh are all white.
In a comparative study conducted at the Roslin Institute in 2003, Ixworth hens were found to reach a live weight of at 55 weeks, and to lay on average 0.74 eggs per day, with an average egg weight of
The meat commands premium prices.
References
Chicken breeds
Chicken breeds originating in the United Kingdom
Animal breeds on the RBST Watchlist
Ixworth |
Sogn Parcazi Castle and Church (Romansh: Crap Sogn Parcazi, also Hohentrins) is a ruined castle and fortified church in the municipality of Trin of the Canton of Graubünden in Switzerland. It is a Swiss heritage site of national significance.
Castle name
The castle is known as Crap Sogn Parcazi (Romansh: The Rock of St. Pancras) after the hill that it stands on. It is also referred to individually as Hohentrins Castle or together with Canaschal Castle also as Hohentrins. Additionally Hohentrin could refer to the region around Trin.
History
The early chronicles of the region list Pepin, the father of Charlemagne, as the founder of the castle. While this is unlikely, it has not been conclusively disproven. Regardless of whether it is true, the first church on the site may date to the 8th century and may have been built on an even older pre-Christian cult site. It was originally built as a fortified church and refuge castle and may have been the first parish church of Tamins and Trin. In the 9th or 10th century the Emperor combined the imperial estates of Trin, Tamins and Reichenau, Switzerland into the Herrschaft of Hohentrin and granted it to Reichenau Abbey. Over the following centuries the complex was expanded and gradually converted into a feudal castle. The first residential building on the site was built in the 11th or 12th century when a tower was added. The palas on the northern end was probably built around 1300.
The castle first appears in historical records in the early 14th century. In 1314 the Herrschaft of Hohentrins passed from Reichenau Abbey to the Freiherr von Frauenberg. By 1325 it was owned by Count Hugo III von Werdenberg-Heiligenberg. In 1360 there was a fight between the local minor nobility and the Werdenberg-Heiligenberg and Werdenberg-Sargans families, but nothing is recorded as happening to Sogn Parcazi. At some point in the next two decades the castle was given as collateral to Ulrich Brun von Rhäzüns, because in 1383 Hugo and Heinrich von Werdenberg-Heiligenberg had to repay Ulrich Brun. In 1398 they pawned the castle again, this time to Albrecht von Werdenberg-Bludenz who was a supporter of the Habsburgs. However, a few months later Rudolf and Heinrich von Werdenberg-Heiligenberg as the owners of the castle joined the anti-Habsburg Grey League.
In 1428 the last male member of the Werdenberg-Heiligenberg family, Hugo, died and the castle and herrschaft passed to Peter von Hewen. The von Hewen family appointed vogts to administer the castle and lands for them. The last vogt at Sogn Parcazi was the Vogt Otto Capol. On 2 July 1470 he and his wife traveled to Reichnau for a celebration. While they were gone a fire broke out in the castle, destroying it and killing three of the vogt's children and their maid. One theory is that the fire was set by debtors who owed the vogt money in order to destroy the documents recording their loans. The castle was never rebuilt and Vogt Capol received a title in Lugnez. Later records continue to record that there were vogts over Hohentrins until 1524, but it is unknown whether they lived at Canaschal Castle or in the village. The herrschaft went to Johann von Planta in 1568, followed by Wolfgang von Löwenstein-Wertheim in 1583 and the Lords of Schauenstein in 1585. In 1616 the municipality of Trin bought their freedom from the Schauenstein family.
The castle was partly excavated in 1931 but the conservation project ran out of money and some of the excavated walls collapsed. During World War II the Swiss Army took over Sogn Parcazi and built two bunkers on the hill. After the war, the army remained responsible for the ruins and in 1964 they were re-excavated, repaired and reinforced. The ruins were turned over to the municipality in 2004 and from 2006 until 2010 they were again repaired and an archeological excavation revealed much of the castle's history.
Castle site
The ruins of the castle are located on a steep hill west of Trin village. The ruins of the Church of St. Pancras are located in the center of the flat top of the hill. The simple church building is oriented along an approximate east-west axis. It dates from about 1100 and may have replaced an earlier church. A rectangular cistern or baptistery was added in the 12th century. The 11th or 12th century tower south of the tower is with walls that are up to thick. The palas to the north was added in the 13th century and is long.
Gallery
See also
List of castles in Switzerland
References
Cultural property of national significance in Graubünden
Castles in Graubünden
Ruined castles in Switzerland
Church ruins in Switzerland |
```objective-c
//==- HexagonFrameLowering.h - Define frame lowering for Hexagon -*- C++ -*-==//
//
// See path_to_url for license information.
//
//===your_sha256_hash------===//
#ifndef LLVM_LIB_TARGET_HEXAGON_HEXAGONFRAMELOWERING_H
#define LLVM_LIB_TARGET_HEXAGON_HEXAGONFRAMELOWERING_H
#include "Hexagon.h"
#include "HexagonBlockRanges.h"
#include "MCTargetDesc/HexagonMCTargetDesc.h"
#include "llvm/ADT/STLExtras.h"
#include "llvm/CodeGen/MachineBasicBlock.h"
#include "llvm/CodeGen/MachineFrameInfo.h"
#include "llvm/CodeGen/TargetFrameLowering.h"
#include <vector>
namespace llvm {
class BitVector;
class HexagonInstrInfo;
class HexagonRegisterInfo;
class MachineFunction;
class MachineInstr;
class MachineRegisterInfo;
class TargetRegisterClass;
class HexagonFrameLowering : public TargetFrameLowering {
public:
// First register which could possibly hold a variable argument.
int FirstVarArgSavedReg;
explicit HexagonFrameLowering()
: TargetFrameLowering(StackGrowsDown, Align(8), 0, Align(1), true) {}
// All of the prolog/epilog functionality, including saving and restoring
// callee-saved registers is handled in emitPrologue. This is to have the
// logic for shrink-wrapping in one place.
void emitPrologue(MachineFunction &MF, MachineBasicBlock &MBB) const
override;
void emitEpilogue(MachineFunction &MF, MachineBasicBlock &MBB) const
override {}
bool enableCalleeSaveSkip(const MachineFunction &MF) const override;
bool spillCalleeSavedRegisters(MachineBasicBlock &MBB,
MachineBasicBlock::iterator MI,
ArrayRef<CalleeSavedInfo> CSI,
const TargetRegisterInfo *TRI) const override {
return true;
}
bool
restoreCalleeSavedRegisters(MachineBasicBlock &MBB,
MachineBasicBlock::iterator MI,
MutableArrayRef<CalleeSavedInfo> CSI,
const TargetRegisterInfo *TRI) const override {
return true;
}
bool hasReservedCallFrame(const MachineFunction &MF) const override {
// We always reserve call frame as a part of the initial stack allocation.
return true;
}
bool canSimplifyCallFramePseudos(const MachineFunction &MF) const override {
// Override this function to avoid calling hasFP before CSI is set
// (the default implementation calls hasFP).
return true;
}
MachineBasicBlock::iterator
eliminateCallFramePseudoInstr(MachineFunction &MF, MachineBasicBlock &MBB,
MachineBasicBlock::iterator I) const override;
void processFunctionBeforeFrameFinalized(MachineFunction &MF,
RegScavenger *RS = nullptr) const override;
void determineCalleeSaves(MachineFunction &MF, BitVector &SavedRegs,
RegScavenger *RS) const override;
bool targetHandlesStackFrameRounding() const override {
return true;
}
StackOffset getFrameIndexReference(const MachineFunction &MF, int FI,
Register &FrameReg) const override;
bool hasFP(const MachineFunction &MF) const override;
const SpillSlot *getCalleeSavedSpillSlots(unsigned &NumEntries)
const override {
static const SpillSlot Offsets[] = {
{ Hexagon::R17, -4 }, { Hexagon::R16, -8 }, { Hexagon::D8, -8 },
{ Hexagon::R19, -12 }, { Hexagon::R18, -16 }, { Hexagon::D9, -16 },
{ Hexagon::R21, -20 }, { Hexagon::R20, -24 }, { Hexagon::D10, -24 },
{ Hexagon::R23, -28 }, { Hexagon::R22, -32 }, { Hexagon::D11, -32 },
{ Hexagon::R25, -36 }, { Hexagon::R24, -40 }, { Hexagon::D12, -40 },
{ Hexagon::R27, -44 }, { Hexagon::R26, -48 }, { Hexagon::D13, -48 }
};
NumEntries = std::size(Offsets);
return Offsets;
}
bool assignCalleeSavedSpillSlots(MachineFunction &MF,
const TargetRegisterInfo *TRI, std::vector<CalleeSavedInfo> &CSI)
const override;
bool needsAligna(const MachineFunction &MF) const;
const MachineInstr *getAlignaInstr(const MachineFunction &MF) const;
void insertCFIInstructions(MachineFunction &MF) const;
private:
using CSIVect = std::vector<CalleeSavedInfo>;
void expandAlloca(MachineInstr *AI, const HexagonInstrInfo &TII,
Register SP, unsigned CF) const;
void insertPrologueInBlock(MachineBasicBlock &MBB, bool PrologueStubs) const;
void insertEpilogueInBlock(MachineBasicBlock &MBB) const;
void insertAllocframe(MachineBasicBlock &MBB,
MachineBasicBlock::iterator InsertPt, unsigned NumBytes) const;
bool insertCSRSpillsInBlock(MachineBasicBlock &MBB, const CSIVect &CSI,
const HexagonRegisterInfo &HRI, bool &PrologueStubs) const;
bool insertCSRRestoresInBlock(MachineBasicBlock &MBB, const CSIVect &CSI,
const HexagonRegisterInfo &HRI) const;
void updateEntryPaths(MachineFunction &MF, MachineBasicBlock &SaveB) const;
bool updateExitPaths(MachineBasicBlock &MBB, MachineBasicBlock &RestoreB,
BitVector &DoneT, BitVector &DoneF, BitVector &Path) const;
void insertCFIInstructionsAt(MachineBasicBlock &MBB,
MachineBasicBlock::iterator At) const;
bool expandCopy(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandStoreInt(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandLoadInt(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandStoreVecPred(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandLoadVecPred(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandStoreVec2(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandLoadVec2(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandStoreVec(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandLoadVec(MachineBasicBlock &B, MachineBasicBlock::iterator It,
MachineRegisterInfo &MRI, const HexagonInstrInfo &HII,
SmallVectorImpl<Register> &NewRegs) const;
bool expandSpillMacros(MachineFunction &MF,
SmallVectorImpl<Register> &NewRegs) const;
Register findPhysReg(MachineFunction &MF, HexagonBlockRanges::IndexRange &FIR,
HexagonBlockRanges::InstrIndexMap &IndexMap,
HexagonBlockRanges::RegToRangeMap &DeadMap,
const TargetRegisterClass *RC) const;
void optimizeSpillSlots(MachineFunction &MF,
SmallVectorImpl<Register> &VRegs) const;
void findShrunkPrologEpilog(MachineFunction &MF, MachineBasicBlock *&PrologB,
MachineBasicBlock *&EpilogB) const;
void addCalleeSaveRegistersAsImpOperand(MachineInstr *MI, const CSIVect &CSI,
bool IsDef, bool IsKill) const;
bool shouldInlineCSR(const MachineFunction &MF, const CSIVect &CSI) const;
bool useSpillFunction(const MachineFunction &MF, const CSIVect &CSI) const;
bool useRestoreFunction(const MachineFunction &MF, const CSIVect &CSI) const;
bool mayOverflowFrameOffset(MachineFunction &MF) const;
};
} // end namespace llvm
#endif // LLVM_LIB_TARGET_HEXAGON_HEXAGONFRAMELOWERING_H
``` |
Rachel Leah Bloom (born April 3, 1987) is an American actress, writer, and comedian, best known for co-creating and starring as Rebecca Bunch in The CW musical comedy-drama series Crazy Ex-Girlfriend (2015–2019). The role has won her numerous accolades, including a Golden Globe Award, a TCA Award, a Critics' Choice Television Award, and a Primetime Emmy Award.
Bloom first became known for her YouTube comedy music videos, including the Hugo Award-nominated video "Fuck Me, Ray Bradbury". She has also appeared in films, including Most Likely to Murder (2018), The Angry Birds Movie 2 (2019), Trolls World Tour (2020), Bar Fight! (2022), and The School for Good and Evil (2022).
Early life
Bloom was born on April 3, 1987, in Los Angeles County, California, and grew up in Manhattan Beach. She is the only child of Shelli (née Rosenberg), a musician, and Alan Bloom, a healthcare lawyer. She is Jewish.
Bloom attended Manhattan Beach public schools including Mira Costa High School, where she was involved in the school's drama program. According to Bloom, she used performance as a way to try to fit in. In 2009, Bloom graduated from the New York University's Tisch School of the Arts with a BFA in Drama. While at NYU, Bloom was the head writer and director of the school's premier sketch comedy group, Hammerkatz. Post-college, Bloom performed at Upright Citizens Brigade Theatre in New York and Los Angeles. She was once roommates with comedian Ilana Glazer after college in Brooklyn.
Career
In April 2010, Bloom wrote and sang the song "Fuck Me, Ray Bradbury", which gained a cult following when it was released on Ray Bradbury's 90th birthday in 2010. The song was inspired by her favorite Ray Bradbury book, The Martian Chronicles. There was a photo of Bradbury posted online that purported to show him watching the video. She worked as an intern for head writer Seth Meyers at Saturday Night Live. In 2012, she unsuccessfully auditioned for the show, submitting an audition video that included a bit as Katharine Hepburn doing the voice for Bugs Bunny in Space Jam.
On May 13, 2013, Bloom released her first album of musical comedy, Please Love Me, which included the viral songs "Fuck Me, Ray Bradbury" and "You Can Touch My Boobies". On November 19, 2013, she released her second album Suck It, Christmas, which featured a comedic look at Chanukah and included the song "Chanukah Honey". On December 17, 2013, Bloom was the voice of Princess Peach in the song "Luigi's Ballad" on Starbomb's self-titled debut album. Bloom co-wrote "Super Friend" performed by Melissa Benoist and Grant Gustin, featured on the musical crossover episode of Supergirl and The Flash titled "Duet" and the soundtrack released from the episode.
On April 25, 2016, Bloom was awarded the "Visionary Award" at the annual gala held by East West Players, the longest-running professional theatre of color in the United States. The award seeks to honor "individuals who have raised the visibility of the Asian Pacific American (APA) community through their craft”; her show Crazy Ex-Girlfriend was lauded for its decision to cast an Asian-American male in a trope and stereotype-subverting lead role.
Bloom has worked as a television writer on Allen Gregory and Robot Chicken.
In April 2017, Bloom appeared on "The Sexual Spectrum" episode of Bill Nye Saves the World, performing the song "My Sex Junk" concerning the gender and sexual spectra. The performance and episode were controversial, garnering a mixed response with backlash from conservative groups and on social media, where Bloom was threatened. The episode received an Emmy nomination.
Bloom co-starred in the film Most Likely to Murder, opposite Adam Pally and Vincent Kartheiser. The film was directed by Dan Gregor, Bloom's husband. It premiered at the SXSW Film Festival in March 2018, and was released on Digital and on Demand in May 2018.
On October 10, 2019, she was featured in a 30-minute YouTube documentary called Laughing Matters, created by SoulPancake in collaboration with Funny or Die, wherein a variety of comedians discuss mental health. She also appeared in the show My Little Pony, on the episode "Sounds of Silence", playing a kirin named Autumn Blaze.
On June 10, 2020, Bloom participated in the #ShareTheMicNow Instagram initiative. Fifty-two Black women took over the Instagram feeds of 52 white women with large platforms, including Julia Roberts, Elizabeth Warren, and Diane von Fürstenberg to draw attention to the work they're doing in order to catalyze change. Bloom's Instagram account was taken over by author Christine Michel Carter.
On November 18, 2020, Bloom was awarded the Lifesaver Award from ELEM/Youth in Distress in Israel, a nonprofit aiding youth in distress in Israel, at its Hats off to Heroes virtual gala.
Crazy Ex-Girlfriend
On May 7, 2015, Bloom filmed a half-hour pilot for Showtime with co-executive producer Aline Brosh McKenna (The Devil Wears Prada), directed by Marc Webb. It was eventually picked up by The CW for the fall 2015–2016 season. Crazy-Ex Girlfriend became a critically acclaimed hour-long series with more network-friendly content when it transitioned from cable to network TV and features musical numbers. The show premiered on October 12, 2015.
On January 10, 2016, Bloom won the Golden Globe Award for Best Actress in a Television Series, Musical or Comedy. The following week, Bloom won the Critics' Choice Television Award for Best Actress in a Comedy Series. On September 23, 2019, Bloom won the 71st Primetime Emmy Award for Outstanding Original Music and Lyrics for her work on Crazy Ex-Girlfriend.
"Holy Shit (You've Got to Vote)"
"Holy Shit (You've Got to Vote)" is a 2016 video created by Rachel Bloom to encourage people to vote in the 2016 election. The star-filled cast sang profanity laced lyrics directed at Donald Trump such as "Donald Trump is human syphilis/we could be the antidote". The video caught the attention of many news outlets, though some questioned its effectiveness retrospectively.
Personal life
In 2015, Bloom married her boyfriend of six years, writer, actor, producer and director Dan Gregor. Her cousin, a rabbi, performed the ceremony. They have a daughter, born in 2020.
Bloom has a history of mental illness, having been diagnosed with depression, anxiety, and OCD, about which she has candidly spoken. Bloom's character in Crazy Ex-Girlfriend has borderline personality disorder, and the show addresses these issues.
Filmography
Film
Television
Bibliography
Books
In November 2020, it was announced that Bloom would be releasing a memoir, titled I Want To Be Where The Normal People Are, published by Grand Central Publishing. The book was released on November 17, 2020. It explores Bloom's own mental health struggles and experiences with bullying, both as a child and as an adult in the entertainment industry, along with her experiences in the 2020 COVID-19 pandemic in the United States.
Discography
Studio albums
Soundtrack albums
Singles
Other appearances
Music videos
Awards and nominations
References
External links
1987 births
Living people
21st-century American actresses
21st-century American comedians
21st-century American Jews
21st-century American screenwriters
21st-century American women singers
21st-century American singers
21st-century American women writers
Actresses from Los Angeles
American comedy musicians
American comedy writers
American film actresses
American sketch comedians
American stand-up comedians
American television actresses
American television producers
American television writers
American voice actresses
American women comedians
American women screenwriters
American women television producers
American women television writers
Best Musical or Comedy Actress Golden Globe (television) winners
Comedians from Los Angeles County
Jewish American actresses
Jewish American comedians
Jewish American comedy writers
Jewish American female comedians
Jewish American screenwriters
Jewish American songwriters
Jewish women singers
Mira Costa High School alumni
People from Manhattan Beach, California
People with obsessive–compulsive disorder
Primetime Emmy Award winners
Screenwriters from California
Singers from Los Angeles
Songwriters from California
Television producers from California
Tisch School of the Arts alumni
Upright Citizens Brigade Theater performers
Writers from Los Angeles |
The Atlantic is a one-design keelboat, designed by Starling Burgess in 1928. It is a 30-foot open-cockpit day sailer, typically used for day racing, rather than for overnight or ocean races. In the years following its design, fleets were established in several US ports along the eastern seaboard.
Today, the Atlantic is raced primarily in Long Island Sound and in coastal Maine, and boats are distributed among five fleets, with a total of approximately 50 boats in present use.
Production
The design has been built by Cape Cod Shipbuilding and Seafarer Yachts in the United States, as well as by Abeking & Rasmussen in Bremen, Germany.
Design
In 1928, Starling Burgess, then a well-known naval architect age 50, decided to try to design and establish a one-design sailboat that would be raced in fleets along the eastern seaboard of the United States. Working with German boat yard Abeking & Rasmussen, he designed a prototype which he showed to yacht clubs along the east coast. The initial cost of the boat was $1800, below that of competing boats.
The Atlantic is a racing keelboat, with early examples built predominantly of wood and later ones from fiberglass, with wood trim. It has a fractional sloop rig; a raked stem; a raised counter, angled transom; an open cockpit with no cabin; a keel-mounted rudder controlled by a tiller and a fixed fin keel. It displaces and carries of ballast.
The boat has a draft of with the standard keel and a hull speed of .
Operational history
The boat is supported by an active class club that organizes racing events, the Atlantic Class Association.
In 1930, there were 99 Atlantics, sailing in 13 fleets along Long Island Sound, the south shore of Long Island, Narragansett Bay, and Maine.
Three Atlantic sailors went on to win as skippers on America's Cup boats: Briggs Cunningham, Bus Mosbacher, and Bob Bavier.
In 1953, the Atlantic Class rules committee approved a rule change that allowed the reconstruction of the plank-on-frame Atlantics using fiberglass. The conversions were to be performed by Cape Cod Shipbuilding. Twenty boats were rebuilt using fiberglass between 1956 and 1958,, and since then nearly all existing boats have been converted. In addition, fifty new Atlantics have been built using fiberglass.
The Atlantic fleet remains active; its two largest-ever Nationals (with 41 boats each) were held in 1947 and 2012.
In a 1994 review Richard Sherwood wrote, "the original boats were built of wood during the twenties, and the boat was popular on Long Island Sound, where many famous names in sailing — Cunningham, Mosbacher, Romagna, Bavier, Shields, etc. — raced the boat. Later, the wooden hulls were replaced with FRP, with the original keels, spars, rudder and rigging transferred to the new hulls, Beginning in 1962, the boat was built totally new. A few boats have been modified for cruising and have a small deckhouse, with a Vee berth, a sink, and a head. "
Fleets
Cedar Point Yacht Club (YC) - 18 boats
Cold Spring Harbor YC - 9 boats
Kollegewidgwok YC - 21 boats
Niantic Bay YC - 9 boats
References
Sailing yachts
Keelboats
1920s sailboat type designs
Sailboat type designs by American designers
Sailboat types built by Abeking & Rasmussen
Sailboat types built by Cape Cod Shipbuilding
Sailboat types built by Seafarer Yachts |
The Tablelands Folk Festival, the sometime 'Yungaburra Folk Festival', is a music festival held in the village of Yungaburra, in north Queensland, Australia. The first ever "Festival of the Tableland", was held in Herberton on 8 May and 9 May 1981. It then moved to Yungaburra in 1982, where it has been held ever since. Various individuals and groups – including locals, the Cairns Folk Club and the Townsville Folk Club – ran the Festival for the next 11 years. Since 1994, the Festival has been organised by a committee of North Queenslanders.
The festival celebrates world-wide folk traditions through music, storytelling, circus, dance, and crafts, and features musicians, dancers, circus and fire artists, comedians and festival performers. Yungaburra is surrounded by World Heritage rainforests, lakes, waterfalls and Queensland's tallest mountain, Mount Bartle Frere.
Festival Name Change
From 2010, the festival will be called: Tablelands Folk Festival.
This development means the festival celebrates its 30th anniversary in 2010 with the first Folk Festival held on the Tablelands in 1981 at Herberton.
The Festival was called the Tablelands Folk Festival (TFF) for 21 years, the name was then changed to Yungaburra Folk Festival (YFF) for 8 years. The membership voted to return to the former name in February 2010.
The members of TFF Assn. Inc. have always been the organising team behind the Yungaburra Folk Festival. The TFF Members' post-festival analysis and plenary session of November 2007 led to an awareness of the need to plan for the longer term, within the TFF Objects and Mission Statement.
This development allows for future events at locations around the Tablelands region, and provides an avenue to umbrella periodic events, showcase performances, bush dances or other festivals. Confusion amongst the public was apparent in 2009, with the Yungaburra Folk Festival presenting the Thursday night anniversary concert at Herberton. The change of name will alleviate such issues.
External links
Yungaburra Folk Festival website
Tablelands Folk Festival website
Tablelands Folk Festival and Children's Parade photographs, State Library of Queensland. Photographs of the 2019 Festival
Folk festivals in Australia
Music festivals in Queensland
1981 establishments in Australia
Tourist attractions in Far North Queensland
Music festivals established in 1981 |
The Royal Order of the Crown () was a Prussian order of chivalry. Instituted in 1861 as an honour equal in rank to the Order of the Red Eagle, membership could only be conferred upon commissioned officers (or civilians of approximately equivalent status), but there was a medal associated with the order which could be earned by non-commissioned officers and enlisted men.
Officially the Order of the Red Eagle and the Order of the Crown were equal. Most officials did however prefer to be appointed in the older Order of the Red Eagle. The Order of the Crown was often used as an award for someone who had to be rewarded while the Prussian government did not want to use the Order of the Red Eagle.
Classes
The Order had six classes:
Grand Cross – wore the Grand Cross badge on a sash on the right shoulder, plus the star on the left chest;
1st Class – wore the badge on a sash on the right shoulder, plus the star on the left chest;
2nd Class – wore the badge on a necklet, plus the star on the left chest;
3rd Class – wore the badge on a ribbon on the left chest;
4th Class – wore the badge on a ribbon on the left chest;
Medal – wore the medal on a ribbon on the left chest.
Insignia
The badge of the Order for the 1st to 4th classes was a gilt cross pattée, with white enamel (except for the 4th Class, which was plain). The obverse gilt central disc bore the crown of Prussia, surrounded by a blue enamel ring bearing the motto of the German Empire Gott Mit Uns (God With Us). The reverse gilt disc has the Prussian royal monogram, surrounded by a blue enamel ring with the date 18 October 1861.
The star of the Order was (for Grand Cross) a gilt eight-pointed star, (for 1st Class) a silver eight-pointed star, or (for 2nd Class) a silver four-pointed star, all with straight rays. The gilt central disc again bore the crown of Prussia, surrounded by a blue enamel ring bearing the motto Gott Mit Uns.
The ribbon of the Order was blue.
The insignias of the order could be awarded in dozens of variations. For example with superimposed Cross of Geneva (Red Cross – normally given to doctors for meritorious service), with swords and with oak leaves.
List of Knights
The following lists show a fair cross section of individuals who were known to be conferred membership of the Order in its several classes, in order of precedence. (The following is only a partial list and may expand over time, with further research.)
Adolf von Deines 3rd Class, 19 September 1883
Sir Christopher George Francis Maurice Cradock
Sofanor Parra, Chilean officer who was sent to Germany in 1900 as a military attaché. He obtained the Royal Star of the Order of the Crown.
Mustafa Kemal Atatürk – 1st Class.
Count Léo d'Ursel
Count Charles John d'Oultremont, Knight Grand Cross.
Ernst von Bibra – 3rd Class 1869
Gen. Flaviano Paliza – 2nd Class 1899
Robert James Lindsay VC KCB, 1st and last Baron Wantage of Lockinge – 3rd Class with Cross of Geneva (Following Franco-Prussian War awarded for work with British National Society for Aid to the Sick and Wounded in War)
Friedrich Wilhelm von Lindeiner-Wildau – 4th Class with Swords
Karl Ledderhose – 3rd Class, 1 October 1864; 2nd Class, 1877; with Star, 17 September 1884
Eugen Landau – 3rd Class 1899
Victor Spencer, Baron Churchill – 1st class, 1899 – in connection with the visit of Emperor Wilhelm II to the United Kingdom.
Major-General Sir John McNeill – 1st class, 1899 – in connection with the visit of Emperor Wilhelm II to the United Kingdom.
Sir James Reid, 1st Baronet – 2nd class 1901
Lieutenant-Colonel Sir James Grierson, British Military Attaché at Berlin – 1st class 1901 (previously 2nd class in 1899 in connection with the visit of Emperor Wilhelm II to the United Kingdom)
Sir William Carington, Comptroller and Treasurer to the Prince of Wales – 2nd class, with star, January 1902 – during the visit to Berlin of the Prince for the birthday of Emperor Wilhelm II
Sir Charles Cust, Equerry to the Prince of Wales – 2nd class, January 1902 – during the visit to Berlin of the Prince for the birthday of Emperor Wilhelm II
Lieutenant-Colonel James Robert Johnstone – 2nd class, May 1902 – in recognition of his services in China during the Boxer Rebellion.
Major-General Sir Ian Hamilton, British Military Secretary – invested 1st class in September 1902 – when he visited Prussia for German Army maneuvers.
Oswald Freiherr von Richthofen, Secretary of Foreign Affairs, 1st class, December 1902
Maharaja Jagatjit Singh of Kapurthala – 1st class, 1911
Doctor William H. Welch – 1911
General Leutnant Friedrich Fahnert 4th class with Swords, German General of Luftwaffe Signals.
References
Crown (Prussia), Order of the
Kingdom of Prussia
Awards established in 1861
1861 establishments in Prussia |
Taejo Wang Geon () is a 2000 Korean historical period drama. Directed by Kim Jong-sun and starring Choi Soo-jong in the title role of King Taejo. The drama aired from April 1, 2000, to February 24, 2002, in 200 episodes. The scene dealing with the end of Gungye (the 120th episode) gained a lot of popularity, recording the highest viewership rating of 60.4% in the metropolitan area.
Cast
Main
Choi Soo-jong as King Taejo (Wang Geon)
Oh Hyun-chul as young Wang Geon
Kim Yeong-cheol as Gung Ye
Maeng Se-chang as young Gung Ye
Kim Hye-ri as Queen Kang Yeon Hwa
Jung Hoo as young Yeon Hwa
Seo In-seok as Gyeon Hwon
Supporting
Park Sang-ah as Empress Shin Hye of the Yoo clan, Wang Geon's first wife
Yum Jung-ah as Empress Jang Hwa of the Oh clan, Wang Geon's second wife
Jeon Mi-seon as Empress Shin Myung Sun Sung of the Yoo clan, Wang Geon's third wife
Ahn Jung-hoon as Wang Mu (son of Jang Hwa, future Emperor Hyejong)
Kim Kap-soo as Jong Gan
Jeon Moo-song as Choi Seung Woo
Kim In-tae as Ahjitae
Jung Jin as Neung Whan
Kim Sung-kyum as Ajagae
Lee Mi-ji as Ajagae's wife
Shin Goo as Wang Ryung, (father of Wang Gun)
Seo Woo-rim as Wang Ryung's wife
Kim Hyung-il as Neung San (later renamed as Shin Sung Kyum)
Kang In-duk as Yoo Geum Pil
Kim Hak-chul as Park Sul Hee
Lee Kye-in as Ae Sul
Extended
Kim Ha-kyun as Tae Pyeong
Jung Tae-woo as Choi Eung
Kim Myung-soo as Wang Gyu
Jung Kook-jin as Wang Shik Ryum
Kil Yong-woo as Bok Ji Gyum
Lee Kwang-ki as Shin Gum (Kyun Hwon's son)
Kim Young-chan as young Shin Gum
Park Sang-jo as Eun Boo
Park Ji-young as Choi Ji Mong
Jang Hang-sun as Wang Pyung Dal
Tae Min-young as Shin Kang
No Hyun-hee as Queen Jin Sung
Choi Woon Kyo as Geum Dae (Gung Ye's subordinate general)
Song Yong-tae as Hong Yoo (Hong Sul)
Shin Dong-hoon as Bae Hyun Kyung
Kim Ki-bok as Kim Rak
Na Han-il as Byun Sa Bu ('Sa Bu' means 'master')
Park Young-mok as Ma Sa Bu
Jang Soon-gook as Jang Soo Jang ('Soo Jang' means 'captain' or 'leader', 'chief')
Lee Dae-ro as Ambassador Do Sun
Shim Woo-chang as Yeom Sang
Lee Young-ho as Yang Gum
Seo Hoo as young Yang Gum
Jun Hyun as Geum Kang
Kang Jae-il as Chu Heo Jo
Kim Si-won as General Soo Dal
Seo Young-jin as Ambassador Kyung Bo
Lee Il-woong as Oh Da Ryun
Seo Sang-shik as Na Chong Rye
Baek In-chul as Hwan Sun Gil
Choi Joo-bong as Lee Heun Am
Park Chul-ho as Ji Hwon
Suh Yoon-jae as Ok Yi
Im Byung-ki as Shin Deok
Geum Bo-ra as Mrs. Park (queen consort of Gyeon-hwon)
Jun Byung-ok as Neung Ae
Lee Jung-woong as Gong Jik
Im Hyuk-joo as Park Young Kyu
Han Jung-gook as Choi Pil
Shin Gook as Young Soon
Choi Byung-hak as Jong Hoon
Ki Jung-soo as Pa Dal
Kim Joo-young as Kim Wi Hong
Lee Byung-wook as Prince Maui
Moon Hoe-won as King Gyeong Ae
Shin Kwi-sik as King Gyeong Sun
Kim Hyo-won as Kim Hyo Jong
Yoo Byung-joon as Kim Yool
Park Tae-min as Won Geuk Yoo
Kim Bong-geun as Park Jil
Min Ji-hwan as Kim Haeng Sun
Kim Sung-ok as Kang Jang Ja ('Jang Ja' literally means 'old man', it can means 'elder')
Park Joo-ah as Mrs. Baek
Ahn Dae-yong as Monk Beom Gyo
Lee Kye-young as Yoon Shin Dal
Kang Man-hee as Jun Yi Gab
Kwon Hyuk-ho as Jun Ui Gab
Kim Ok-man as Geum Shik
Kim Jin-tae as Park Yoo
Park Sang-kyu as Kim Soon Shik
Lee Chi-woo as Yang Gil
Jo Jae-hoon as Im Choon Gil
Oh Sung-yul as Ip Jun
Jo Yong-tae as Jong Hoe
Suh Hyun-suk as Hye Jong
Kang In-ki as Yong Gum
Yun Woon-kyung as royal household nanny
Min Wook as Yoo Geung Dal
Jo In-pyo as Kim Un
Jang Seo-hee
Seo Bum-shik
Jang Jung-hee
Kim Dong-suk
Park Byung-ho
Kim Won-bae
Kim Tae-hyung
Awards
2000 KBS Drama Awards
Grand Prize (Daesang): Kim Yeong-cheol
2001 KBS Drama Awards
Grand Prize (Daesang): Choi Soo-jong
Top Excellence Award, Actor: Seo In-seok
Excellence Award, Actor: Kim Kap-soo
Excellence Award, Actress: Kim Hye-ri
Best Supporting Actor: Jung Tae-woo
Best New Actor: Lee Kwang-ki
Special Award: Taejo Wang Geon Martial Arts Team
See also
Wang-geon, the Great
References
External links
Korean Broadcasting System television dramas
Korean-language television shows
2000 South Korean television series debuts
2002 South Korean television series endings
Television series set in Goryeo
Television series set in Later Three Kingdoms
Television series set in the 10th century
Television series set in the 9th century
South Korean historical television series |
```java
package com.ctrip.xpipe.redis.checker.config.impl;
import com.ctrip.xpipe.api.codec.Codec;
import com.ctrip.xpipe.api.config.ConfigProvider;
import com.ctrip.xpipe.codec.JsonCodec;
import com.ctrip.xpipe.config.AbstractConfigBean;
import com.ctrip.xpipe.zk.ZkConfig;
import org.springframework.context.annotation.Configuration;
import java.util.Map;
import java.util.concurrent.atomic.AtomicReference;
@Configuration
public class DataCenterConfigBean extends AbstractConfigBean {
public static final String KEY_ZK_ADDRESS = "zk.address";
public static final String KEY_ZK_NAMESPACE = "zk.namespace";
public static final String KEY_METASERVERS = "metaservers";
public static final String KEY_CREDIS_SERVEICE_ADDRESS = "credis.service.address";
public static final String KEY_CREDIS_IDC_MAPPING_RULE = "credis.service.idc.mapping.rule";
public static final String KEY_CROSS_DC_LEADER_LEASE_NAME = "console.cross.dc.leader.lease.name";
public static final String KEY_CHECKER_ACK_TIMEOUT_MILLI = "checker.ack.timeout.milli";
public static final String KEY_FOUNDATION_GROUP_DC_MAP = "foundation.group.dc.map";
public static final String KEY_CONSOLE_DOMAINS = "console.domains";
public static final String KEY_BEACON_ORG_ROUTE = "beacon.org.routes";
private AtomicReference<String> zkConnection = new AtomicReference<>();
private AtomicReference<String> zkNameSpace = new AtomicReference<>();
public DataCenterConfigBean() {
super(ConfigProvider.DEFAULT.getOrCreateConfig(ConfigProvider.DATA_CENTER_CONFIG_NAME));
}
public String getZkConnectionString() {
return getProperty(KEY_ZK_ADDRESS, zkConnection.get() == null ? "127.0.0.1:2181" : zkConnection.get());
}
public String getZkNameSpace(){
return getProperty(KEY_ZK_NAMESPACE, zkNameSpace.get() == null ? ZkConfig.DEFAULT_ZK_NAMESPACE:zkNameSpace.get());
}
public Map<String,String> getMetaservers() {
String property = getProperty(KEY_METASERVERS, "{}");
return JsonCodec.INSTANCE.decode(property, Map.class);
}
public String getCredisServiceAddress() {
return getProperty(KEY_CREDIS_SERVEICE_ADDRESS, "localhost:8080");
}
public Map<String, String> getCredisIdcMappingRules() {
return Codec.DEFAULT.decode(getProperty(KEY_CREDIS_IDC_MAPPING_RULE, "{}"), Map.class);
}
public String getCrossDcLeaderLeaseName() {
return getProperty(KEY_CROSS_DC_LEADER_LEASE_NAME, "CROSS_DC_LEADER");
}
public int getCheckerAckTimeoutMilli() {
return getIntProperty(KEY_CHECKER_ACK_TIMEOUT_MILLI, 60000);
}
public Map<String, String> getGroupDcMap() {
String mappingRule = getProperty(KEY_FOUNDATION_GROUP_DC_MAP, "{}");
return JsonCodec.INSTANCE.decode(mappingRule, Map.class);
}
public Map<String, String> getConsoleDomains() {
String property = getProperty(KEY_CONSOLE_DOMAINS, "{}");
return JsonCodec.INSTANCE.decode(property, Map.class);
}
public String getBeaconOrgRoutes() {
return getProperty(KEY_BEACON_ORG_ROUTE, "[]");
}
}
``` |
"Home of the Brave" is the ending phrase from the United States national anthem "The Star-Spangled Banner". It may refer to:
Film
Home of the Brave (1949 film), a film directed by Mark Robson
Home of the Brave (1985 film), a documentary directed by Helena Solberg
Home of the Brave (1986 film), a concert film featuring and directed by Laurie Anderson
"Home of the Brave", a season eight episode of TV series Walker, Texas Ranger
Home of the Brave (2004 film), a documentary directed by Paola di Florio
Home of the Brave (2006 film), a film starring Samuel L. Jackson, 50 Cent, and Billy Michael
Music
"Home of the Brave" (song), a 1965 song by Jody Miller
Home of the Brave (album), a corresponding 1965 album of the same name
Home of the Brave, a 1994 album by folk rock band Black 47
Home of the Brave (soundtrack), a soundtrack album for the 1986 film of same name
"Home of the Brave", a song by Lou Reed from the album Legendary Hearts
"Home of the Brave", a song by The Nails from the 1984 album Mood Swing
"Home of the Brave", a song by Spiritualized from the album Ladies and Gentlemen We Are Floating in Space
"Home of the Brave", a song by Gigolo Aunts from the album Tales from the Vinegar Side
"Home of the Brave", a song by Toto from the album The Seventh One
"Home of the Brave", a song by White Ring from the 2018 album Gate of Grief
"This Is the Home of the Brave", the national anthem of the Islamic Emirate of Afghanistan
Other uses
Home of the Brave (play), a play by Arthur Laurents
Home of the Brave (radio program), an American radio program broadcast on CBS |
Camp Bling was a UK-based road protest camp set up in Southend-on-Sea, Essex during September 2005 to obstruct a £25 million plan to widen the Priory Crescent section of the A1159 road over the Royal Saxon tomb in Prittlewell. In April 2009 the authority announced that plans to build the road had been abandoned and the camp was disbanded in July 2009.
History
In 2004 Southend-on-Sea Borough Council proposed the 'Priory Crescent road widening scheme' and a public inquiry was held. The council proceeded with the scheme, estimated at £25 million, explaining that it was important to Southend and that a democratic decision had been taken after considering opposing views. During early excavations, an Anglo-Saxon king's burial chamber was discovered which was described by British archaeologists as "the most spectacular discovery of its kind made during the past 60 years".
The widening of the road would have resulted in the felling of 111 trees and a loss of of public green space. 20,000 signatories completed petitions against the road.
Of those responding to the official Winter 2001 Civic News survey, only 16 people were in favour of the proposals from a delivery area covering all Southend households.
On 23 April 2009 at a meeting with the council the authority told the protesters that the road widening scheme had been abandoned, and the protesters agreed to leave within 3 months.
The camp
The camp was situated between a main road and a railway line. The site consisted of a large communal area, a visitors centre and several personal dwellings. All buildings were made from re-cycled materials. The communal area featured seating, heating and a bookcase. The buildings were heated by wood burning fires and run off donated wood. Water was collected on a daily basis. Food was cooked on a calor gas oven and there was a composting toilet. A wind generator provided some of the evening lighting.
See also
Royal saxon tomb in Prittlewell
References
External links
Freedom of information request
Road fighting is not dead! In England anyway
Anti-road protest
Transport in Southend-on-Sea
Buildings and structures in Essex |
Pluty may refer to the following places:
Pluty, Gmina Paprotnia in Masovian Voivodeship (east-central Poland)
Pluty, Podlaskie Voivodeship (north-east Poland)
Pluty, Subcarpathian Voivodeship (south-east Poland)
Pluty, Gmina Wiśniew in Masovian Voivodeship (east-central Poland)
Pluty, Greater Poland Voivodeship (west-central Poland)
Pluty, Warmian-Masurian Voivodeship (north Poland)
Pluty, West Pomeranian Voivodeship (north-west Poland) |
Tlacojalpan is a municipality in the Mexican state of Veracruz, about from the state capital Xalapa. It has a surface of 91.30 km2. It is located at .
Name
The name comes from the language Náhuatl, Tlahco-xal-pan; that means “In the half of the sandbank".
Geography
The municipality of Tlacojalpan is delimited to the north by Cosamaloapan, to the east by Tuxtilla, to the south by Oaxaca State and to the west by Otatitlán. It is watered by creeks that are tributaries of the Papaloapan River.
The weather in Tlacojalpan is very warm and wet all year with rains in summer and autumn.
Agriculture
It produces principally maize, beans, rice, sugarcane and mango.
Celebrations
In Tlacojalpan, in January takes place the celebration in honor to San Cristobal, Patron of the town, and in December takes place the celebration in honor to Virgen de Guadalupe.
References
External links
Municipal Official webpage
Municipal Official Information
Municipalities of Veracruz |
```ruby
# typed: strict
# frozen_string_literal: true
require "extend/os/linux/dev-cmd/update-test" if OS.linux?
``` |
Ghulam Dastagir Shaida ( Dari استاد غلام دستگیر شیدا ) Ustad Ghulam Dastagir (1916–1970) was an Afghan singer and musician. Ustad Shaida was born in the Kharabat neighborhood of Kabul, home of Kabul musicians who sung in classical Indian tradition. Ustad Shaida is considered as one of the great Ustads of Afghan classical music along with Ustad Sarahang and Ustad Rahim Bakhsh. His unique voice and style of singing resulted in fellow Kharabat musicians bestowing upon him the title of Shaida, which in Sufi tradition means one who has sacrificed himself for divine love.
His father Haji Afzal was a musician as well and played the Rubab, he also traveled quite often to India for business. During one of these trips he enrolled young Shaida to take lessons from Ustad Ghulam Hossein. Shaida traveled back to India in 1948 and begun taking lessons from Ustad Abdul Wahab Khan.
After Shaida's return from India and his popularity amongst musicians and public, he was awarded the title of "Ustad" (maestro) from Ministry of culture.
Ustad Shaida died of his injuries after a car accident in the outskirts of Kabul, 22 April 1970. His buried in Kabul.
Afghan musicians
Afghan Tajik people
1916 births
1970 deaths |
Pinocchio is a 2012 Italian animated film directed by Enzo D'Alò. It is based on the 1883 novel The Adventures of Pinocchio by Carlo Collodi. The film had a budget of about €8 million. It was screened out of competition at the 70th Venice International Film Festival.
The original score was composed by Lucio Dalla, and includes songs performed by Leda Battisti and Nada. The vocal cast of the film includes Rocco Papaleo, Maurizio Micheli, Paolo Ruffini, Andy Luotto, and Lucio Dalla.
An English dub was made in Canada the same year, and it was released in the United Kingdom by Koch Media on 4 November 2013 (as Pinocchio - The Adventures of Pinocchio) and in Australia and New Zealand by Rialto Distribution. It was released in the United States by Lionsgate Home Entertainment on 10 April 2018, with some characters re-dubbed by celebrities.
Plot
In a small village in Tuscany, the poor carpenter Geppetto decides to forge a wooden puppet naming it Pinocchio. Pinocchio, however, starts running all over the city, sowing weeds between one street and another, until he is stopped by two carabinieri. When Pinocchio refuses to go home, the carabinieri, hearing people think that Geppetto is probably violent with the puppet, arrest him and let go of Pinocchio. Ignoring warnings from a talking cricket, who Pinocchio silences with a hammer, Pinocchio goes home, and dreams of his life as a vagabond who he intends to do. When Geppetto returns, the next morning, Pinocchio, having burned off his feet, agrees to behave well and to start going to school.
To allow him to study, Geppetto sells his tunic for the abbey, but Pinocchio, instead of going to school, sells the book to attend a puppet show. Also living, the puppets invite Pinocchio to the stage, angering Fire-Eater, who first intends to burn him but then changes his mind and gives him gold coins, after learning about Geppetto, and sends him home escorted by his employees, the Fox and the Cat, who trick him into taking the money, telling him about the Fields of Miracles, where coins sprout in trees of money.
After a night at an inn, Pinocchio strolls out, again ignoring the Cricket, only to be pursued by the Cat and the Fox posing as bandits who hang him for his money. A fairy with blue hair shows compassion on him and gets her servants to set him free. After some firm but fair words from the Cricket and encouragement from the Fairy, Pinocchio goes on his way to his father. But the Fox and the Cat mislead him into going with them to the Field of Miracles. After he plants them, he learns from a parrot the Fox and the Cat conned him and stole his money. He tells a gorilla chairman, only to be locked up in a prison cell. Eventually, he is released by the dog guard. After that, Pinocchio decides to be a good boy and go to school the next day, but he is stopped by some bullies who take him to the seaside. As Pinocchio gets caught by some police, he runs away from them until a dog named Alidoro falls into the sea. Showing compassion for him, Pinocchio decides to save the dog's life and swim to shore but is caught by a green fisherman who wants to eat him. However, Alidoro, showing gratefulness, saves the puppet's life. After a talk with a dove a while later, she helps him to return home, so Pinocchio climbs onto the dove's back bidding Alidoro farewell, and soon they fly off.
Pinocchio thanks the dove when they land, but soon, it starts to rain. He runs off into a warehouse where he meets Wickley, a lazy boy who's going to Amusement World. Having the urge to go, the puppet joins him and some other kids on a boat that's going to said park. When they arrive, the kids have lots of fun, and on the next day, Pinocchio and Wickley accidentally lose the group and decide to follow them. But soon, they go to a floor where they soon discover that all of the kids have turned to donkeys to make the place work. As the 2 boys find themselves turning into donkeys, Wickley is dragged off by one clown, while Pinocchio is forced to work at the circus. However, things go horribly wrong as the ringmaster finds him no use, so he orders the 2 clowns to throw him into the sea.
In the ocean, as if by magic, Pinocchio turns back into a puppet while being released from the sack but is swallowed by a sea monster swimming by. In the belly of the fish, there he finds Geppetto. He tells him that he was swallowed by the same fish while he was looking for him because there was a bad storm. And so, the 2 escape from the fish while it is sleeping with its mouth open. As the 2 see the sunrise, Pinocchio realizes that his father can't swim, so Geppetto climbs on his back. The puppet, now losing consciousness, tells his father to persevere. As soon as they reach the shore, the fairy with blue hair appears,kisses him on the head, and disappears just as the policemen and the father arrive to save him.
The next day, Pinocchio wakes up in bed to realize that he is now a real boy instead of a puppet. As he and his father laugh and sing together, they go for a walk in the village while his shirt turns back into the kite that Geppetto had when he was young. The father and son go to the village while the kite soars into the sky, ending the film.
Voice cast
Gabriele Caprio - Pinocchio
Mino Caprio - Geppetto
Carlo Valli - Grillo Parlante
Maricla Affatato - La Volpe
Maurizio Micheli - Il Gatto
Rocco Papaleo - Mangiafuoco
Lucrezia Marricchi - La Fata dai Capelli Turchini
Paolo Ruffini - Lucignolo
English dub cast
Robert Naylor - Pinocchio
Michael Rudder - Geppetto
Arthur Grosser - Talking Cricket
Sonja Ball - The Fox, Soprano, Teacher
Thor Bishopric - The Cat, Curious Man
Vlasta Vrána - Fire-Eater, The Jailer
Jennifer Suliteneau - The Fairy with Turquoise Hair
Noah Bernett - Wickley
Maria Bircher - Curious Woman, The Dove
Raphael Cohen - Gervaso, Young Geppetto
Julian D'Addario - Arturo
Richard Dumont - Punch
A.J. Henderson - Alidoro, Seller
Arthur Holden - Policeman #1, The Owl, Town Crier
Rick Jones - Harlequin, Parrot, The Judge, The Ringmaster
Richard Jutras - The Butterman
Ranee Lee - Singer at Inn
Michel Perron - Clown #1, The Innkeeper
Donovan Reiter - Clown #2, Fisherman
Terrence Scammell - Busker, Citizen, Policeman #2, Principal
Harry Standjofski - The Crow, The Green Fisherman
2018 American release:
Johnny Orlando - Pinocchio
Ambyr Childers - Trixie the Fox
Jon Heder - Leo the Cat
Reception
Common Sense Media gave the show 3 out of 5 stars, praising the animation, characters and familiar messages.
References
External links
2012 films
2012 animated films
2010s French animated films
Italian animated feature films
Belgian animated films
French animated feature films
2010s children's fantasy films
Animated Pinocchio films
Italian fantasy films
Films directed by Enzo D'Alò
Animated films set in Italy |
Almeda Sperry (1879–1957) was an American anarchist, political activist, and former prostitute. She is known for the passionate love letters she wrote to fellow anarchist Emma Goldman. The letters allude to past sexual encounters between the two women, although the extent to which Goldman may have reciprocated the romantic feelings expressed by Sperry is unknown.
Personal life
Sperry was born Almeda Sode (or Sodi) in Pennsylvania to Alsatian parents Christian Sode (or Sodi) and Barbara Treitz and married on November 26, 1902 to an Ohio machinist Fred Sperry. Together, the couple lived for most of the duration of their marriage in Pittsburgh.
Her love letters to Emma Goldman dating from 1912 reveal much about her personal life: her sexuality, contempt for men, occupation as a prostitute, and financial standing. On her sexuality, she says "I fear I never will love any man. I've seen too much and I am no fool." By the same token, she was emotionally devoted to her husband Fred. In the same letter, she spoke about her prostitution: "I have absolutely no reciprocation as far as passion is concerned for a man who pays me for sex." In her letters, however, she expressed respect for a man - one Alexander Berkman, who was also Goldman's close friend.
Scholars debate whether Sperry and Goldman had a romantic relationship since the latter did not acknowledge it in her autobiography. Sperry's letters, however, showed her romantic and sexual feelings toward Goldman.
Sperry died September 10, 1957, in Pittsburgh, Pennsylvania.
Activism
Sperry first became an activist after hearing anarchist Emma Goldman give a speech on white slavery, at least by the year 1912. She became active in union organizing and advocated to bring sex education to students in her school district. She also wrote for several radical newspapers. Her written works showed insights on her position on the oppression of women, her lesbian longings, and her inclination to follow her passions.
References
External links
"Emma Goldman Residence & 'Mother Earth' Office." New York, New York: NYC LGBT Historic Sites Project (retrieved online February 12, 2023).
1879 births
1957 deaths
American anarchists
American prostitutes
American bisexual people
Bisexual women
Bisexual prostitutes
Emma Goldman
LGBT people from Pennsylvania |
Schinia ferrisi is a moth of the family Noctuidae. It is found south-eastern Arizona and south-western New Mexico.
Adults are on wing in September.
External links
Revision of the tertia species complex
Schinia
Moths of North America
Moths described in 2004 |
Susana Myrta Ruiz Cerutti (born November 18, 1940) is an Argentinian lawyer, diplomat, and politician, who occupied the position of Minister of Foreign Affairs and Worship (canciller) during the presidency of Raúl Alfonsín, from May 26 to July 8, 1989. This made her the first woman in Argentina's history to reach the post of foreign minister. She previously served as deputy foreign minister from 1987 to 1989, when she became foreign minister and later held other positions in that Ministry. During her diplomatic career, she was also Argentinian ambassador to Switzerland, Liechtenstein and Canada.
Education and early career
Having graduated in law from the University of Buenos Aires (UBA), Ruiz Cerutti practiced her profession until her entry to the Instituto del Servicio Exterior de la Nación, from which she graduated in 1968 with a gold medal and Honors diploma.
Diplomatic career
Between 1972 and 1985, Ruiz Cerutti led or took part in several diplomatic missions that resolved the Beagle Channel dispute through papal mediation. She was Argentina's permanent representative at the United Nations and the Organization of American States (OAS), and represented Argentina in other organizations. She also headed the Argentinian delegation in negotiations with Chile over boundary issues stemming from the Laguna del Desierto incident.
After serving as legal advisor to Argentina's Foreign Ministry, in 1987 she was appointed as Secretary of State (vicanciller – "vicechancellor", Deputy Foreign Minister). In May 1989, she was appointed by President Raúl Alfonsín as Foreign Minister (canciller – "chancellor"), in place of Dante Caputo. She held that position for 6 weeks, until the inauguration of President of Carlos Menem, who appointed Domingo Cavallo as her successor on July 9.
Ruiz Cerutti then resumed the post of Secretary of State until 1991, when she was appointed as Argentine Ambassador to Switzerland: as her credentials were accepted in Liechtenstein. Later she was appointed Ambassador to Canada from 1998 to 1999. Between 1999 and 2000, she was Special Representative for Islas Malvinas (Falkland Islands) and Southern Atlantic Islands affairs, with the rank of ambassador. In November 2000, she was appointed Secretary for Foreign Policy, replacing Enrique Candioti, during the presidency of Fernando de la Rúa.
She was re-appointed Legal Adviser to the Foreign Ministry in 2001, a position she holds today. In that position, she represented Argentina in the Uruguay River pulp mill dispute when the issue was before the International Court of Justice in The Hague.
She was the candidate favored by the United Nations Security Council in November 2014 to take a place as judge at the International Court of Justice, but the General Assembly's choice of Patrick Lipton Robinson prevailed in the final vote.
Awards and recognition
For her work resolving the "Laguna del Desierto" boundary dispute with Chile, Ruiz Cerutti was awarded the Pro Ecclesia et Pontifice and the Order of St. Gregory the Great from Pope John Paul II.
She has twice won the Konex Award, in 1998 and 2008, in the "Diplomacy" category.
In April 2012, she was appointed as Honorary Member of the Argentine National Academy of Geography, lecturing on "Geography in disputes between states", bringing to bear her expertise in international law.
See also
List of ministers of foreign affairs and worship
References
Argentine people of Italian descent
Dames of St. Gregory the Great
Argentine women ambassadors
Ambassadors of Argentina to Canada
Ambassadors of Argentina to Switzerland
Female foreign ministers
Foreign ministers of Argentina
1940 births
Women government ministers of Argentina
Living people
Argentine women lawyers
20th-century Argentine lawyers
20th-century women lawyers |
The third cabinet of Alexandru Averescu was the government of Romania from 30 March 1926 to 4 June 1927.
Ministers
The ministers of the cabinet were as follows:
President of the Council of Ministers:
Gen. Alexandru Averescu (30 March 1926 - 4 June 1927)
Minister of the Interior:
Octavian Goga (30 March 1926 - 4 June 1927)
Minister of Foreign Affairs:
Ion Mitilineu (30 March 1926 - 4 June 1927)
Minister of Finance:
Ion Lapedatu (30 March 1926 - 19 March 1927)
Gen. Alexandru Averescu (19 March - 4 June 1927)
Minister of Justice:
Theodor Cudalbu (30 March 1926 - 4 June 1927)
Minister of War:
Gen. Ludovic Mircescu (30 March 1926 - 4 June 1927)
Minister of Public Works:
Petru Groza (30 March - 14 July 1926)
Constantin Meissner (14 July 1926 - 4 June 1927)
Minister of Communications:
Gen. Gheorghe Văleanu (30 March 1926 - 4 June 1927)
Minister of Industry and Commerce:
Gen. Constantin Coandă (30 March - 14 July 1926)
Mihail Berlescu (14 July 1926 - 4 June 1927)
Minister of Public Instruction:
Petre P. Negulescu (30 March - 14 July 1926)
Ion Petrovici (14 July 1926 - 4 June 1927)
Minister of Religious Affairs and the Arts:
Vasile Goldiș (30 March 1926 - 4 June 1927)
Minister of Agriculture and Property:
Constantin Garoflid (30 March 1926 - 4 June 1927)
Ministry of Labour, Social Insurance and Cooperation:
Grigore Trancu-Iași (30 March 1926 - 4 June 1927)
Minister of Public Health and Social Welfare:
Ioan Lupaș (30 March 1926 - 4 June 1927)
Minister of State (Ministers without portfolio):
Sergiu Niță (30 March 1926 - 4 June 1927)
Dori Popovici (30 March 1926 - 4 June 1927)
Ion Petrovici (30 March - 14 July 1926)
Petru Groza (30 March 1926 - 4 June 1927)
Gen. Constantin Coandă (10 August - 14 November 1926), also in charge of the interim presidency of the Council of Ministers
Gen. Ioan Rășcanu (5 January - 4 June 1927), also High Commissioner of Bessarabia and Bukovina
References
Cabinets of Romania
Cabinets established in 1926
Cabinets disestablished in 1927
1926 establishments in Romania
1927 disestablishments in Romania |
Robert G. Wright (March 31, 1926 – April 15, 2012) was an American college basketball coach. He coached Morehead State University for three seasons, and won a Kentucky high school state championship in 1961 as coach of the Ashland High School.
Wright played collegiate basketball at Marshall. After a stint in the United States Navy, Wright became a successful high school coach for Ashland and Vanceburg High School. In 1965, he left to try his hand at college coaching at Morehead State. He stayed from 1965 to 1969, accumulating a record of 58–38. His 1968–69 Eagles squad were Ohio Valley Conference co-champions with an 18–9 season record. He then left coaching to pursue a career in education.
On April 15, 2012, Wright died at the age of 86 in Pikeville, Kentucky.
References
1926 births
2012 deaths
American men's basketball coaches
American men's basketball players
Basketball coaches from Kentucky
Basketball players from Kentucky
High school basketball coaches in the United States
Marshall Thundering Herd men's basketball players
Morehead State Eagles men's basketball coaches
People from Pikeville, Kentucky
United States Navy sailors |
Edward Saggan Itta (July 5, 1945 – November 6, 2016) was an American Iñupiat politician, activist and whaling captain. Itta served as the Mayor of North Slope Borough, Alaska, the northernmost borough in the United States, for two consecutive terms from 2005 until 2011.
Early life and education
Edward Saggan Itta was born in Utqiagvik (formerly named Barrow) in July 1945 to Noah and Mollie Itta.
He grew up in a family living a traditional subsistence life of fishing and hunting for seals, walrus and whales, at camps on the tundra and sea ice.
He attended Mount Edgecumbe High School a boarding school in faraway Sitka and after graduating in 1964 trained as an electronics technician at a Cleveland school and in the U.S. Navy.
Career
Itta´s first job was in Prudhoe Bay as an oil field roustabout.
In the 1980s, he was director of the North Slope Borough, Alaska's Public Works department, spearheading modernization of North Slope villages water and sewer services and other amenities.
From 2005 until 2011 he was Mayor of North Slope Borough, for two consecutive terms. In November 2008, he was re-elected to a second term with more than 53% of the vote. He crossed political lines to meet with all sides, but took on organizations he saw as overly supportive of industry like the Arctic Slope Regional Corporation.
On November 27, 2012, President Barack Obama appointed Itta to the seven-member United States Arctic Research Commission, a federal agency which functions as the government's Arctic policy and research commission. He served on the Commission until the expiration of his term on July 29, 2015.
Itta served as the President of the Inuit Circumpolar Council of Alaska, President of the Barrow Whaling Captains Association, vice chairman of the Alaska Eskimo Whaling Commission, and a representative for Alaska on the Outer Continental Shelf Policy Committee.
Personal life and death
He was married to Elsie Hopson Itta, with whom he had two children. He died after battling cancer. As of 2023 he is survived by his older sister Brenda Itta (born November 13, 1943), an Iñupiaq activist and former legislator in the Alaska House of Representatives
References
External links
1945 births
2016 deaths
Borough assembly members in Alaska
Inupiat people
Mayors of places in Alaska
Native American mayors
People from Utqiagvik, Alaska |
The Philippine expedition was a two and a half year scientific expedition of the to the Philippine Islands. It was the longest voyage of that vessel and, after the United States Exploring Expedition, was the second longest maritime research expedition undertaken by the United States. It spanned from 1907 to 1910, and was directed by Hugh McCormick Smith, an ichthyologist and then Deputy Commissioner of the U. S. Bureau of Fisheries. The expedition collected approximately 100,000 fish specimens, although the exact number is not known.
References
Pacific expeditions
History of science and technology in the United States |
```javascript
// '/' | '*' | ',' | ':' | '+' | '-'
export const name = 'Operator';
export const structure = {
value: String
};
export function parse() {
const start = this.tokenStart;
this.next();
return {
type: 'Operator',
loc: this.getLocation(start, this.tokenStart),
value: this.substrToCursor(start)
};
}
export function generate(node) {
this.tokenize(node.value);
}
``` |
The Shinkot casket, also Bajaur reliquary of the reign of Menander, is a Buddhist reliquary from the Bajaur area in Gandhara, thought to mention the reign of the 2nd century BCE Indo-Greek king Menander I. The steatite casket is said to have contained a silver and a gold reliquary at the time of discovery, but they have been lost.
Inscription
This casket is probably the oldest known inscribed Buddhist relic casket from the area of Gandhara. One of its inscriptions, in the place of honour on the lid, mentions: Minedrasa maharajasa kaṭiasa divasa 44411, being translated as "On the 14th day of Kārtikka, in the reign of the Maharaja Minadra", the Maharaja ("Great King") Minadra in question being Menander. Menander is otherwise known from his coins, which are generally bilingual in Greek and Kharoshthi, where his Kharoshthi name is given as Menadra. On his coinage, the full title of king Menander appears as Menadrasa Maharajasa Trataresa "Saviour Great King Menander". In the Milindapanha, his name is given as Milinda.
A translation of the different fragments has been made:
The characters are very clear and without ambiguity. The "Great King Menander" segment (𐨨𐨁𐨣𐨡𐨿𐨪𐨯 𐨨𐨱𐨪𐨗𐨯, Minadrasa Maharajasa) also reads clearly. Paleographically, the shape of the letters of inscriptions C and D correspond to the period of the Indo-Scythian Northern Satraps of Taxila and Mathura in the 1st century BCE, and are lightly incised, almost only scratched, while the letters in A and B are characteristic of an earlier type, closer to the type of the Ashoka inscriptions in the Kharoshthi script, and are bold and deeply incised.
The later segments of the inscription were apparently made under the orders of Vijayamitra, king of the Apracarajas (ruled 12 BCE - 15 CE). He appears in D as Vijayamitra apracarajena, which, previously translated literally as "Vijayamitra, the King without adversaries", is now understood as "Vijayamitra, the King of the Apracas", an Indo-Scythian tribe now known from other archaeological remains from the region of Bajaur.
The authenticity of the inscription pertaining to Menander has been doubted by Harry Falk in 2005, but later upheld by Stefan Baums in his 2017 article on Gandharan inscriptions, "A framework for Gandharan chronology based on relic inscriptions".
The content of the inscriptions was fully published in 1937 in Epigraphia Indica, Vol.24, by Majumdar, who saw the casket in Calcutta, but its whereabouts are now unknown.
See also
Bimaran casket
References
Baums, Stefan, and Andrew Glass. 2002– . Catalog of Gāndhārī Texts, no. CKI 176
Sources
2nd-century BC artifacts
Archaeological discoveries in Pakistan
Bajaur District
Buddhist reliquaries
Indo-Greeks
Menander I |
Am I Being Unreasonable? is a 6-part British comedy-thriller series produced by Boffola Pictures and Lookout Point and written by, and starring, Daisy May Cooper and Selin Hizli. The series was broadcast on BBC One in the United Kingdom from 26 September 2022. The series premiered in the United States on Hulu on 11 April 2023. A second series was commissioned by the BBC in October 2022.
Synopsis
Cooper plays Nic, a mum stuck in a depressing marriage grieving a loss she can’t share with anyone. Hizli plays Jen who arrives in Nic’s life as a kindred spirit and school mum, but both are concealing secrets.
Cast
Daisy May Cooper as Nic
Selin Hizli as Jen
Lenny Rush as Ollie
Jessica Hynes as Becca
Dustin Demri-Burns as Dan
Amanda Wilkin as Suzie
David Fynn as Alex
Juliet Cowan as Viv
Samuel Bottomley as Boy
Yohanna Ephrem as Girl
Ruben Catt as Harry
Karla Crome as Lucy
Marek Larwood as Kev
Noah Carr-Kingsnorth as Dennon
Episodes
Production
The show’s title is borrowed from the Mumsnet message board of which Cooper told The Times “If you post anything on AIBU about whether you should end your marriage, they all scream ‘Leave the bastard,’ even if all he’s done is sing over the Coronation Street theme tune.” Cooper and Hizli knew each other from drama school. The show was partly improvised. Principal photography finished in February 2022. The producer is Pippa Brown and the director is Jonny Campbell. The production companies are Boffola Pictures and Lookout Point. Executive producers are Jack Thorne, Shane Allen, Jonny Campbell, Daisy May Cooper, Kate Daughton, Selin Hizl.
Filming took place in 2021 at The Bottle Yard Studios in Bristol and on location in Gloucestershire.
A second series was commissioned by the BBC in October 2022.
Broadcast
The show was first broadcast on BBC One on 23 September 2022, with all episodes being made available in the UK on the BBC iPlayer on the same day. BBC Studios have international distribution rights. The series was originally meant to begin a week earlier, but was delayed, as were many other scheduled programmes, because of the death of Queen Elizabeth II and the resulting period of mourning.
The series premiered in the United States on Hulu on 11 April 2023.
Awards
On 9 January 2023 the show received a nomination at the Comedy.co.uk Awards 2022 in the Best Comedy Drama Series category. On 23 January 2023 Cooper received a nomination for Outstanding Comedy Actress at the National Comedy Awards 2023, while Rush received a breakthrough award.
On 29 March 2023 the series won three awards at the Royal Television Society Programme Awards. Lenny Rush won the Breakthrough Award, and Performance (Male) Award, and Daisy May Cooper won the Comedy Performance (Female). The show itself was nominated for the Comedy Drama Award at the same ceremony.
Cooper was nominated for best female performance in a comedy programme, Rush for best male performance in a comedy programme, and the programme for best scripted comedy at the British Academy Television Awards, announced on 22 March 2023.
|-
| rowspan="8" |2023
| rowspan="4" |Royal Television Society Programme Awards
| Breakthrough Award
| Lenny Rush
|
|
|-
| Performance (Male)
| Lenny Rush
|
|
|-
| Comedy Performance (Female)
| Daisy May Cooper
|
|
|-
| Comedy Drama
| Am I Being Unreasonable?
|
|
|-
| rowspan="3" |British Academy Television Awards
| Female Performance In A Comedy Programme
| Daisy May Cooper
|
|
|-
| Best Scripted Comedy
| Daisy May Cooper, Selin Hizli, Jonny Campbell, Pippa Brown, Jack Thorne
|
|
|-
| Male Performance In A Comedy Programme
| Lenny Rush
|
|
|-
| British Academy Television Craft Awards
| Best Scripted Casting
| Julie Harkin
|
|
References
External links
English-language television shows
2022 British television series debuts
BBC television sitcoms
2020s British sitcoms
British thriller television series
Television series by BBC Studios |
```jsx
import { h } from 'preact';
import PropTypes from 'prop-types';
export const BasicEditor = ({ openModal }) => (
<div
data-testid="basic-editor-help"
className="crayons-card crayons-card--secondary p-4 mb-6"
>
You are currently using the basic markdown editor that uses{' '}
<a href="#frontmatter" onClick={() => openModal('frontmatterShowing')}>
Jekyll front matter
</a>
. You can also use the <em>rich+markdown</em> editor you can find in{' '}
<a href="/settings/customization">
UX settings
<svg
width="24"
height="24"
viewBox="0 0 24 24"
className="crayons-icon"
xmlns="path_to_url"
role="img"
aria-labelledby="c038a36b2512ed25db907e179ab45cfc"
aria-hidden
>
<path d="M10.667 8v1.333H7.333v7.334h7.334v-3.334H16v4a.666.666 0 01-.667.667H6.667A.666.666 0 016 17.333V8.667A.667.667 0 016.667 8h4zM18 6v5.333h-1.333V8.275l-5.196 5.196-.942-.942 5.194-5.196h-3.056V6H18z" />
</svg>
</a>
.
</div>
);
BasicEditor.propTypes = {
openModal: PropTypes.func.isRequired,
};
``` |
The Order of Public Instruction is a Portuguese order of civil merit. Established in 1927, it is conferred upon deserving individuals for "high services rendered to education and teaching."
History
Established in April 1927 as the "Order of Instruction and of Benevolence" (Ordem da Instrução e da Benemerência), the order was originally designed to reward "the services of domestic or foreign enterprises to the cause of education, and all acts of public benevolence influencing the progress and prosperity of the country." In 1929, the order was reformulated and split into two distinct orders, the "Order of Benevolence" (Ordem da Benemerência), which evolved into the present-day Order of Merit and the "Order of Public Instruction," the latter being designed to reward services rendered to the cause of education; however, the original insignia of the Order of Instruction and of Benevolence was retained by the Order of Public Instruction.
The 1962 Statute of Honorific Orders of 1962 further defined the criteria for awarding the Order of Public Instruction, namely "to reward services rendered by employees in teaching or school administration" and "services rendered by any person in the cause of education or teaching." Subsequent legislation enacted the present definition.
Grades
The Order of Public Instruction is awarded in the following grades:
Grand Cross (GCIP) (Grã-Cruz)
Grand Officer (GOIP) (Grande-Oficial)
Commander (ComIP) (Comendador)
Officer (OIP) (Oficial)
Medal (MIP) (Medalha)
Honorary Member (MHIP) (Membro Honorário)
Insignia
The plaque is eight-pointed and filleted to represent rays, in gold enamel for the degrees of Grand Cross and Grand Officer and in silver for the degree of Commander. An inner eight-pointed blue enamelled star is superimposed over the plaque and overlaid with the coat of arms of Portugal in gold wreathed by two golden palms joined at their tops with their petioles crossed and bound by a wavy listel of white enamel with the legend "Instrução Pública" in gold, all indented.
The badge consists of two crossed golden palms.
The ribbon is of golden yellow silk.
Method of wear
Grand Cross: wears the badge of the order on a sash on the right shoulder, and the plaque in gold on the left chest.
Grand Officer: wears the badge of the order on a necklet, or on a bow on the left chest for ladies, and the plaque in gold on the left chest.
Commander: wears the badge of the order on a necklet, or on a bow on the left chest for ladies, and the plaque in silver on the left chest.
Officer: wears the badge of the order on a ribbon on the left chest with a rosette, or on a bow on the left chest with rosette for ladies.
Medal: wears the badge of the order on a ribbon on the left chest, or on a bow on the left chest for ladies.
References
Orders, decorations, and medals of Portugal
1927 establishments in Portugal |
```java
Collections vs arrays
Multidimensional array declaration
Equals operation on different data types
Retrieve the component type of an array
Do not attempt comparisons with NaN
``` |
Joseph Fischhof (4 April 1804 – 28 June 1857) was a Czech-Austrian pianist, composer and professor at the Vienna Conservatory of Music, belonging to the Romantic school.
Life and career
Fischhof was born into a Jewish family in Bučovice, Moravia. He planned to become a medical doctor, but later studied music and composition under Ignaz von Seyfried, and in 1833 became Professor of Piano at the Vienna Conservatory. He was the uncle of composer Robert Fischhof.
Fischhof published a number of literary works on music and was a collector of Beethoven scores and manuscripts which became important for biographers. A copy by Jacob Hotchevar of Beethoven documents previously lost was given to him, and later became known as the Fischhof Manuscript. Notable students include George Lichtestein. Fischhof died in Vienna.
References
1804 births
1857 deaths
People from Bučovice
Czech Jews
Austrian male composers
Austrian composers
19th-century composers
Czech composers
Czech male composers
Jewish composers
Czech musicologists
19th-century Czech male musicians
19th-century musicologists |
A Sarajevo Rose is a type of memorial in Sarajevo made from concrete scar caused by a mortar shell's explosion that was later filled with red resin. Mortar rounds landing on concrete during the siege of Sarajevo created a unique fragmentation pattern that looks almost floral in arrangement, and therefore have been named "rose".
There are around 200 "roses" in the entire city, and they are marked on locations where at least three people were killed during the siege of Sarajevo.
In addition to the official marking of "roses" by the Ministry of Veterans' Affairs of Canton Sarajevo, some of them are marked or recolored by citizens themselves.
Reconstruction
Since these memorials are located on streets, through the years they have been damaged by pedestrians and vehicles, and therefore several reconstructions (in 2012, 2015 and 2018) have been done to preserve the memorials.
The Sarajevo Rose located on Markale market, where the first Markale massacre occurred, was covered with glass, but this type of protection was not practical, and therefore it is planned to protect it with a 3.2 m cone with an LED light on the top.
References
External links
Sarajevo roses | War residue as a memorial
Aftermath of war
Siege of Sarajevo
Monuments and memorials in Bosnia and Herzegovina |
The Boston College–Virginia Tech football rivalry is an American college football rivalry between the Boston College Eagles and Virginia Tech Hokies.
History
The rivalry began in 1993 with a 48–34 Boston College win in Chestnut Hill when the two teams began Big East conference round-robin play. When the two schools moved to the Atlantic Coast Conference the rivalry continued as the two schools were chosen as permanent cross-divisional rivals. The teams played twice in one season in both 2007 and 2008, as Boston College won the Atlantic division of the ACC in each of those years and Virginia Tech won the Coastal division. Although the Eagles defeated the Hokies in both the regular seasons of 2007 and 2008, Virginia Tech won the 2007 and 2008 ACC Championship Game played between the two schools. Virginia Tech leads the series 19–11.
Game results
See also
List of NCAA college football rivalry games
References
Further reading
Rivalry Blooming Between Hokies, Eagles, The Washington Post, October 16, 2008.
Boston College Eagles football
Virginia Tech Hokies football
College football rivalries in the United States |
```objective-c
//
// UIView+SDAutoLayout.h
//
// Created by gsd on 15/10/6.
//
/*
*************************************************************************
--------- INTRODUCTION ---------
USAGE:
MODE 1. >>>>>>>>>>>>>>> You can use it in this way:
Demo.sd_layout
.topSpaceToView(v1, 100)
.bottomSpaceToView(v3, 100)
.leftSpaceToView(v0, 150)
.rightSpaceToView(v2, 150);
MODE 2. >>>>>>>>>>>>>>> You can also use it in this way that is more brevity:
Demo.sd_layout.topSpaceToView(v1, 100).bottomSpaceToView(v3, 100).leftSpaceToView(v0, 150).rightSpaceToView(v2, 150);
*************************************************************************
*/
/*
*********************************************************************************
*
* bugbug
*
* QQ : 2689718696(gsdios)
* Email : gsdios@126.com
* GitHub: path_to_url
* :GSD_iOS
*
* path_to_url
* path_to_url
*
*********************************************************************************
SDAutoLayout
2.1.3
2016.07.06
*/
//
//#define SDDebugWithAssert
#import <UIKit/UIKit.h>
@class SDAutoLayoutModel, SDUIViewCategoryManager;
typedef SDAutoLayoutModel *(^MarginToView)(id viewOrViewsArray, CGFloat value);
typedef SDAutoLayoutModel *(^Margin)(CGFloat value);
typedef SDAutoLayoutModel *(^MarginEqualToView)(UIView *toView);
typedef SDAutoLayoutModel *(^WidthHeight)(CGFloat value);
typedef SDAutoLayoutModel *(^WidthHeightEqualToView)(UIView *toView, CGFloat ratioValue);
typedef SDAutoLayoutModel *(^AutoHeight)(CGFloat ratioValue);
typedef SDAutoLayoutModel *(^SameWidthHeight)();
typedef SDAutoLayoutModel *(^Offset)(CGFloat value);
typedef void (^SpaceToSuperView)(UIEdgeInsets insets);
@interface SDAutoLayoutModel : NSObject
/*
*************************************************
SpaceToView2UIViewview CGFloat
RatioToView2UIViewview CGFloat
EqualToView1UIViewview
Is1CGFloat
*****************************************************
*/
/* view */
/** view(View view, CGFloat) */
@property (nonatomic, copy, readonly) MarginToView leftSpaceToView;
/** view(View, CGFloat) */
@property (nonatomic, copy, readonly) MarginToView rightSpaceToView;
/** view(View view, CGFloat) */
@property (nonatomic, copy, readonly) MarginToView topSpaceToView;
/** view(View, CGFloat) */
@property (nonatomic, copy, readonly) MarginToView bottomSpaceToView;
/* xywidthheightcenterXcenterY */
/** x(CGFloat) */
@property (nonatomic, copy, readonly) Margin xIs;
/** y(CGFloat) */
@property (nonatomic, copy, readonly) Margin yIs;
/** centerX(CGFloat) */
@property (nonatomic, copy, readonly) Margin centerXIs;
/** centerY(CGFloat) */
@property (nonatomic, copy, readonly) Margin centerYIs;
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight widthIs;
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight heightIs;
/* */
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight maxWidthIs;
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight maxHeightIs;
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight minWidthIs;
/** (CGFloat) */
@property (nonatomic, copy, readonly) WidthHeight minHeightIs;
/* view */
/** view(View) */
@property (nonatomic, copy, readonly) MarginEqualToView leftEqualToView;
/** view(View) */
@property (nonatomic, copy, readonly) MarginEqualToView rightEqualToView;
/** view(View) */
@property (nonatomic, copy, readonly) MarginEqualToView topEqualToView;
/** view(View) */
@property (nonatomic, copy, readonly) MarginEqualToView bottomEqualToView;
/** centerXview(View) */
@property (nonatomic, copy, readonly) MarginEqualToView centerXEqualToView;
/** centerYview(View) */
@property (nonatomic, copy, readonly) MarginEqualToView centerYEqualToView;
/* view */
/** view(View, CGFloat) */
@property (nonatomic, copy, readonly) WidthHeightEqualToView widthRatioToView;
/** view(View, CGFloat) */
@property (nonatomic, copy, readonly) WidthHeightEqualToView heightRatioToView;
/** view() */
@property (nonatomic, copy, readonly) SameWidthHeight widthEqualToHeight;
/** view() */
@property (nonatomic, copy, readonly) SameWidthHeight heightEqualToWidth;
/** label0 */
@property (nonatomic, copy, readonly) AutoHeight autoHeightRatio;
/* view() */
/** UIEdgeInsetsMake(top, left, bottom, right)viewview */
@property (nonatomic, copy, readonly) SpaceToSuperView spaceToSuperView;
/** (CGFloat value)equalToViewoffset */
@property (nonatomic, copy, readonly) Offset offset;
@property (nonatomic, weak) UIView *needsAutoResizeView;
@end
#pragma mark - UIView
@interface UIView (SDAutoHeightWidth)
/** Cellview */
- (void)setupAutoHeightWithBottomView:(UIView *)bottomView bottomMargin:(CGFloat)bottomMargin;
/** view */
- (void)setupAutoWidthWithRightView:(UIView *)rightView rightMargin:(CGFloat)rightMargin;
/** CellviewviewbottomViewview */
- (void)setupAutoHeightWithBottomViewsArray:(NSArray *)bottomViewsArray bottomMargin:(CGFloat)bottomMargin;
/** viewframe */
- (void)updateLayout;
/** cellcell,cell frame */
- (void)updateLayoutWithCellContentView:(UIView *)cellContentView;
/** */
- (void)clearAutoHeigtSettings;
/** */
- (void)clearAutoWidthSettings;
@property (nonatomic) CGFloat autoHeight;
@property (nonatomic, readonly) SDUIViewCategoryManager *sd_categoryManager;
@property (nonatomic, readonly) NSMutableArray *sd_bottomViewsArray;
@property (nonatomic) CGFloat sd_bottomViewBottomMargin;
@property (nonatomic) NSArray *sd_rightViewsArray;
@property (nonatomic) CGFloat sd_rightViewRightMargin;
@end
#pragma mark - UIView block
@interface UIView (SDLayoutExtention)
/** blockviewframe */
@property (nonatomic) void (^didFinishAutoLayoutBlock)(CGRect frame);
/** view */
- (void)sd_addSubviews:(NSArray *)subviews;
/* */
/** */
@property (nonatomic, strong) NSNumber *sd_cornerRadius;
/** view */
@property (nonatomic, strong) NSNumber *sd_cornerRadiusFromWidthRatio;
/** view */
@property (nonatomic, strong) NSNumber *sd_cornerRadiusFromHeightRatio;
/** viewview */
@property (nonatomic, strong) NSArray *sd_equalWidthSubviews;
@end
#pragma mark - UIView
@interface UIView (SDAutoFlowItems)
/**
* collectionViewview
* viewsArray :
* perRowItemsCount :
* verticalMargin :
* horizontalMargin :
* vInset :
* hInset :
*/
- (void)setupAutoWidthFlowItems:(NSArray *)viewsArray withPerRowItemsCount:(NSInteger)perRowItemsCount verticalMargin:(CGFloat)verticalMargin horizontalMargin:(CGFloat)horizontalMagin verticalEdgeInset:(CGFloat)vInset horizontalEdgeInset:(CGFloat)hInset;
/** view */
- (void)clearAutoWidthFlowItemsSettings;
/**
* collectionViewview
* viewsArray :
* perRowItemsCount :
* verticalMargin :
* vInset :
* hInset :
*/
- (void)setupAutoMarginFlowItems:(NSArray *)viewsArray withPerRowItemsCount:(NSInteger)perRowItemsCount itemWidth:(CGFloat)itemWidth verticalMargin:(CGFloat)verticalMargin verticalEdgeInset:(CGFloat)vInset horizontalEdgeInset:(CGFloat)hInset;
/** view */
- (void)clearAutoMarginFlowItemsSettings;
@end
#pragma mark - UIView viewcellframe
@interface UIView (SDAutoLayout)
/** */
- (SDAutoLayoutModel *)sd_layout;
/** (view) */
- (SDAutoLayoutModel *)sd_resetLayout;
/** (view) */
- (SDAutoLayoutModel *)sd_resetNewLayout;
/** */
@property (nonatomic, getter = sd_isClosingAotuLayout) BOOL sd_closeAotuLayout;
/** view */
- (void)removeFromSuperviewAndClearAutoLayoutSettings;
/** */
- (void)sd_clearAutoLayoutSettings;
/** framecell */
- (void)sd_clearViewFrameCache;
/** subviewsframe(frame) */
- (void)sd_clearSubviewsAutoLayoutFrameCaches;
/** */
@property (nonatomic, strong) NSNumber *fixedWidth;
/** */
@property (nonatomic, strong) NSNumber *fixedHeight;
/** cell framecell, cellview */
- (void)useCellFrameCacheWithIndexPath:(NSIndexPath *)indexPath tableView:(UITableView *)tableview;
/** tableviewcellview */
@property (nonatomic) UITableView *sd_tableView;
/** cellindexPathcellcellview */
@property (nonatomic) NSIndexPath *sd_indexPath;
- (NSMutableArray *)autoLayoutModelsArray;
- (void)addAutoLayoutModel:(SDAutoLayoutModel *)model;
@property (nonatomic) SDAutoLayoutModel *ownLayoutModel;
@property (nonatomic, strong) NSNumber *sd_maxWidth;
@property (nonatomic, strong) NSNumber *autoHeightRatioValue;
@end
#pragma mark - UIScrollView
@interface UIScrollView (SDAutoContentSize)
/** scrollview */
- (void)setupAutoContentSizeWithBottomView:(UIView *)bottomView bottomMargin:(CGFloat)bottomMargin;
/** scrollview */
- (void)setupAutoContentSizeWithRightView:(UIView *)rightView rightMargin:(CGFloat)rightMargin;
@end
#pragma mark - UILabel label label
@interface UILabel (SDLabelAutoResize)
/** attributedString */
@property (nonatomic) BOOL isAttributedContent;
/** label */
- (void)setSingleLineAutoResizeWithMaxWidth:(CGFloat)maxWidth;
/** label0 */
- (void)setMaxNumberOfLinesToShow:(NSInteger)lineCount;
@end
#pragma mark - UIButton button
@interface UIButton (SDExtention)
/*
* button
* hPadding
*/
- (void)setupAutoSizeWithHorizontalPadding:(CGFloat)hPadding buttonHeight:(CGFloat)buttonHeight;
@end
#pragma mark -
@interface SDAutoLayoutModelItem : NSObject
@property (nonatomic, strong) NSNumber *value;
@property (nonatomic, weak) UIView *refView;
@property (nonatomic, assign) CGFloat offset;
@property (nonatomic, strong) NSArray *refViewsArray;
@end
@interface UIView (SDChangeFrame)
@property (nonatomic) BOOL shouldReadjustFrameBeforeStoreCache;
@property (nonatomic) CGFloat left_sd;
@property (nonatomic) CGFloat top_sd;
@property (nonatomic) CGFloat right_sd;
@property (nonatomic) CGFloat bottom_sd;
@property (nonatomic) CGFloat centerX_sd;
@property (nonatomic) CGFloat centerY_sd;
@property (nonatomic) CGFloat width_sd;
@property (nonatomic) CGFloat height_sd;
@property (nonatomic) CGPoint origin_sd;
@property (nonatomic) CGSize size_sd;
//
@property (nonatomic) CGFloat left;
@property (nonatomic) CGFloat top;
@property (nonatomic) CGFloat right;
@property (nonatomic) CGFloat bottom;
@property (nonatomic) CGFloat centerX;
@property (nonatomic) CGFloat centerY;
@property (nonatomic) CGFloat width;
@property (nonatomic) CGFloat height;
@property (nonatomic) CGPoint origin;
@property (nonatomic) CGSize size;
@end
@interface SDUIViewCategoryManager : NSObject
@property (nonatomic, strong) NSArray *rightViewsArray;
@property (nonatomic, assign) CGFloat rightViewRightMargin;
@property (nonatomic, weak) UITableView *sd_tableView;
@property (nonatomic, strong) NSIndexPath *sd_indexPath;
@property (nonatomic, assign) BOOL hasSetFrameWithCache;
@property (nonatomic) BOOL shouldReadjustFrameBeforeStoreCache;
@property (nonatomic, assign, getter = sd_isClosingAotuLayout) BOOL sd_closeAotuLayout;
/** collectionViewview */
@property (nonatomic, strong) NSArray *flowItems;
@property (nonatomic, assign) CGFloat verticalMargin;
@property (nonatomic, assign) CGFloat horizontalMargin;
@property (nonatomic, assign) NSInteger perRowItemsCount;
@property (nonatomic, assign) CGFloat lastWidth;
/** collectionViewview */
@property (nonatomic, assign) CGFloat flowItemWidth;
@property (nonatomic, assign) BOOL shouldShowAsAutoMarginViews;
@property (nonatomic) CGFloat horizontalEdgeInset;
@property (nonatomic) CGFloat verticalEdgeInset;
@end
``` |
The 1958 season of the Peruvian Primera División, the top category of Peruvian football, was played by 10 teams. The national champions were Sport Boys. At the end of the regular season (home and away matches) teams were split in 2 groups of 5 teams: top 5 played for the title and bottom 5 played for the relegation. Teams carried their regular season records and played an additional round (4 further matches).
Teams
League table
First stage
Liguilla Final
Liguilla Descenso
See also
1958 Peruvian Segunda División
External links
Peru 1958 season at RSSSF
Peruvian Football League News
Peru1
1958 in Peruvian football
Peruvian Primera División seasons |
Raoul Albert La Roche (23 February 1889 - 15 June 1965) was a Swiss banker and art collector. He was especially interested in purism and cubism and his collections have been donated to museums in Switzerland and France. His home in Paris, Maison La Roche, was designed by his friend Le Corbusier and now houses the Le Corbusier Foundation.
Early life
Raoul Albert La Roche was born on 23 February 1889, and grew up in Basel, Switzerland in a bourgeois family, very closely linked to the world of art. He was the second son of the banker Louis La Roche and Emilie Caroline Burckhardt. He studied at the School of Trading in Neuchâtel (Switzerland), and became an apprentice in the Bank of Basel, and worked in Berlin and London.
Career
In 1912, at the age of 23, La Roche moved to Paris to work for the (BSF), which became in 1917 the . He made his career there, retiring in 1954.
In 1940, during the invasion of France by the German army, he left Paris and moved to Lyon, keeping his job at the bank, until the end of the war. He returned to Paris after the war.
Links with the artistic world
In 1918, La Roche met Le Corbusier and was attracted to the purism style of painting whose foundations were laid by Le Corbusier.
In 1922, on the occasion of a trip to Venice and Vicenza (Italy) with Le Corbusier, La Roche planned to have a villa built by his friend. This project became the "Villa della Rocca" (Villa La Roche) in Paris, at the "". The villa was built in joint ownership with Le Corbusier's brother, the violinist Albert Jeanneret, and housed his collections of paintings, including works by Picasso, Braque, Fernand Léger. La Roche donated this villa to Le Corbusier for his foundation.
Death
La Roche died on 15 June 1965 in Basel. He bequeathed one-third of his collection to the Musée du Louvre, another third to his hometown (Basel), which can be seen in the Kunstmuseum Basel, and the last third to the Fondation Le Corbusier.
References
Further reading
Jacques Sbriglio, Le Corbusier: les villas la Roche-Jeanneret, éd. Fondation Le Corbusier, 1997,
La Revue des arts, vol. 3 à 4, pages 250–251, éd. Conseil des musées nationaux, 1953
Pierre Courthion, D'une palette à l'autre: mémoires d'un critique d'art, éd. Baconnière Arts, 2004,
Andrew Ayers, The Architecture of Paris: An Architectural Guide, pages 245–247, Édition Axel Menges, 2004,
Christopher Green, Art in France, 1900-1940, pages 57–58, ed. Yale University Press, 2003,
Modern Man: The Life of Le Corbusier, Architect of Tomorrow, p. 30
K. Schmidt, H. Fischer, éd., Ein Haus für den Kubismus: die Sammlung Raoul La Roche, p. 9 cat. expo. Bâle, 1998
External links
Schmidt, H. Katharina (2007) La Roche, Raoul. In Historiches Lexicon der Schweiz. (in German).
Metropolitan Museum
1889 births
1965 deaths
Swiss art collectors
Patrons of the arts
People from Basel-Landschaft
Swiss bankers |
```xml
import {Component} from "./component.js";
/**
* Set the error label when an error occur.
* @decorator
* @formio
* @property
* @schema
*/
export function ErrorLabel(message: string) {
return Component({
errorLabel: message
});
}
``` |
Universal Peace Foundation was a Palauan association football club which competed in the Palau Soccer League, the top-level league in Palau, in 2006–07, when they finished bottom of the league, losing all their games and ending with a -29 goal difference. Due to fragmentary records, it is not known how many other seasons they competed.
Players
2006/2007 Squad
References
Football clubs in Palau |
Samantha "Sam" Scowen (born 29 October 1987) is a British paracanoeist and former adaptive rower who competed at the 2012 Summer Paralympics in London. She competed in the mixed scull with partner Nick Beighton. She is currently a member GB ParaCanoe competing in the KL3 category.
History
Scowen was born in 1987, growing up in Wokingham. Born with a missing growth plate in her right leg and an under developed hip socket, Scowen has undergone intensive surgery including six leg lengthenings.
She first tried rowing in 2008 and later joined the Dorney Boat Club. She teamed up with James Roberts in the TA mixed double scull and in May 2009 they took a gold medal in the World Rowing Cup in Munich. In August 2009 she competed in the World Rowing Championships in Poland, racing in the adaptive TA mixed double where she and partner Roberts finished 5th. Despite this success, the partnership was split when a change in disability classifications meant that Roberts was no longer able to compete. With no other partner available, Scowen was unable to compete in 2010.
In 2011, rowing newcomer Captain Nick Beighton of the British Army joined Scowen as her new sporting partner. The two competed in the TA mixed Double Scull at the world cup in Munich. They finished third to take the bronze. In August Scowen travelled to Slovenia to take part in the 2011 World Rowing Championships, she and Beighton finished 6th. In 2011, she and Beighton were the first rowers to qualify for the 2012 Summer Paralympics in London. They finished fourth, on the losing end of a photo finish for the bronze medal.
References
1987 births
Living people
English female rowers
Paralympic rowers for Great Britain
Rowers at the 2012 Summer Paralympics |
The is an art museum in Tokyo's Nihonbashi district. It is located within the Mitsui Main Building, an Important Cultural Property as designated by the Japanese government.
Collection
The museum's collection includes items used in the Japanese tea ceremony as well as Eastern antiques. The museum houses more than 4,000 cultural objects, six of which have been designated by the Japanese government as National Treasures, 75 as Important Cultural Properties, and 4 as Important Art Objects (ja).
Other Central Tokyo Museums
Mitsubishi Ichigokan Museum, Tokyo
Bridgestone Museum of Art
Idemitsu Museum of Arts
See also
Mitsui family
References
External links
Mitsui Memorial Museum, Homepage
Nihonbashi, Tokyo
2005 establishments in Japan
Art museums and galleries in Tokyo
Art museums established in 2005
Buildings and structures in Chūō, Tokyo
Decorative arts museums
Mitsui |
Gomola is a surname. Notable people with the surname include:
Adam Gomola (born 1972), Polish ski mountaineer
Jan Gomola (1941–2022), Polish footballer
Roman Gomola (born 1973), Czech bobsledder
See also
Polish-language surnames |
Ochna rufescens is a species of plant in the family Ochnaceae. It is endemic to Sri Lanka.
References
Flora of Sri Lanka
rufescens
Critically endangered plants
Taxonomy articles created by Polbot |
Two Hearts (Italian: Due cuori) is a 1943 Italian romance film directed by Carlo Borghesio and starring Erzsi Simor, Károly Kovács and Osvaldo Genazzani.
It was shot at the Fert Studios in Turin. The film's sets were designed by the art director Guglielmo Borzone.
Cast
Erzsi Simor as Anna Serrati
Károly Kovács as Andrea Dalmonte
Osvaldo Genazzani as Gianni Serrati
Nino Crisman as Ruggero Berti, il fidanzato di Anna
Guglielmo Sinaz as De Marchis
Olga Vittoria Gentilli as Zia Gertrude
Ela Franceschetti as La cameriera
Ernesto Conte as L'avvocato
Domenico Grossetto
Tania Lante
Diana Mauri
Tina Santi
Felice Minotti
References
Bibliography
Poppi, Roberto. I registi: dal 1930 ai giorni nostri. Gremese Editore, 2002.
External links
Two Hearts at Variety Distribution
1943 films
Italian romance films
1940s romance films
1940s Italian-language films
Films directed by Carlo Borghesio
Italian black-and-white films
1940s Italian films |
Mexia Independent School District is a public school district based in Mexia, Texas (USA).
In addition to Mexia, the district serves the town of Tehuacana. Located in Limestone County, a very small portion of the district extends into Freestone County.
In 2009, the school district was rated "academically acceptable" by the Texas Education Agency.
Schools
Mexia High School (Grades 9-12)
Mexia Junior High (Grades 6-8)
R.Q. Sims Intermediate (Grades 3-5)
A.B. McBay Elementary (Grades PK-2)
References
External links
Mexia ISD
School districts in Limestone County, Texas
School districts in Freestone County, Texas |
```java
/*
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
*
* 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.
*/
package org.apache.carbondata.hadoop.util;
import java.io.IOException;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.Locale;
import org.apache.carbondata.core.index.IndexUtil;
import org.apache.carbondata.core.metadata.AbsoluteTableIdentifier;
import org.apache.carbondata.hadoop.api.CarbonTableInputFormat;
import org.apache.hadoop.conf.Configuration;
import org.apache.hadoop.fs.Path;
import org.apache.hadoop.mapreduce.Job;
import org.apache.hadoop.mapreduce.JobID;
import org.apache.hadoop.mapreduce.lib.input.FileInputFormat;
/**
* Utility class
*/
public class CarbonInputFormatUtil {
public static <V> CarbonTableInputFormat<V> createCarbonInputFormat(
AbsoluteTableIdentifier identifier,
Job job) throws IOException {
CarbonTableInputFormat<V> carbonInputFormat = new CarbonTableInputFormat<>();
CarbonTableInputFormat.setDatabaseName(
job.getConfiguration(), identifier.getCarbonTableIdentifier().getDatabaseName());
CarbonTableInputFormat.setTableName(
job.getConfiguration(), identifier.getCarbonTableIdentifier().getTableName());
FileInputFormat.addInputPath(job, new Path(identifier.getTablePath()));
setIndexJobIfConfigured(job.getConfiguration());
return carbonInputFormat;
}
/**
* This method set IndexJob if configured
*/
public static void setIndexJobIfConfigured(Configuration conf) throws IOException {
String className = "org.apache.carbondata.indexserver.EmbeddedIndexJob";
IndexUtil.setIndexJob(conf, IndexUtil.createIndexJob(className));
}
public static String createJobTrackerID() {
return new SimpleDateFormat("yyyyMMddHHmmss", Locale.US).format(new Date());
}
public static JobID getJobId(int batch) {
String jobTrackerID = createJobTrackerID();
return new JobID(jobTrackerID, batch);
}
}
``` |
When the Kellys Rode is a 1934 Australian film directed by Harry Southwell about Ned Kelly.
Plot
The story of Ned Kelly and his gang. A policeman comes to arrest Dan Kelly, which results in him being shot and Ned Kelly going on the run with his gang. They rob several banks but are captured and killed at the Glenrowan Hotel.
Cast
Hay Simpson (Leslie Hay-Simpson) as Ned Kelly
John Appleton as Dan Kelly
Norman Wait as Joe Byrne
Robert Inglis as Steve Hart
Regena Somerville as Kate Kelly
Production
The film was produced by Imperial Films which was incorporated in 1933 with a capital of £20,000.
Southwell had planned to call the film The Kelly Gang, but the Commonwealth censor objected to the use of the word gang in the title.
It was filmed on location in the Megalong Valley in the Blue Mountains and in Cinesound's Studio at Rushcutter's Bay. Southwell hired a crew from Cinesound Productions.
The film is considered to be first adaptation of the Kelly story with sound.
Release
The film was forbidden from being exhibited in New South Wales for more than ten years under the ban on bushranging films. The government thought that the film glorified bushrangers, and showed the police in a bad light. The filmmakers protested but were unsuccessful. However the movie was passed, with cuts, for screening in Victoria and other states.
Critical response was unenthusiastic. The film performed poorly at the box office and only returned £750 of which £500 went to the producers.
The ban was lifted in 1942 and the film was re-released in 1948.
Leslie Hay-Simpson, a Sydney solicitor, who played Ned Kelly, was later lost at sea between Lord Howe Island and Sydney. He had been on Lord Howe Island during October 1936, acting in Mystery Island, a Paramount Pictures film directed by J. A. Lipman.
References
External links
When the Kellys Rode at IMDb
When the Kellys Rode at Oz Movies
Bushranger films
1934 films
Cultural depictions of Ned Kelly
Films shot in Australia
Australian black-and-white films
1934 Western (genre) films
Films directed by Harry Southwell |
Safet Babic (born 1981) is a German politician of Bosnian descent. He has been a candidate for the far-right National Democratic Party of Germany (NPD) in European, parliamentary, state assembly and local elections.
Babic first came to prominence at the University of Trier where, as a law student, he was active in student politics for the NPD. From June 2009 till September 2011 he was member of the Trier city council.
References
1981 births
Living people
National Democratic Party of Germany politicians
German people of Bosnia and Herzegovina descent |
John Geoffrey "Geoff" Mosley (born 14 September 1931) was executive director of the Australian Conservation Foundation from 1973 to 1986 and has had a lifelong interest in preserving wilderness. He has since been regularly elected from Victoria to the Council of the Australian Conservation Foundation as the only candidate in Victoria to receive a quota of first preference votes.
In 2005 he was made a Member of the Order of Australia in the Queen's Birthday Honours. In June, 2008 he was named as the Individual Award winner in the Australia World Environment Day 2008 Awards. In 2008, he also became the Australian director of the Centre for the Advancement of the Steady State Economy.
References
Australian environmentalists
Members of the Order of Australia
1931 births
Living people |
The first generation (Generation I) of the Pokémon franchise features the original 151 fictional species of monsters introduced to the core video game series in the 1996 Game Boy games Pocket Monsters Red and Green (known as Pokémon Red and Blue outside of Japan).
The following list details the 151 Pokémon of Generation I in order of their National Pokédex number. The first Pokémon, Bulbasaur, is number 001 and the last, Mew, is number 151. Alternate forms that result in type changes are included for convenience. Mega evolutions and regional forms are included on the pages for the generation in which they were introduced. MissingNo., a glitch, is also on this list.
Design and development
The majority of Pokémon in Generation I had relatively simple designs and were similar to real-life creatures including but not limited to: Pidgey (a pigeon), Krabby (a crab), Rattata (a rat), Ekans (a snake), Arbok (a cobra), Seel (a seal), and Dewgong (a dugong). Many Pokémon in the original games served as the base for repeating concepts later in the series.
Table of Dexes
List of Pokémon
Bulbasaur
Ivysaur
Venusaur
Charmander
Charmeleon
Charizard
Squirtle
Wartortle
Blastoise
Caterpie
Metapod
Butterfree
Weedle
Kakuna
Beedrill
Pidgey
Pidgeotto
Pidgeot
Rattata
Raticate
Spearow
Fearow
Ekans
Arbok
Pikachu
Raichu
Sandshrew
Sandslash
Nidoran♀
Nidorina
Nidoqueen
Nidoran♂
Nidorino
Nidoking
Clefairy
Clefable
Vulpix
Ninetales
Jigglypuff
Wigglytuff
Zubat
Golbat
Oddish
Gloom
Vileplume
Paras
Parasect
Venonat
Venomoth
Diglett
Dugtrio
Meowth
Persian
Psyduck
Golduck
Mankey
Primeape
Growlithe
Arcanine
Poliwag
Poliwhirl
Poliwrath
Abra
Kadabra
Alakazam
Machop
Machoke
Machamp
Bellsprout
Weepinbell
Victreebel
Tentacool
Tentacruel
Geodude
Graveler
Golem
Ponyta
Rapidash
Slowpoke
Slowbro
Magnemite
Magneton
Farfetch'd
Doduo
Dodrio
Seel
Dewgong
Grimer
Muk
Shellder
Cloyster
Gastly
Haunter
Gengar
Onix
Drowzee
Hypno
Krabby
Kingler
Voltorb
Electrode
Exeggcute
Exeggutor
Cubone
Marowak
Hitmonlee
Hitmonchan
Lickitung
Koffing
Weezing
Rhyhorn
Rhydon
Chansey
Tangela
Kangaskhan
Horsea
Seadra
Goldeen
Seaking
Staryu
Starmie
Mr. Mime
Scyther
Jynx
Electabuzz
Magmar
Pinsir
Tauros
Magikarp
Gyarados
Lapras
Ditto
Eevee
Vaporeon
Jolteon
Flareon
Porygon
Omanyte
Omastar
Kabuto
Kabutops
Aerodactyl
Snorlax
Articuno
Zapdos
Moltres
Dratini
Dragonair
Dragonite
Mewtwo
Mew
MissingNo.
Notes
References
Lists of Pokémon
Video game characters introduced in 1996 |
Jason Miller (born July 24, 1976 in Detroit, Michigan) is an American rabbi and entrepreneur. Miller is the president of Access Technology, in West Bloomfield Township, Michigan, an IT and social media marketing company.
Career
Miller attended Andover High School (Michigan), graduated from Michigan State University with a bachelor's degree in international relations and then attended the Jewish Theological Seminary where he became an ordained rabbi and earned a master's degree in education. At JTS, Miller was named the first recipient of the Gladstein Fellowship.
In addition to heading a technology company, he also is the founder and director of his own kosher certification agency, Kosher Michigan.
Along with a monthly technology column for The Detroit Jewish News, Miller blogs about the intersection of technology and Judaism for the JewishTechs.com blog, The Huffington Post, Time.com and his own blog, which launched in March 2003.
A 2011 parody on YouTube of Texas Governor Rick Perry's presidential campaign commercial which critics considered anti-gay, gave Miller international attention, with coverage in several print and online media outlets including The Washington Post, The Jewish Daily Forward, CNN, Jewish Journal, Der Spiegel Online, Miami Herald, JTA, and the USA Today.
Miller was listed as the ninth most influential person on "Jewish Twitter" by the Jewish Telegraphic Agency in 2016 and was one of ten winners of a Jewish influencer award from the National Jewish Outreach Program in January 2012. He was chosen as the Community of Excellence Young Entrepreneur of the Year by the Greater West Bloomfield Chamber of Commerce in April 2012. Miller was also cited as one of the top Jewish Twitter users by The Huffington Post and was referred to as "the most technologically savvy Jewish leader in Detroit" by the Detroit Free Press.
Works
References
External links
1976 births
Living people
American Conservative rabbis
Jewish Theological Seminary of America semikhah recipients
21st-century American rabbis |
International Organization is a quarterly peer-reviewed academic journal that covers the entire field of international affairs. It was established in 1947 and is published by Cambridge University Press on behalf of the International Organization Foundation. The editor-in-chief is Erik Voeten (Georgetown University).
International Organization is considered the leading journal in the field of International Relations, and one of the top journals in political science. In a 2005 survey of international relations scholars on "which journals publish articles that have the greatest impact" in their field, about 70% included International Organization among the 4 "top journals", ranking it first among 28 journals. According to the Journal Citation Reports, the journal has a 2017 impact factor of 4.517, ranking it 2nd out of 169 journals in the category "Political Science" and 1st out of 85 journals in the category "International Relations".
The journal was founded in 1947 by the World Peace Foundation, a philanthropic institution. In its early years, the journal focused on the United Nations, but expanded its scope over time to become a general international relations journal. The journal has been credited with helping to establish the subfield of International Political Economy within International Relations. Robert Keohane and Joseph Nye, who joined the journal in 1968, played an important role in steering the journal from scholarship focused on the UN to generalist scholarship in International Relations. Keohane and Nye broadened the definition of institution so that it did not exclusively refer to formal organizations. In the 1990s, the journal played an important role in expanding the theoretical pluralism of International relations scholarship, bringing prominence to social theories (such as rational choice and constructivism) alongside the traditional realist and liberal theoretical frameworks.
Keohane was editor of the journal from 1972 to 1980. Peter J. Katzenstein was editor of the journal from 1980 to 1986. Stephen D. Krasner was editor of the journal from 1986 to 1991. Lisa Martin is the first female editor of the journal from 2001 to 2006. The journal has been the flagship journal of International Relations since the mid-1970s.
References
External links
International relations journals
Political science journals
Academic journals established in 1947
Quarterly journals
Cambridge University Press academic journals |
```xml
import React from "react";
import { graphql } from "gatsby";
import { Layout } from "@/components/Layout";
import { Meta } from "@/components/Meta";
import { Post } from "@/components/Post";
import { useSiteMetadata } from "@/hooks";
import { Node } from "@/types";
interface Props {
data: {
markdownRemark: Node;
};
}
const PostTemplate: React.FC<Props> = ({ data: { markdownRemark } }: Props) => (
<Layout>
<Post post={markdownRemark} />
</Layout>
);
export const query = graphql`
query PostTemplate($slug: String!) {
markdownRemark(fields: { slug: { eq: $slug } }) {
id
html
fields {
slug
tagSlugs
}
frontmatter {
date
description
tags
title
socialImage {
publicURL
}
}
}
}
`;
export const Head: React.FC<Props> = ({ data }) => {
const { title, subtitle, url } = useSiteMetadata();
const {
frontmatter: {
title: postTitle,
description: postDescription = "",
socialImage,
},
} = data.markdownRemark;
const description = postDescription || subtitle;
const image = socialImage?.publicURL && url.concat(socialImage?.publicURL);
return (
<Meta
title={`${postTitle} - ${title}`}
description={description}
image={image}
/>
);
};
export default PostTemplate;
``` |
Roslagstull Hospital ( Swedish: Roslagstulls sjukhus) is a former isolation hospital in Stockholm, situated in the Royal National City Park close to Roslagstull in the northern part of the inner city. The hospital was founded in 1893 as Stockholms epidemisjukhus and closed in 1992. Six of the former hospital buildings were preserved. Today, most of the former hospital area and preserved buildings have been incorporated into the AlbaNova university centre which is jointly operated by Stockholm University and KTH.
History
The City of Stockholm operated an isolation hospital in Katarina kronobränneri in Södermalm since the 1820s, but developments in medicine created a need for more suitable buildings. The City Council voted on 28 March 1890 to build a new isolation hospital on the Albano Hill north or the city, which was found to be sufficiently isolated from the city proper. The buildings were arranged into symmetrical rows, designed by city architect Per Emanuel Werming and opened on 18 September 1893.
The hospital was initially designed to accommodate 175 patients, but was extended several times over the course of the years. In 1907, the hospital had an administration building with apartments for staff, a kitchen building, ten separate wards where every ward was designed to operate independently, with separate staff and equipment, an observation ward, laundry, desinfection and drying facilities, morgue, stables, desinfection reservoir and a night guard house.
The hospital was in operation from 1893 to 1992. It was mainly used for patients with infectious diseases such as diphteria, scarlet fever, smallpox, typhoid fever and cholera. In the 1980s the hospital was also used to treat the first AIDS patients in Sweden.
The name Stockholms epidemisjukhus was changed to Roslagstulls sjukhus in 1966. After the closing in 1992 some of the original hospital buildings were preserved. Most of the former hospital area is presently in use by AlbaNova University Centre, opened in 2001, which is jointly operated by Stockholm University and KTH. Some new buildings have also been erected since the hospital closing, including the AlbaNova main building by architect Henning Larsen. Presently the area is also home to the Nordita research institute, the science education centre Vetenskapens Hus, the senior care facility Kattrumpstullen 5 and the Engelska Skolan Norr independent school.
The former hospital area was used in the 1990s and early 2000s as a filming location for Evil Ed and Beck – Sista vittnet.
References
Hospitals in Stockholm
Hospitals established in 1893
Hospitals disestablished in 1992
Defunct hospitals in Sweden |
Keng L. Siau is a Professor working as the Head of the Department of Information Systems and Chair Professor of Information Systems at the City University of Hong Kong.
Education
Siau earned a Bachelor of Science degree in computer science and Master of Science in information science from the National University of Singapore. He earned a Doctor of Business Administration from the University of British Columbia in 1996.
Career
Siau previously worked at the University of Nebraska–Lincoln, where he was the Edwin J. Faulkner Chair Professor and a full professor of management. He joined the Missouri University of Science and Technology in June 2012 and has since worked as chair of the university's Department of Business and Information Technology, prior to his joining the City University of Hong Kong in 2021. Siau is editor-in-chief of the Journal of Database Management.
References
Living people
National University of Singapore alumni
University of British Columbia alumni
Academic staff of the City University of Hong Kong
University of Nebraska–Lincoln faculty
Missouri University of Science and Technology faculty
Year of birth missing (living people) |
Dichomeris oxycarpa is a moth in the family Gelechiidae. It was described by Edward Meyrick in 1935. It is found in China (Hong Kong, Hainan) and Taiwan.
The wingspan is 17–19 mm. The forewings are usually greyish green, but range from dark to pale greenish. There is a costal blotch at the middle with a somewhat rounded posterior margin.
References
Moths described in 1935
oxycarpa |
Francis Stewart, 5th Earl of Bothwell (c. December 1562 – November 1612) was Commendator of Kelso Abbey and Coldingham Priory, a Privy Counsellor and Lord High Admiral of Scotland. He was a notorious conspirator, who led several uprisings against King James VI and died in poverty, in Italy, after being banished from Scotland. Francis was the first cousin of King James VI of Scotland (they were both grandsons of James V of Scotland). Francis's maternal uncle James Hepburn, 4th Earl of Bothwell was the chief suspect in the murder of James VI's father Henry Stuart, Lord Darnley.
Family
Francis Stewart was a son of John Stewart, Prior of Coldingham (d. 1563), who was an illegitimate child of James V of Scotland by his mistress Elizabeth Carmichael. Francis' mother was Jane Hepburn, Mistress of Caithness, Lady Morham (d. 1599), sister of James Hepburn, 1st Duke of Orkney and 4th Earl of Bothwell. Francis is said to have been born in his mother's tower house at Morham.
In 1565 Mary, Queen of Scots gave Francis a set of red serge bed curtains. When Mary was pregnant in 1566 she made a will bequeathing her jewels. If she had died in childbed, Francis would have received several sets of gold buttons and aiglets, and a slice of unicorn horn mounted on silver chain, used to test for poison.
Commendator, earl, and student
Regardless of his youth, in December 1564 he was made Lord Badenoch and Enzie, and in 1566 he was appointed (nominal) Commendator of Culross Abbey. He was, before 1568, Commendator of Kelso Abbey in Roxburghshire, which position he had exchanged with John Maitland, 1st Lord Maitland of Thirlestane in place of the offer of Coldingham Priory which Maitland then held until his forfeiture in 1570. Some historians give Sir Alexander Home as Maitland's successor; he in fact declined to accept his appointment, and Priory charters record Francis Stewart as the next Commendator. Francis was succeeded as Prior of Coldingham by his second son, John.
On 10 January 1568 Francis was confirmed in the lands and baronies formerly held by the Earls of Bothwell. These included; Hailes, Yester, Dunsyre, Morham, Crichton, Wilton, Bothwell and many others in the sheriffdoms of Edinburgh, Roxburgh, Lanark, Dumfries, and Berwick, and the Stewartries of Annandale and Kirkcudbright.
A letter of Marie Pieris, Lady Seton to Mary, Queen of Scots mentioned that Francis was "at the Schools, and in good health" in August 1570. His sister Christine was in the king's household at Stirling Castle, but another sister (who is less well-documented) had been sent away by Annabell Murray, Countess of Mar.
Francis was 'belted' as earl Bothwell by his cousin, James VI, in the Great Hall of Stirling Castle on 27 November 1577, in the presence of his guardian, James Douglas, 4th Earl of Morton, four days before his marriage to Margaret Douglas, formerly Lady Buccleuch and daughter of the Earl of Angus in Holyrood Abbey. Francis studied at the University of St Andrews before travelling in 1578 to the Universities of Paris and Rouen (and, possibly, also in Italy). Recalled to Scotland by the king, he landed at Newhaven in June 1582.
Feuds and military affairs
On 29 May 1583, the King, against the advice of Gowrie and the other Lords of the 'Ruthven Raid', who had controlled him for the past nine months, left Edinburgh, progressing first to Linlithgow Palace, accompanied by the Earls of Mar, Angus, Bothwell, and Marischal. At Linlithgow, Bothwell played football with the Earl Marischal. Bothwell knocked him over, then he kicked Bothwell on the leg. They decided to fight a duel the next day, but the Earl of Angus and the king, James VI, reconciled them. After this, Bothwell returned to Crichton.
Bothwell quarreled with David Home of Manderston at Linlithgow Palace in November 1583. He killed him in 1584, and 23 October 1584 he wrote from Crichton Castle to Sir Patrick Vans of Barnbarroch asking him to meet him at Dalkeith and support him at his trial in Edinburgh. He also fought with Alexander Home, Prior of Coldingham, and his brother in the Canongate near Holyrood Palace in November 1583.
On 13 May 1585, Bothwell, with others, was commissioned to assist the Warden of the Scottish Marches dealing with rebels. In June 1586 Bothwell was one of three Commissioners appointed by James VI to conclude a military alliance pact between the English and Scottish Crowns, which was formally concluded on 5 July. He quarrelled with William Stewart of Monkton and then they fought on Blackfriar's Wynd. Bothwell stabbed him with his rapier, and Stewart tried to hide in a cellar, where Bothwell's men "stobbed him with whingers till he was despatched".
The following year Bothwell and other nobles felt that the beheading of James VI's mother Queen Mary, should result in an invasion of England, a course of action the king disagreed with. Bothwell was warded for a time in Edinburgh Castle for his activities in trying to advance this course of action.
On 10 May 1587 Bothwell and other nobles protested their innocence over a raid on Stirling Castle in November 1585. The king accepted their oaths and declared them to be his "honest and true servants".
Francis, Earl Bothwell swore an obligation in Council on 8 July 1587, as Keeper of Liddesdale, to keep the peace there, and on 29 July he was made a full member of the Privy Council of Scotland – a body he had been attending since at least 1582.
One of the honours he received with his earldom was that of Lord High Admiral of Scotland, and on 1 August 1588, he was ordered "to attend upon his awne charge of admirallitie" in order to resist the Spanish Armada.
He remained active at sea, and on 12 November of the same year Frederick Freis, master of the Swedish ship Unicorn brought an action in the Scottish Privy Council against the Earl Bothwell for the seizure of his ship. The Council ordered Bothwell to restore the ship to Freis within 24 hours.
Bothwell was imprisoned in Holyrood Palace in May 1589, and called to James VI who was in the garden for his release. The king ignored him, and he was transferred to Blackness Castle and Tantallon Castle. Bothwell was so angry that he beat his wife or any of his servants who came near him. In 1589 an English pirate called Captain Coupland stole one of Bothwell's ships or barques, and sold its cannon at Bridlington and Great Yarmouth.
Outlaw and exile
Bothwell, with others, including the Earl of Huntly, was charged with treason for engaging in an armed uprising and plotting to seize the king at Holyroodhouse. He surrendered himself on 11 May 1589 and their trial took place on 24 May. All were found guilty, but sentences were deferred for the king's consideration.
In January 1591 he was reported to have bought the Isle of May and to be building a house near Kelso not far from the English border. This may refer to the repair of Moss Tower at Eckford.
Witchcraft accusations
Bothwell was arrested on witchcraft accusations on 15 April 1591. Charged with trying to arrange the king's death through sorcery, he was imprisoned in Edinburgh Castle on 15 April 1591. These allegations arose through the events of the marriage of James VI to Anne of Denmark in September 1589. She had been expected to sail from Denmark but was prevented by storms three times. The Danish admiral Peder Munk attributed the storms to witchcraft. The same weather caused an accident in the river Forth drowning Jane Kennedy who James had appointed to be chief of Anne's ladies-in-waiting. James then asked Bothwell, as Admiral of Scotland, to prepare a fleet to fetch Anne. Bothwell's estimate of the costs involved was high and James decided to raise funds and make the voyage himself.
Bothwell remained in Scotland and was given a share of the government. Subsequently, in November 1590 those accused of witchcraft in North Berwick were tortured and made confessions about causing the storms by magic. The historian Christina Larner proposed that the character of the witch hunt with the "demonic pact" which featured in the confessions was influenced by Danish practice. In July 1590 a number of so-called witches had been arrested in the Copenhagen witch trials in Denmark including Anna Koldings for causing the storms. One of the Scottish accused, Agnes Sampson, according to James Melville of Halhill, claimed the devil had shown her a picture of James VI saying he should be "consumed at the instance of a noble man Francis Erle Bodowell." Another, Ritchie Graham, confessed and insisted he had conspired with the earl, leading to his arrest in April 1591.
Outlaw
Francis broke out of the castle on 22 June 1591, while the king was away at the wedding of Lilias Murray and John Grant of Freuchie at Tullibardine, and headed south. He was convinced that the Chancellor, John Maitland of Thirlestane, was behind his accusation. He was proclaimed an outlaw three days later. James VI gave his lands and offices and the castles of Crichton and Hailes to the Duke of Lennox. Anne of Denmark tried to intercede for Bothwell, but found the king so "moved", so angry with those who had requested her intervention that she dropped the issue. Bothwell spent his days at Crichton but hid at night in woods and other places. One of his chief confederates Archibald Wauchope of Niddry abandoned him.
In July 1591 William Hunter sent news to William Cecil of the search for the rebel earl. James VI had gone Kelso but there was news of Bothwell at Aberdeen. Hunter wrote, "Mirrie companyouns say atte thair wyne that all our trubillis ar bott tryfills to gett moir gowld frome Ingland, and thay seik my Loird Boithwell whear thay knaw he is nott, for Aberdene is neir fowr scoir mylis derrect north frome Edinburgh and Kellso is twenty eight mylis derrect sowth frome Edinburgh" - Merry companions say at their wine that all our troubles are but trifles to get more gold from England, and they seek my Lord Bothwell where they know he is not, for Aberdeen is near four score miles direct north from Edinburgh and Kelso is twenty eight miles direct south from Edinburgh.
An English observer wrote of rumours that Bothwell had practiced with witches in some unlawful matter between him and Anne of Denmark, which had made him odious to the king. Bothwell was thought to be in Leith on 18 October, where his wife was staying, and the king hunted for him. James Sandilands captured his servant Robert Scott, brother of the Laird of Balwearie and Valentine, the earl's best horse, but the earl could not be found.
On 27 December Bothwell broke into Holyroodhouse attempting to seek reconciliation, or as his opponents claimed, trying to assassinate James and Anne. The twins Patrick and John Schaw were killed trying to defend the king. Some of his supporters were captured, including David Cunningham of Robertland, and some sentenced to death. Anne of Denmark pleaded with James VI for their lives, especially for John Naysmyth.
Reports of Bothwell at Morham, his mother's tower house, and Coldingham resulted in the King leading a party from Holyroodhouse on 13 January 1592 to apprehend him. However the King's horse threw him into a pool of water, from which a local yeoman had to rescue him "by the necke", and the chase was abandoned. Early in 1592, Bothwell addressed a letter to the clergy of Edinburgh, indignantly disowning the witchcraft charges. On 7 April the King again went in pursuit of Bothwell, crossing the Forth to travel north, Bothwell having been heard of in Dundee, and the Privy Council of Scotland denounced Ross of Balnagown, the Master of Gray and his brother Robert, and others, for assisting Bothwell.
Raid of Falkland
When the Parliament of Scotland met on 5 June 1592 for the first time after nearly five years and the Privy Council was reconstituted, a Proclamation was issued denuding Bothwell of honours, titles, and lands. On 28 June, between one and two o'clock in the morning, Bothwell, leading 300 others, attempted to capture Falkland Palace and the king. Forewarned, the king and queen and his immediate courtiers withdrew to the tower and locked it from within. Bothwell gave up and left with the horses from the royal stables. The English border reiver Richie Graham of Brackenhill and his companions sacked the Falkland town, taking horses, clothing, and money. On 29 and 30 June proclamations were issued for Bothwell's pursuit and the arrest of his accomplices, including James Scott of Balwearie, Martine of Cardone, and Lumsden of Airdrie.
Fugitive
Certain Borders lairds were ordered in June to assemble for his pursuit and were joined by the King himself on 6 July. They did not find the fugitive and the pursuit was finally abandoned on 7 August, but the Crown obtained possession of all his houses and strengths. Several of Bothwell's supporters were locked up including the Earl Marischal, Lord Home, Sinclair of Roslin and John Wemyss of Logie.
On 13 July 1592 a new warrant was issued against Bothwell's supporters in the Borders, including Walter Scott of Harden and Dryhope and John Pennycuik of that Ilk. On 14 September, the Privy Council ordered an armed muster to attend the King into Teviotdale in pursuit of Bothwell's supporters. The king left Edinburgh for Dalkeith on 9 October and thereafter proceeded to Jedburgh. However little or nothing was achieved in the expedition. October saw a new round of Cautions issued by the Privy Council to supposed supporters of Bothwell.
On 20 November 1592, the Countess of Bothwell was forbidden by decree to be in the King's presence and "none allowed to contenance her". A warrant was subsequently issued by the Edinburgh magistrates for her arrest, with numerous other "adherents of Bothwell still lingering about the town". In January 1593 Bothwell was in the north of England where he had a good reception, which much annoyed James VI. James wrote to Queen Elizabeth I on 7 June to ensure Bothwell's return to Scotland. He complained that Bothwell had been seen in public at a race meeting at Carter Moor near Ponteland, boasting of receiving financial support from Elizabeth, and was known to have stayed with William Fenwick at Wallington.
Forfeiture
Bothwell was formally attainted by Act of Parliament, dated 21 July 1593. However, on Tuesday, 24 July, the Earl helped by Marie Ruthven, Countess of Atholl smuggled himself into Holyroodhouse and forced himself at last into the King's presence, in his bedchamber. It was said that Bothwell hid behind the tapestry or hangings until the best moment. Soon numerous Bothwell supporters also entered the room. The Provost of Edinburgh, Alexander Home of North Berwick came to the palace to help, but the king said things were fine. The king accepted Bothwell's protestations of loyalty and an agreement for his pardon was reached. (It received the Royal, and other signatures on 14 August). So, just five days after his forfeiture, Bothwell and his accomplices received a blanket Act of Remission and Condonation.
Bothwell rode to Durham on 2 August 1593, meeting Sir William Reed at Berwick-upon-Tweed on the way. He spoke to the Dean of Durham, Tobias Matthew, and described his recent adventure in Holyrood House. He said he had 1,000 soldiers in his pay in Edinburgh.
On Friday, 10 August, a formal trial (described by Spottiswoode as "a farce") of Bothwell was entered into on the old witchcraft charges in order to deal with them once and for all. The depositions of the Ritchie Graham were read out, that he advised Bothwell to poison the king, or burn his effigy in wax, or enchant the king to stay in Denmark in 1590. Bothwell made speeches and other argument on his own behalf, and blamed his enemies Sir George Home and Sir John Carmichael. He was acquitted. The English ambassador Robert Bowes described how on 15 August 1593 James VI and the Earl of Bothwell enjoyed a particularly Scottish form of banquet involving "small provisions of delicates having spice [sweet]meat and wines, of no great matter or value" at the Shore of Leith before the king embarked in a ferry boat for Kinghorn and Falkland Palace. Bothwell conveyed the queen, Anne of Denmark, to Falkland the next day, and he gave the king two English horses and a dozen hounds.
The King, however, was not yet finished, and when the Convention of Estates met at Stirling on 7 September he conspired with those opposed to Bothwell to recall his pardon and Royal messengers went to meet Bothwell on the 11th, at Linlithgow, with the news that the king proposed to modify his blanket pardon, and added a condition that Bothwell would have to go into exile. He went first to Crichton, then to Jedburgh.
It was thought at first that Bothwell had not taken this badly and would comply, but feeling betrayed he soon returned to his old ways and in the first days of October his partisans, the Earls of Atholl, Montrose, and Gowrie, had been seen in arms in the vicinity of Linlithgow. It is not clear whether Bothwell was with them. However a warrant was issued against Bothwell, and others, on 11 October. Failing to appear they were denounced rebels on the 25th. Bothwell had gone to Carlisle Castle and was received by Thomas Scrope.
The Privy Council issued a Proclamation for a muster at Stirling for the pursuit of Bothwell on 2 April 1594, following a collision between the King's forces and Bothwell's in the fields between Edinburgh and Leith, near Arthur's Seat, called in some books The Raid of Leith. There was not much bloodshed, the king remaining at the Burgh Muir, with Bothwell retiring to Dalkeith en route again to the Scottish Borders. Many thought had Bothwell pressed home he would have been the victor and had a warm welcome from the citizens of Edinburgh, as his Protestant cause was gaining popularity.
In April 1594 James VI sent Edward Bruce and James Colville of Easter Wemyss to London to complain about "secret intelligence" which had passed between the ambassador Lord Zouche and the rebel Earl of Bothwell. James VI wrote to the Earl of Essex asking for his support.
In May 1594 Bothwell was in Northumberland and he heard that Jacob Kroger had stolen jewels from Anne of Denmark. Bothwell found Kroger at Edward Delaval's house near North Shields and took some of the jewels, hoping to use them to bargain his way back into the king's favour. The Bailiff of Shields preventing him taking Kroger and his companion Guillaume Martyn back to Scotland. Bothwell seems to have spent some time in Scotland, at Hermitage Castle in these months. In July John Carey, an English officer at Berwick, heard that Bothwell had entered into a truce, arranged by Anne of Denmark's intercession, until after the baptism of Prince Henry. In August Joachim von Bassewitz, the ambassador of the Duke of Mecklenburg, (who was Anne of Denmark's grandfather), offered to speak with the English ambassador Robert Bowes on Bothwell's behalf, but Bowes declined.
As a result of his poverty and lack of support, Bothwell had no option left to him but to change religious sides. A new Privy Council proclamation against him, dated 30 September 1594, states that he had "thrown off the cloik of religioun" (meaning Presbyterianism) and openly allied himself in a new confederacy against the king with the Roman Catholic Lords Huntly, Angus, Errol, and others. The king proceeded north against them. The confederacy collapsed and Huntly and Errol agreed to go abroad.
Exile and death
The king's pardon being revoked, another formal sentence of treason was proclaimed against Bothwell on 18 February 1595, the day of the execution of his half-brother, Hercules Stewart. Hercules supported his brother, but was captured, along with another person, by John Colville and William Hume, who promised them their lives. However, they were hanged "in spite of much popular sympathy, at the Market Place of Edinburgh."
Till April 1595 Bothwell continued to lurk about Caithness and Orkney but eventually embarked for France landing at Newhaven in Normandy. On 6 May 1595 Thomas Edmondes reported that he was in Paris and had reported himself to the king, Henry IV seeking help. James VI upon hearing this sent a special messenger to Henry IV asking for Bothwell to be banished from France, but the request was declined. After several months Bothwell left for Spain. Between 1598 and 1600 it was rumoured he visited London from Gravelines or Dieppe. James VI heard he was in London with John Colville in August 1598 but did not believe it. Walter Raleigh advised Robert Cecil that Elizabeth should detain Bothwell. Raleigh wrote that Bothwell "will ever be the canker of her estate and safety."
In February 1602 a rumour circulated that he had left Spain for the Low Countries and was trying to bribe Colonel Edmond or Captain William Brog, (who were said to be rivals in emulation), with their Scottish soldiers, to join the Spanish service. In June 1602 there was a rumour that Sir George Home and Sir Thomas Erskine wanted to recall him to Scotland to strengthen their faction, and that one of the Bothwell's daughters, who was "a very gallant lady", would marry the young Earl of Morton. These rumours or plans came to nothing. In July 1602 a marriage was contracted for Anna Home, the daughter of Sir George Home, and Sir James Home of Whitrig, Bothwell's nephew, and again it was thought that Bothwell himself might be restored.
Bothwell lived in poverty in Naples where he died in November 1612. The English ambassador in Venice, Dudley Carleton, reported that Bothwell died at Naples after hearing news of the death of Henry Frederick, Prince of Wales, whom he had hoped would restore his fortune. The Spanish Viceroy of Naples, Pedro Fernández de Castro y Andrade arranged a lavish funeral for the Scottish earl.
Marriage and family
On 1 December 1577, Francis, Earl Bothwell married Margaret Douglas (d. 1640), daughter of David Douglas, 7th Earl of Angus, and widow of Sir Walter Scott of Branxholme & Buccleuch (d. 1574). Initially, after a brief honeymoon, the new earl was not permitted to come within twenty miles of his new wife 'for reassone of his youngnes'.
James VI made a proclamation against Margaret Douglas for her support of her husband in November 1592. She was said to be "a griter mellair", to have had more involvement in her husband's treasons, "than became a woman".
They had at least four sons and four daughters:
Francis Stewart, Lord Bothwell and Commendator of Kelso Abbey (b. 1584). His baptism was celebrated by a banquet in Edinburgh, attended by James VI. After his father's death, in spite of the attainder, he was occasionally styled 'Earl Bothwell', and Lord Stewart and Bothwell. Upon his marriage to Isobel Seton, daughter of the Earl of Winton, he obtained a rehabilitation under the Great Seal of Scotland, 30 July 1614, but reserving the rights of those who had been granted his father's forfeited lands. (The rehabilitation was not formally ratified by Parliament until 1633). In 1630 he was 'absent from the country'. He finally obtained recovery, by decreet arbitral of Charles I, of part of the family estates, which he then sold to the Winton family. He lived in straitened circumstances, in 1637 petitioning King Charles 1st to be made Printer to the King in Ireland for 51 years. When he died his Testament-Dative was given in by his creditors at Edinburgh on 21 April 1640. His eldest son, generally called Charles (b. 1617), fought in the Civil War, but is said to have died in England after the Battle of Worcester in 1651, and on 26 November 1656, his brother Robert was cited as the heir to their father's debts when the barony of Coldingham was acquired by the Home of Renton family. He appears to have died without issue, and their unmarried sister was regarded as the last of the line.
John (2nd son), the last Commendator of Coldingham Priory and 1st secular feudal Baron of Coldingham. On 16 June 1622 he transferred the barony to his elder brother, Francis. John was still living in April 1636, and apparently into the 1650s, when he is mentioned by Sir John Scott of Scotstarvet in The Staggering State of the Scottish Statesman. but he seems to have been dead by 1656, when a grandson named Francis was described as his heir in the transaction at Coldingham mentioned above. John Stewart had a daughter Margaret who married Sir John Home, Lord Renton, who was the actual beneficiary of the transaction; their descendants are described as the heirs-general of the Earls of Bothwell. John Stewart of Coldingham is also identified as the father of Francis Stewart of Coldingham, "grandson of the Earl of Bothwell", who became a trooper in the Scottish Life Guards after the Restoration, gained a captain's commission in the Scots Greys, and commanded the left wing at the Battle of Bothwell Brig in 1679, and died around 1683. There seems little evidence to confirm this identification, however, and it is possible that this was the cavalryman son of the titular 6th Earl, who is called "Francis" by Scott of Scotstarvet.
Frederick, (3rd son) (b. 1594) mentioned in the Privy Council Registers in 1612 (vol. ix, p. 498).
Henry (Harry), (4th son) (b. 1594?) signed many documents with his elder brothers, and who, in 1627, consented to a lease. Possibly twin with Frederick.
Elizabeth (b. 1590) (eldest daughter) was baptised at Holyroodhouse on 1 March 1590. The English diplomat Robert Bowes gave a gift of a silver ewer and basin worth £100, made in Edinburgh by the silversmith Thomas Foulis, and Bowes also gave rewards to the nurse, midwives, musicians and servants in Bothwell's household. Bowes asked Francis Walsingham to make arrangements for credit in London for these diplomatic gifts. Elizabeth Stewart wife of James Stewart, 2nd Earl of Moray was witness for Queen Elizabeth. In July 1602 it was rumoured she would marry the "young Earl of Morton".<ref>Calendar State Papers Scotland, 13:2 (Edinburgh, 1969), p. 1013 no. 823.</ref> She married James, Master of Cranstoun (appears to have been banished in 1610); they were the parents of William Cranstoun, 3rd Lord Cranstoun.Anderson, William, The Scottish Nation, vol. 3 (Edinburgh, 1867), p. 697
Helen, married John Macfarlane of that Ilk.
Jean (d. after 1624) married Robert Elliot of Redheugh.
Margaret, married Alan Cathcart, 5th Lord Cathcart, a son of Alan Cathcart, 4th Lord Cathcart (1537-1618).
Theatrical depiction
Francis Stewart is depicted as a major character in the plays Jamie the Saxt (1936) by Robert McLellan, and The Burning (1971) by Stewart Conn. Both plays deal with the period of his conflict, as outlaw and rebel, with King James VI in the early 1590s.
ReferencesThe Peerage of Scotland, &c., published by Peter Brown, Edinburgh, 1834, p. 174.The Royal Families of England Scotland and Wales, with their descendants etc., by John and John Bernard Burke, London, 1848, volume 1, pedigree CXXXIX.The Register of the Privy Council of Scotland, edited by David Masson, LL.D., vols. IV & V, 1585–1592, 1592–1599, Edinburgh, 1881/1882, see index for two columns of Bothwell references in both editions.Scottish Kings, a Revised Chronology of Scottish History, 1005 - 1625 by Sir Archibald H. Dunbar, Bart., Edinburgh, 1899, p. 239.The Scots' Peerage'' by Sir James Balfour Paul, Edinburgh, 1905, vol. ii, pp. 169–171.
1562 births
1612 deaths
Nobility from East Lothian
University of Paris alumni
Francis
Scottish soldiers
Earls of Bothwell
Lord High Admirals of Scotland
16th-century Scottish military personnel
Witchcraft in Scotland
Peers of Scotland created by James VI |
Spectrum mall may refer to:
Spectrum Mall (Chennai), a shopping mall in Chennai, India
Christown Spectrum Mall, a shopping mall in Phoenix, Arizona, United States |
Midway is an unincorporated community in Leake County, Mississippi, United States.
Geography
Midway is located on Midway Road northeast of Carthage.
References
Unincorporated communities in Leake County, Mississippi
Unincorporated communities in Mississippi |
Reis Township is a township in Polk County, Minnesota, United States. It is part of the Grand Forks-ND-MN Metropolitan Statistical Area. The population was 74 at the 2000 census.
Reis Township was organized in 1880, and named for George Reis, a pioneer settler.
Geography
According to the United States Census Bureau, the township has a total area of 34.0 square miles (88.1 km), all land.
Demographics
As of the census of 2000, there were 74 people, 33 households, and 22 families residing in the township. The population density was 2.2 people per square mile (0.8/km). There were 35 housing units at an average density of 1.0/sq mi (0.4/km). The racial makeup of the township was 100.00% White.
There were 33 households, out of which 24.2% had children under the age of 18 living with them, 57.6% were married couples living together, 6.1% had a female householder with no husband present, and 33.3% were non-families. 30.3% of all households were made up of individuals, and 15.2% had someone living alone who was 65 years of age or older. The average household size was 2.24 and the average family size was 2.82.
In the township the population was spread out, with 21.6% under the age of 18, 8.1% from 18 to 24, 20.3% from 25 to 44, 33.8% from 45 to 64, and 16.2% who were 65 years of age or older. The median age was 45 years. For every 100 females, there were 117.6 males. For every 100 females age 18 and over, there were 107.1 males.
The median income for a household in the township was $33,125, and the median income for a family was $32,917. Males had a median income of $41,250 versus $27,500 for females. The per capita income for the township was $18,261. There were no families and 5.0% of the population living below the poverty line, including no under eighteens and none of those over 64.
References
Townships in Polk County, Minnesota
Townships in Minnesota |
Kouh Kamar (, also Romanized as Kūh Kamar and Kooh Kamar; also known as Chyuchamar, Kūkamar, and Kukomar) is a village in Zonuzaq Rural District, in the Central District of Marand County, East Azerbaijan Province, Iran. At the 2006 census, its population was 861, in 182 families.
References
Populated places in Marand County |
Rudy Giuliani (full name Rudolph William Louis Giuliani) served as the 107th Mayor of New York City from January 1, 1994 until December 31, 2001.
Crime control
In Giuliani's first term as mayor the New York City Police Department, under Giuliani appointee Commissioner Bill Bratton, adopted an aggressive enforcement and deterrence strategy based on James Q. Wilson's Broken Windows research. This involved crackdowns on relatively minor offenses such as graffiti, turnstile jumping, and aggressive "squeegeemen," on the principle that this would send a message that order would be maintained and that the city would be "cleaned up."
At a forum three months into his term as mayor, Giuliani mentioned that freedom does not mean that "people can do anything they want, be anything they can be. Freedom is about the willingness of every single human being to cede to lawful authority a great deal of discretion about what you do and how you do it".
Giuliani also directed the New York City Police Department to aggressively pursue enterprises linked to organized crime, such as the Fulton Fish Market and the Javits Center on the West Side (Gambino crime family). By breaking mob control of solid waste removal, the city was able to save businesses over .
One of Bratton's first initiatives was the institution in 1994 of CompStat, a comparative statistical approach to mapping crime geographically in order to identify emerging criminal patterns and chart officer performance by quantifying apprehensions. The implementation of CompStat gave precinct commanders more power, based on the assumption that local authorities best knew their neighborhoods and thus could best determine what tactics to use to reduce crime. In turn, the gathering of statistics on specific personnel aimed to increase accountability of both commanders and officers. Critics of the system assert that it instead creates an incentive to underreport or otherwise manipulate crime data. The CompStat initiative won the 1996 Innovations in Government Award from Harvard Kennedy School.
Bratton, not Giuliani, was featured on the cover of Time Magazine in 1996. Giuliani forced Bratton out of his position after two years, in what was generally seen as a battle of two large egos in which Giuliani was unable to accept Bratton's celebrity.
Giuliani continued to highlight crime reduction and law enforcement as central missions of his mayoralty throughout both terms. These efforts were largely successful. However, concurrent with his achievements, a number of tragic cases of abuse of authority came to light, and numerous allegations of civil rights abuses were leveled against the NYPD. Giuliani's own Deputy Mayor, Rudy Washington, alleged that he had been harassed by police on several occasions. More controversial still were several police shootings of unarmed suspects, and the scandals surrounding the sexual torture of Abner Louima and the killing of Amadou Diallo. In a case less nationally publicized than those of Louima and Diallo, unarmed bar patron Patrick Dorismond was killed shortly after declining the overtures of what turned out to be an undercover officer soliciting illegal drugs. Even while hundreds of outraged New Yorkers protested, Giuliani staunchly supported the New York City Police Department, going so far as to take the unprecedented step of releasing Dorismond's "extensive criminal record" to the public, for which he came under wide criticism. While many New Yorkers accused Giuliani of racism during his terms, former mayor Ed Koch defended him as even-handedly harsh: "Blacks and Hispanics ... would say to me, 'He's a racist!' I said, 'Absolutely not, he's nasty to everybody'."
The amount of credit Giuliani deserves for the drop in the crime rate is disputed. He may have been the beneficiary of a trend already in progress. Crime rates in New York City started to drop in 1991 under previous mayor David Dinkins, three years before Giuliani took office. Under Dinkins's Safe Streets, Safe Cities program, crime in New York City decreased more dramatically and more rapidly, both in terms of actual numbers and percentage, than at any time in previous New York City history. According to investigative journalist Wayne Barrett, the rates of most crimes, including all categories of violent crime, made consecutive declines during the last 36 months of Dinkins's four-year term, ending a 30-year upward spiral. A small but significant nationwide drop in crime also preceded Giuliani's election, and continued throughout the 1990s. Two likely contributing factors to this overall decline in crime were federal funding of an additional 7,000 police officers and an improvement in the national economy. But many experts believe changing demographics were the most significant cause. Some have pointed out that during this time, murders inside the home, which could not be prevented by more police officers, decreased at the same rate as murders outside the home. Also, since the crime index is based on the FBI crime index, which is self-reported by police departments, some have alleged that crimes were shifted into categories that the FBI does not quantify.
According to some analyses, the crime rate in New York City fell even more in the 1990s and 2000s than nationwide and therefore credit should be given to a local dynamic: highly focused policing. In this view, as much as half of the reduction in crime in New York in the 1990s, and almost all in the 2000s, is due to policing. Opinions differ on how much of the credit should be given to Giuliani; to Bratton; and to the last Police Commissioner, Ray Kelly, who had previously served under Dinkins and criticized aggressive policing under Giuliani.
Among those crediting Giuliani for making New York safer were several other cities nationwide whose police departments subsequently instituted programs similar to Bratton's CompStat.
In 2005 Giuliani was reportedly nominated for a Nobel Peace Prize for his efforts to reduce crime rates in the city. The prize went instead to Mohamed ElBaradei and the IAEA for their efforts to reduce nuclear proliferation.
Gun control lawsuit
On June 20, 2000, Giuliani announced that the City of New York had filed a lawsuit against two dozen major firearm manufacturers and distributors. The ramifications of this action extended beyond the end of Giuliani's mayoralty: President Bush signed the Protection of Lawful Commerce in Arms Act in October 2005 in an effort to protect gun companies from liability. In 2006, the Tiarht Amendment was added to an appropriations bill and was signed into law. The amendment seeks to prevent ATF data from being used to sue gun companies. Despite these two legislative attempts to end the case, the case remains active.
Urban reconstruction
Following up from an initiative started with the Walt Disney Company by the Dinkins administration, and preceded by planning and eminent domain seizures that went back to the Koch administration, under Giuliani the Times Square redevelopment project saw Times Square transformed from a center for small privately owned businesses such as tourist attractions, game parlors, and peep shows, to a district where media outlets and studios, theaters, financial companies, and restaurants predominate, including MTV Studios, an ESPN Zone, and (formerly) a large Virgin Megastore and theater. A few city councilmembers voted against the reasoning that led to the change, partly because they did not want to see the sex shops dispersed to other neighborhoods.
Throughout his term, Giuliani also pursued the construction of a new sports stadium in Manhattan, a goal in which he did not succeed, though new minor league baseball stadiums opened in Brooklyn, for the Brooklyn Cyclones, and in Staten Island, for the Staten Island Yankees.
Conversely, Giuliani refused to attend the opening ceremonies for a Dinkins success, Arthur Ashe Stadium in Flushing Meadows, Queens, stating his anger with a contract that fines the city if planes from LaGuardia Airport fly over the stadium during U.S. Open matches. Giuliani boycotted the U.S. Open throughout his mayoralty. The tennis deal negotiated by the Dinkins administration, under which the City of New York receives a percentage of gross revenues from the U.S. Open, brings more economic benefit to the City of New York each year than the New York Yankees, New York Mets, New York Knicks and New York Rangers combined. New York City Mayor Michael Bloomberg proclaimed several years ago that it was "the only good athletic sports stadium deal, not just in New York but in the country."
Budget management
Mayor Giuliani inherited a deficit from his predecessor, David Dinkins. During its first term, the Giuliani administration cut taxes, cut spending, and reduced the municipal payroll, thereby closing the budget gap. These measures, combined with the upward swing of the mid-late 1990s dot-com bubble, which especially benefited New York's financial sector, resulted in greatly increased tax revenues for the city by Giuliani's second term; soon there was a budget surplus of . But city spending then rose 6.3 percent a year, above the inflation rate, and the city payroll increased again, especially for police officers and teachers.
Health care
In 2000 Giuliani initiated what the New York Post called "a massive program" to get city employees to expand the number of low-income, uninsured children and adults covered by public health entitlement programs such as Medicaid, Child Health Plus and Family Health Plan. Promoting enrollment in his HealthStat program, Giuliani said at the time that the program could be "a model for the rest of this country for how to get people covered on the available health programs."
Immigration and illegal immigration
As Mayor of New York City, Giuliani encouraged hardworking illegal immigrants to move to New York City. He said in 1994:
Some of the hardest-working and most productive people in this city are undocumented aliens. If you come here and you work hard and you happen to be in an undocumented status, you're one of the people who we want in this city. You're somebody that we want to protect, and we want you to get out from under what is often a life of being like a fugitive, which is really unfair."
In a Minneapolis speech two years later he defended his policy: "There are times when undocumented immigrants must have a substantial degree of protection." In 2000, Giuliani said of New York City, "Immigration is a very positive force for the City of New York. Immigration is the key to the city's success. Both historically and to this very day."
Giuliani also expressed doubt that the federal government can completely stop illegal immigration. Giuliani said that the Immigration and Naturalization Service "do nothing with those names but terrorize people." In 1996 he said that the new anti-illegal immigration law, as well as the Welfare Reform Act, were "inherently unfair." In 1996, Giuliani said, "I believe the anti-immigration movement in America is one of our most serious public problems." In the same year he said, "We're never, ever going to be able to totally control immigration in a country that is as large as ours." He went on to say, "If you were to totally control immigration into the United States, you might very well destroy the economy of the United States, because you'd have to inspect everything and everyone in every way possible."
Media management
After he was elected mayor, Giuliani started a weekly call-in program on WABC radio. He avoided one-on-one interviews with the press, preferring to speak to them only at press conferences or on the steps of City Hall. He made frequent appearances on the Late Show with David Letterman television show, sometimes as a guest and sometimes participating in comedy segments. In one highly publicized appearance shortly after his election, Giuliani filled a pothole in the street outside the Ed Sullivan Theater.
Giuliani was not shy about his public persona; besides Letterman he appeared on many other talk shows during his time in office, hosted Saturday Night Live in 1997 and introduced it again when the show resumed broadcasting after September 11.
Radio show
From 1994 to 2001, Giuliani hosted the Live From City Hall With Rudy Giuliani show weekly on Friday mid-days on WABC radio. The show quickly became known for Giuliani's "bullying therapist" approach to callers, and gained the second-largest audience on AM radio in its time slot.
Some of each program was devoted to discussing current city events, or to Giuliani's political philosophies. Then calls from the public were taken; many were from citizens with problems that Giuliani was sympathetic to and enlisted help for. But when Giuliani disagreed with a caller, he let them know it. While Giuliani's debate with the ferret fan described above became the show's most well-remembered exchange, there were many others, on a wide variety of topics: a complaint about handling of the Amadou Diallo case brought the Giuliani response "Either you don't read the newspapers carefully enough or you're so prejudiced and biased that you block out the truth"; a query about parking privileges for a well-to-do firm received "Well, let me give you another view of that rather than the sort of Marxist class concept that you're introducing"; a question about flag handling brought "Isn't there something more important that you want to ask me?"; and in commentary about dog owners who do not clean up after their pets, Giuliani said such people have "a whole host of other problems that play out in their personalities."
Sometimes the baiting went both ways. As depicted in the documentary Giuliani Time, Parkinson's disease patient John Hynes called Giuliani's show in January 2000 to complain about being cut off from Medicaid after paying more than $100,000 of taxes in his life before he was disabled with the disease. Hynes accused the New York City Human Resources Administration of repeatedly opening fraud investigations on him, then dropping the case for lack of evidence, only to re-open it. Hynes told Giuliani, "The biggest thing you could do to reduce crime would be to resign, sir. Crime would drop like a rock if you resigned. You're the biggest criminal in the city." Giuliani responded, "What kind of little hole are you in there, John? It sounds like you are in a little hole. JOHN! Are you okay there? You're breathing funny." Hynes replied: "No, I'm not okay. I'm sick, and you cut me off my food stamps and Medicaid several times; but I suppose you don't give a damn about that either." Giuliani replied, "There's something really wrong with you there, John. I can hear it in your voice. ... Now, why don't you stay on the line. We'll take your name and your number and we'll send you psychiatric help, 'cause you seriously need it." After Hynes hung up, Giuliani continued, "Man! Look, it's a big city, and you get some real weirdos who hang out in this city, and that's what I was worried about on, uh, New Year's Eve. I wasn't, you know – I figured, the terrorist groups and all that we could keep under control – worried, but who knows what, what's living in some cave somewhere. So, uh, and John called up. John calls up from Queens, but who knows where he's from." Hynes subsequently said, "Mr. Giuliani showed a total lack of respect for all disabled people when he mocked me after I revealed that I was sick."
Drag appearances
Giuliani was the most visible cross-dressing New York politician since Lord Cornbury and was frequently described as such in the press during his term and in assessments of his mayoralty since.
Giuliani performed in public dressed in women's clothing three times, and almost a fourth:
On March 1, 1997, at the New York Inner Circle press dinner, an annual event in which New York politicians and the press corps stage skits, roast each other and make fun of themselves, with proceeds going to charity. In his appearance he first imitated Marilyn Monroe. Then, he appeared in a spoofing stage skit "Rudy/Rudia" together with Julie Andrews, starring at the time on Broadway in the cross-dressing classic Victor Victoria (about a woman pretending to be a man pretending to be a woman). Under his drag name "Rudia" and wearing a spangled pink gown, Giuliani said he was "a Republican pretending to be a Democrat pretending to be a Republican."
On November 22, 1997, hosting Saturday Night Live, he played an Italian American grandmother in a bright floral dress during a long sketch that satirized Italian-American family rites at Thanksgiving time.
On March 11, 2000, at another Inner Circle dinner, he was on stage in male disco garb spoofing John Travolta in Saturday Night Fever, but also appeared in drag in taped video clips that reworked the "Rudy/Rudia" theme again. These included a bit in which he flirts with (normally dressed) real estate mogul (and future President of the United States) Donald Trump, then slaps Trump for trying to get too "familiar" with him, and an exchange with Joan Rivers that sought to make fun of his then-Senate race rival and fellow dinner attendee Hillary Clinton.
In October 2001, Giuliani agreed to appear in drag on the gay-themed television series Queer as Folk to raise aid money for gays and lesbians affected by the September 11 attacks, saying "If it means more money for relief funds, sure." However, the appearance never took place.
Elliot Cuker, a friend and advisor to Giuliani, told The New Yorker, "I am the one who convinced him that it would be a great idea to put him in a dress, soften him up, and help him get the gay vote."
Actions related to foreign policy
In 1995, Giuliani made national headlines by ordering PLO Chairman Yasser Arafat ejected from a Lincoln Center concert held in celebration of the 50th anniversary of the founding of the United Nations. While Giuliani called Arafat an uninvited guest, Arafat said he did hold a ticket to the invitation-only concert, which was the largest such gathering of world leaders ever held. "Maybe we should wake people up to the way this terrorist is being romanticized," Giuliani said, and noted that Arafat's Palestinianian Liberation Organization had been linked to the murder of American civilians and diplomatic personnel. President Clinton protested the ejection. The New York Times criticized Giuliani's action in an editorial, saying that Arafat had met with Jewish leaders earlier that day and held a Nobel Peace Prize: "It is fortunate that New York City does not need a foreign policy, because Mayor Rudolph Giuliani, who evicted Yasir Arafat from a city-sponsored concert for United Nations dignitaries on Monday night, clearly lacks the diplomatic touch ... The proper role of New York, as the UN's home city, is to play gracious host to all of the 140 or so world leaders present for the organization's gala 50th birthday celebrations ... In fact, he has needlessly embarrassed the city at a moment when New York's hospitality should be allowed to shine." Lawrence Rubin, executive vice chairman of the National Jewish Community Relations Council, said that Giuliani's actions were solely for political reasons and did not help the Israeli-Palestinian peace negotiations; he pointed out that Israel regularly met with the Palestinian leader in peace negotiations.
Brooklyn Museum art battle
In 1999, Giuliani threatened to cut off city funding for the Brooklyn Museum if it did not remove a number of works in an exhibit entitled "Sensation: Young British Artists from the Saatchi Collection." One work in particular, The Holy Virgin Mary by Turner Prize-winning artist Chris Ofili, featured an image of an African Virgin Mary on a canvas decorated with shaped elephant dung and pictures of female genitalia. Giuliani's position was that the museum's display of such works amounted to a government-supported attack on Christianity; the artist, who claimed to be referring to African cultural tropes, Ofili decided to say nothing. He stated "I just thought, what's the point of throwing anything out there at all? I've already done the painting and they're going to work that to mincemeat. It was this American rage. I was brought up in Britain, I don't know that level of rage. So it was easier and perhaps more interesting not to say anything. I'm still glad I didn't".
In its defense, the museum filed a lawsuit, charging Giuliani with violating the First Amendment right to freedom of speech. Religious groups such as the Catholic League for Religious and Civil Rights supported the mayor's actions, while they were condemned by groups such as the American Civil Liberties Union, accusing the mayor of censorship. The museum's lawsuit was successful; the mayor was ordered to resume funding, and the judge, Federal District Judge Nina Gershon, declared: "There is no federal constitutional issue more grave than the effort by government officials to censor works of expression and to threaten the vitality of a major cultural institution as punishment for failing to abide by governmental demands for orthodoxy."
Gay rights
During Giuliani's mayoralty, gays and lesbians in New York asked for domestic partnership rights. Giuliani in turn pushed the Democratic-controlled City Council to pass legislation providing broad protection for same-sex partners. In 1998, he signed the local law that granted all city employees equal benefits for their domestic partners. Empire State Pride Agenda, an LGBT political advocacy group, described the law as "a new national benchmark for domestic partner recognition."
September 11 attacks
Ferret ban
Giuliani vetoed a bill legalizing the ownership of ferrets as pets in the city, saying that it was akin to legalizing tigers. He sent a memorandum, "Talking Points Against the Legalization of Ferrets," to City Council members saying that ferrets should be banned just as pythons and lions are in the city. Councilman A. Gifford Miller said afterwards that Giuliani's "administration has gone out of its way to invent a ridiculous policy." The editor of Modern Ferret magazine testified that ferrets are domesticated animals that do not live in the wild and whose natural habitat is within people's homes. She argued that no case of ferrets transferring rabies to humans had ever occurred and that the legalization bill would require ferrets to be vaccinated against rabies as dogs are. She later wrote that at the public hearings proposing to ban ferrets, no citizen or veterinarian spoke against ferrets, only representatives from the Department of Health, City Council, and Mayor Giuliani himself.
David Guthartz, founder of the Society for the Prevention of Cruelty to Ferrets, called a radio show Giuliani was hosting to complain about the citywide ban. Giuliani responded:
There is something deranged about you. ... The excessive concern you have for ferrets is something you should examine with a therapist. ... There is something really, really very sad about you. ... This excessive concern with little weasels is a sickness. ... You should go consult a psychologist. ... Your compulsion about – your excessive concern with it is a sign that there is something wrong in your personality. ... You have a sickness, and I know it's hard for you to accept that. ... You need help.
Sports teams
Giuliani's son Andrew first became a familiar sight by misbehaving at Giuliani's first mayoral inauguration, then with his father, five months after the inauguration when the New York Rangers won Game 7 of the Stanley Cup Finals, as Giuliani and his son were at the game at Madison Square Garden. The Rangers' Stanley Cup win in 1994—first in 54 years—made Giuliani the first New York City mayor to witness a first New York sports team championship victory during their first year in office since Ed Koch when the New York Yankees, of which Rudy Giuliani is an enthusiastic fan, won the 1978 World Series.
Father and son were often seen at Yankees games. Giuliani has also been to games of the New York Mets as well, including their season openers in 1996, when he threw out the ceremonial first pitch along with the Governor of New York George Pataki, and in 1998, and when the Mets hosted the first professional sporting event in New York since September 11, 2001. Giuliani said about rooting for the Mets: "I'm a Yankee fan overall, but I root for the Mets in the National League, certainly against the (Philadelphia) Phillies (Mets' primary rivals)."
On May 8, 2007, The Village Voice published a feature questioning whether Giuliani might have received gifts from the New York Yankees baseball team that violated a city ordinance against receipt of gifts by public officials. The gifts possibly included tickets, souvenirs, and World Series rings from , , , and . However, the Yankees' public relations firm produced documents that the rings were sold to Giuliani for a total of $16,000 in 2003 and 2004, although this departs from usual industry practice. The article further questioned whether Giuliani properly reported these gifts or paid any necessary taxes on the gifts. The rings have been estimated to have a market value of $200,000, and the tickets to box and Legends seats a value of $120,000. Much of this information was substantiated by a subsequent May 12 New York Times report. The New York Times described Giuliani's role during his mayoral term as "First Fan" and "the team's landlord," providing the public Yankee Stadium to the franchise for a rent lower than that paid by residents of the adjacent St. Mary's public housing project.
Criticisms and controversies
Relations with the homeless
During his 1993 campaign, Giuliani proposed to drastically curtail city services for the homeless, setting a limit of 90 days for stays in shelters. Opponent Dinkins accused Giuliani of punishing the children of the homeless with the policy. This contrasted with Giuliani's campaign promise during the 1989 campaign to build hundreds of new homeless shelters around the city. Advocates for the homeless sued the mayor over an alleged failure to provide proper medical treatment to homeless children.
During the Giuliani administration, police conducted sweeps of parks and other public places to arrest homeless people and move them to shelters. Critics charged that the purpose was not to help the homeless but to remove them from sight. The pastor of Fifth Avenue Presbyterian Church, Reverend Thomas Tewell, said: "I think the police and the administration in New York were a bit embarrassed to have homeless people on the steps of a church in such an affluent area. The city said to us that it's inhumane to have people staying on the streets. And my response was that it's also inhumane to just move them along to another place or to put them in a shelter where they are going to get beat up, or abused, or harassed." The church sued the city of New York, Giuliani, and Bernard Kerik, asserting a First Amendment right to minister to the homeless on its steps.
In 1998, when the City Council overrode Giuliani's veto to change how homeless shelters were run, Giuliani served an eviction notice on five community service programs, including a program for the mentally ill, a day-care center, an elderly agency, a community board office and a civic association in favor of a homeless shelter. Giuliani asserted he specifically chose the site because it was in the district of chief bill sponsor Stephen DiBrienza. The plan came under heavy criticism, especially for the eviction of the program serving 500 mentally ill patients, and Giuliani backed down. In an editorial, The New York Times called the event a "dispiriting political vendetta" and asserted that "selecting sites [for homeless shelters] as a punishment for crossing the Mayor is outrageous."
Race relations
A well-known Harlem minister, Calvin O. Butts, who had previously supported Giuliani for re-election, said of the mayor, "I don't believe he likes black people. And I believe there's something fundamentally wrong in the way we are disregarded, the way we are mistreated, and the way our communities are being devastated. I had some hope that he was the kind of person you could deal with. I've just about lost that hope." After the minister criticized him, Giuliani diverted funds away from projects connected to him, and when Butts supported Governor George Pataki's re-election, Giuliani told Pataki he should not accept Butts' support. (Pataki did accept the endorsement.)
Giuliani said that by not dealing with black leaders, he could "accomplish more for the black community." State Comptroller H. Carl McCall, who is black, claimed that Giuliani ignored his requests to meet for years, and then met with him after the Amadou Diallo shooting "for show." Queens Congressman Gregory Meeks said that he never met or talked with Giuliani in his entire eight years in office.
Giuliani's schools chancellor, Rudy Crew, an African-American, later said, "I find his policies to be so racist and class-biased. I don't even know how I lasted three years. ... He was barren, completely emotionally barren, on the issue of race."
Giuliani has been accused of supporting racial profiling, specifically in the shooting death of Amadou Diallo, a West African immigrant, by the NYPD under his watch. Many African Americans were outraged by Patrick Dorismond's death.
Public schools
General policy goals
One of Giuliani's three major campaign promises was to fix public schools. However, he cut the public school budget in New York City by from 1994 to 1997 and trimmed the school repairs budget by , and test scores declined during his terms. His successor Michael Bloomberg later said, "Giuliani never got his hands around the school system. There is no question that it's gotten worse the last eight years, not better." Giuliani has been accused of diverting funds for school repair from poor districts to middle-class ones. A large debt left after the Giuliani administration has resulted in less money to spend on education, according to some sources.
Relations with the Board of Education
Giuliani expressed frustration with the New York City Board of Education. In April 1999, two days after the Columbine massacre, he stated that he would like to "blow up" the Board of Education. Conflict between Giuliani and schools chancellor Ramon C. Cortines over some of the mayor's proposals for public education eventually resulted in Cortines' resignation. However, the decision on the policies was not up to City Hall, but the Board of Education. In particular, Giuliani supported a for-profit privatization plan for public schools that parents voted against. Cortines and Giuliani had however been able to agree on a plan to privatize school maintenance and repair that earned praise from the New York Times.
Cortines was the first of three school chancellors, all people of color who left office during Giuliani's tenure. Cortines, Mexican-American and gay, resigned after a spat in which Giuliani told the press Cortines should not "be so precious" and called him "the little victim," terms that many later felt had a gay-baiting tone. Cortines said that Giuliani was intolerant of ideas other than his and demanded total conformity from those he worked with: "He's made it very clear that no matter what I do or say, unless I acquiesce to all of his wishes, that I am not a good manager and I am not showing good leadership."
Cortines' replacement as schools chancellor, Rudy Crew, had been a close friend of Giuliani's for years, but their relationship soured over the issue of school vouchers. Giuliani had said in his 1993 campaign that parochial school vouchers were "unconstitutional." Yet in 1999 he placed into the budget for parochial school vouchers. Crew felt that Giuliani began pressuring him to leave immediately they were on less friendly terms. The day of Crew's wife's funeral, Giuliani leaked a letter to the tabloids and Crew fielded press calls before leaving to deliver her eulogy. He later told a Giuliani biographer: "This is a maniac. On the day I was burying my wife, I have these people concocting this world of treachery. ... When Rudy sees a need to take someone out, he has a machine, a roomful of henchmen, nicking away at you, leaking crazy stories. He is not bound by the truth. I have studied animal life, and their predator/prey relations are more graceful than his." Of Giuliani's disagreement with Chancellor Crew, former Mayor Ed Koch said, "It's like his goal in life is to spear people, destroy them, to go for the jugular. Why do this to Crew? And I'm not a fan of Crew." Some speculated that Giuliani pursued the issue of vouchers at the expense of his relationship with Crew because he was looking towards an upcoming Senate run.
When the city's five-year contract with schoolteachers ran out and negotiations with the city had not yet begun, teachers' union president Randi Weingarten said that a strike was not off the table if the city did not offer a contract. Giuliani told the press that he would put Weingarten in jail if she led a strike; under New York state law, government employees could not strike. Weingarten said that she would lobby the state legislature to allow employees to strike if the government had refused to negotiate in good faith. Giuliani objected to the teachers' request for a pay raise to align their salaries with those in the suburbs. Teachers pointed out the city's then budget surplus and the number of teachers leaving the city. Giuliani called for merit pay based on student test scores, a plan which was derided by teachers as ineffective.
Opposition to federal immigration law
Giuliani was criticized for embracing illegal immigrants because of his continuation of a sanctuary city policy of preventing city employees from contacting the Immigration and Naturalization Service about immigration violations, on the grounds that illegal aliens must be able to take actions such as sending their children to school or reporting crime and violations without fear of deportation. In 1996 Giuliani sued the federal government over a new federal law (Illegal Immigration Reform and Immigrant Responsibility Act of 1996) that overturned the 1985 executive order by then mayor Ed Koch that barred government employees from turning in illegal immigrants who were trying to get government benefits from the city. He ordered city attorneys to defend this policy in federal court. His lawsuit claimed that the new federal requirement to report illegal immigrants violated the Tenth Amendment. The court ruled that New York City's sanctuary laws were illegal. After the City of New York lost an appeal to the United States Supreme Court in 2000, Giuliani vowed to ignore the law.
Role of press staff professionals
Giuliani's spokeswoman, Cristyne F. Lategano (who would later deny allegations of an affair with her boss when his wife said Lategano's relationship with him had damaged her marriage), admitted that she and her staff refused to allow the mayor to conduct interviews with reporters who she thought would not be sympathetic to his views. Some reporters alleged that she had kept information from the public with her actions. After the police spokesman, John Miller, resigned in 1995, he said that Giuliani's press office had forgotten that public information was public. Some City Hall reporters maintained they were harassed by Lategano if they wrote something she found unflattering and that she called them late at night. Giuliani defended her, saying that he did not care whether his press secretary pleased reporters, and at one point gave Lategano a higher post as communications director and a $25,000 raise during a time when his office had called a budget crisis. In one incident, Lategano called newsrooms alleging improprieties by one of previous Mayor Dinkins' appointees. The allegations were later found to be false, and reporters said that the allegations by Lategano were meant to divert attention from tax improprieties of one of Giuliani's own appointees. The New York Times wrote that the incident "put a cloud over the integrity of the Giuliani press office, if not that of the administration itself."
Jerry Nachmann of WCBS-TV said of the Giuliani staff's intrusions with the media, "I say without regret and with no remorse that as editor of The New York Post I used to torture David Dinkins every day of his life. And there were calls. But the calls were never, 'Put the Mayor on before sports and weather.'"
Giuliani was also criticized for dismissing journalists who had been appointees of the Dinkins administration. John Miller, police department spokesman, was pressured to resign after publicly disagreeing with Giuliani's cutting of his staff and replacement of police officers with civilians.
Fox News conflict of interest
In 1996, The New York Times reported that Giuliani was threatening Time Warner to get them to carry Rupert Murdoch's new Fox News Channel on their cable network. Time Warner executive Ted Turner suggested that Giuliani had a conflict of interest because his wife, the broadcaster Donna Hanover, was employed by a television station owned by Murdoch.
In the wake of the unfolding Murdoch illegal surveillance and bribery scandals erupting in the US and UK, Giuliani was among a small number of public defenders of the accused Murdoch as "a very honorable, honest man" Giuliani was described by Federal Judge Denise Cote as having violated constitutional principles in an "improper" relationship with Murdoch's Fox News, and Giuliani's wife at the time benefited significantly financially from her employment at Fox.
Civil liberties
Litigants filed several civil liberties violations lawsuits against the mayor or the city. Giuliani's administration lost 22 of 26 cases.
Some of the court cases which found the Giuliani administration to have violated First Amendment rights included actions barring public events from their previous location at the City Hall steps, not allowing taxi drivers to assemble for a protest, not allowing city workers to speak to the press without permission, barring church members from delivering an AIDS education program in a park, denying a permit for a march to object to police brutality, issuing summons and seizing literature of three workers collecting signatures to get a candidate on the presidential ballot, imposing strict licensing restrictions on sidewalk artists that were struck down by a court of appeals as a violation of artists' rights, using a 1926 cabaret law to ban dancing in bars and clubs, imposing an excessive daily fee on street musicians, imposing varying city fees for newsstand owners based on the content they sold, a case against Time Warner Cable, and an incident in which Giuliani ordered an ad for New York magazine that featured his image taken down from city buses. The ad featured a copy of the magazine with the caption, "Possibly the only good thing Rudy hasn't taken credit for."
Giuliani and his administration encountered accusations of blocking free speech arising from a lawsuit brought by Fifth Avenue Presbyterian Church for removing the homeless from the church's steps against the church's will, and during his 1993 campaign, when he criticized incumbent Mayor Dinkins for allowing Louis Farrakhan to speak in the city. After being criticized for impinging on freedom of speech, he backed down from his criticism of Dinkins.
In 1998, 1999, and 2000, Mayor Giuliani received a "Muzzle Award" from the Thomas Jefferson Center for the Protection of Free Expression in Charlottesville, Virginia. The Muzzles are "awarded as a means to draw national attention to abridgments of free speech." The 1999 award was the Center's first "Lifetime Muzzle Award," which noted he had "stifled speech and press to so unprecedented a degree, and in so many and varied forms, that simply keeping up with the city's censorious activity has proved a challenge for defenders of free expression."
More than 35 successful lawsuits were brought against Giuliani and his administration for blocking free speech. In his book Speaking Freely, First Amendment lawyer Floyd Abrams said Giuliani had an "insistence on doing the one thing that the First Amendment most clearly forbids: using the power of government to restrict or punish speech critical of government itself."
Virginia trash controversy
On January 13, 1999, Giuliani suggested a "reciprocal relationship" whereby other states such as Virginia were obligated to accept New York City's garbage in exchange for being able to visit New York City's cultural sites. Then Governor of Virginia Jim Gilmore III wrote in response, "I am offended by your suggestion that New York's substantial cultural achievements, such as they are, obligate Virginia and other states to accept your garbage." Other politicians also were upset about the proposed arrangement. Virginia State Senator William T. Bolling said, "This represents a certain arrogant attitude that is not consistent with the way we do business in Virginia." Even owners of trash repositories and other businesses that would benefit from the deal spoke against the mayor's statements, saying they gave New Yorkers and Virginians a bad name and would harm their business in the long run. One such owner, Charles H. Carter III, said, "Giuliani couldn't have said anything that could have harmed his own cause more. He is definitely not presidential material."
A month earlier, Giuliani had similarly infuriated then New Jersey Governor Christine Todd Whitman when he announced a plan to ship garbage to New Jersey without consulting her beforehand. She issued a press release saying, "Whitman to New York's Garbage Plan: Drop Dead" and said the plan was "a direct assault on the beaches of New Jersey."
The situation arose when Giuliani closed New York City's existing landfill, Fresh Kills on Staten Island, calling it an "eyesore," although it contained 20 to 30 more years' worth of space for garbage. Critics alleged that the decision was made for purely political, rather than financial or environmental reasons. Staten Island had been an important constituency in electing Giuliani to his two terms, and would again be important if he ran for the Senate in 2000.
The plan to export trash was expensive and not environmentally friendly. A year after the landfill closed, New York City's sanitation commissioner said, "Fresh Kills was really closed without an awful lot of thought, you know, if the story be told." Garbage trucks taking trash out of the city were estimated to make an extra 700,000 trips a year. The New York State attorney general's office sued the city for not properly taking the environmental effects into account. The lawsuit alleged that air pollution along Canal Street, leading to the Holland Tunnel, had increased 16% due to the plan. Mayor Bloomberg now budgets a year to barge New York City's garbage to landfills in Virginia and Ohio. In five years, the city's trash budget rose from to more than because of the garbage transfer costs. The city cut back on recycling to save money. The New York Times and Daily News have both run editorials calling for Fresh Kills to be re-opened.
See also
Political positions of Rudy Giuliani
September 11, 2001 attacks
William J. Bratton (former Police Commissioner of New York City)
Rudy Crew (former Chancellor of Public Schools)
David Dinkins (former Mayor of New York City)
Bernard Kerik (former Police Commissioner of New York City)
Howard Safir (former Police Commissioner of New York City)
Peter Vallone (former Speaker of New York City Council)
Thomas Von Essen (former Fire Commissioner of New York City)
Notes
1990s in New York City
2000s in New York City
Giuliani, Rudy
Political history of New York City
Rudy Giuliani |
The World Heritage Properties Conservation Act 1983, was an Act of the Parliament of Australia which provided for certain protections for World Heritage listed places.
The validity of the Act was considered by the High Court of Australia in Commonwealth v Tasmania, also known as the Tasmanian Dams case. That case found several provisions of the Act to be invalid, but most of its major provisions were held to be valid.
The Act was repealed in 1999, and replaced by parts of the Environment Protection and Biodiversity Conservation Act 1999.
History
The World Heritage Properties Conservation Bill was introduced on 21 April 1983, by the then Minister for Home Affairs and the Environment, Barry Cohen.
The Tasmanian Dams case (1983) revolved around the validity of the Act. The High Court of Australia was asked separate questions about the validity of:
sections 6 and 9,
sections 7 and 10,
sections 8 and 11, and
section 17.
On the first part of question, the court held that s 6(1), (2)(b) and (3) were valid, but that it was not necessary to determine the validity of the other subsections. It held that s 9(1)(h) was valid, but that the remaining subsections of s 9(1) and (2) were invalid. On the second part of the question, the court found that s 7 was valid, and that s 10(1) and (4) were valid (the other parts of s 10 being unnecessary to consider). On the third part of the question, the court held both s 8 and s 11 invalid. It held that it was not necessary to answer the fourth part.
The Act was repealed in 1999 by Schedule 6 of the Environmental Reform (Consequential Provisions) Act 1999, as part of the reforms that saw the introduction of the Environment Protection and Biodiversity Conservation Act 1999, which replaced several prior pieces of environmental legislation. It ceased to have effect on 16 July 2000.
Provisions
The core of the legislation provided for a system of proclamations: sections 9, 10 and 11 set out certain acts which were unlawful if done with respect to properties or sites to which the sections applied, and sections 6, 7 and 8 respectively allowed the Governor-General of Australia to make proclamations declaring that those sections applied to certain eligible properties or sites. The three pairs of sections were set up to make use of three different powers available under the Constitution of Australia: the external affairs power, the corporations power and the race power.
Section 6 concerned sites of natural or cultural heritage value. It allowed proclamations to be made with respect to World Heritage nominated sites, sites which Australia was otherwise obliged to protect under international law, sites that were otherwise a matter of international concern, or sites "part of the heritage distinctive of the Australian nation". These overlapping provisions were designed to touch on different aspects of the external affairs power in the Constitution of Australia, and the last of these was designed to touch on the implied nationhood power.
If the Governor-General were satisfied that a property falling under the above definitions "is being or is likely to be damaged or destroyed" then they could make a proclamation with respect to that property. Once a proclamation was made under section 6, certain acts were prohibited by section 9, including carrying out excavation works, exploratory drilling, constructing "a building or other substantial structure" and felling any trees on the site.
Section 7 was far broader than section 6; it allowed the Governor-General to make proclamations with respect to "any identified property [that] is being or is likely to be damaged or destroyed". However section 10, which set out the consequences of a proclamation under section 7, was narrow in its application; while it covered the same types of acts as section 9, it only made those acts unlawful if performed by certain corporations, namely foreign or trading corporations (that is, those corporations subject to the corporations power in the Constitution). Section 10(4) went further, and specifically made those same acts unlawful if done by such a corporation "for the purposes of its trading activities".
Section 8 allowed proclamations to be made with respect to sites of significance to Indigenous Australians, if either the sites themselves, or any artefacts or relics on them, were or were likely to be damaged or destroyed. Section 11 covered the same acts as described in sections 9 and 10, and rendered them unlawful if done with respect to properties subject to proclamations under section 8.
Once proclamations were made, they had to be tabled before both houses of the Parliament of Australia in accordance with the procedures set out in section 15. Proclamations could be revoked by the Governor-General once the threat of damage or destruction had passed.
Exceptions
Section 12 provided certain statutory exceptions to the prohibitions in sections 9, 10 and 11, to do with acts permitted under management plans in other federal environment legislation, and acts permitted under state or territory law.
Sections 9, 10 and 11 each provided that acts normally prohibited by those sections would not be unlawful if done with the permission of the relevant Minister (then titled the Minister for Home Affairs and the Environment); section 13 set out the procedures to be followed by the Minister in granting such consent. Section 18 allowed the power to grant consent to be delegated.
Enforcement
Section 14 granted jurisdiction to both the High Court of Australia and the Federal Court of Australia to grant injunctions restraining acts unlawful under sections 9, 10 or 11; such injunctions could be applied for by the Attorney-General of Australia, or by any "interested person" (which was defined in subsections 3 through to 5 of section 14).
Compensation
Section 17 provided for a compensation scheme, in the event that any proclamation should amount to an acquisition of property within the meaning of section 51(xxxi) of the Australian Constitution.
References
1983 in Australian law
Environmental law in Australia
1983 in the environment
Repealed Acts of the Parliament of Australia |
Qaradolaq may refer to:
Qaradolaq, Aghjabadi, Azerbaijan
Qaradolaq, Qakh, Azerbaijan |
D.S. Al Coda is the third and final album by the progressive rock and jazz fusion group National Health. It is a tribute to former member Alan Gowen, who died of leukaemia in May 1981, and consists solely of compositions written by him. Most of these had not been recorded in the studio before, although "TNTFX" and "Arriving Twice" both appeared earlier on albums by Gowen's other band Gilgamesh.
Track listing
Personnel
National Health
Dave Stewart - Synthesizer, organ, electric piano
Phil Miller - Electric guitar, acoustic guitar
John Greaves - Bass guitar
Pip Pyle - Drums, electronic drums
Additional musicians
Elton Dean - Saxello (1, 4)
Ted Emmett - Trumpet (1)
Barbara Gaskin - Vocals (7)
Jimmy Hastings - Flute (3, 6, 9)
Amanda Parsons - Vocals (7)
Richard Sinclair - Vocals (3)
Annie Whitehead - Trombone (1)
References
http://www.allmusic.com/album/ds-al-coda-mw0000840466
National Health albums
1982 albums |
Zolotari () is a rural locality (a settlement) and the administrative center of Goncharovskoye Rural Settlement, Pallasovsky District, Volgograd Oblast, Russia. The population was 1,394 as of 2010. There are 37 streets.
Geography
Zolotari is located in on the Caspian Depression, 69 km southwest of Pallasovka (the district's administrative centre) by road. Gonchary is the nearest rural locality.
References
Rural localities in Pallasovsky District |
Awara is one of the Finisterre languages of Papua New Guinea. It is part of a dialect chain with Wantoat, but in only 60–70% lexically similar. There are around 1900 Awara speakers that live on the southern slopes of the Finisterre Range, they live along the east and west sides of Leron River basin.
Culture
The Awara people value group harmony, consensus, and religion. They attend church every Sunday, during these gatherings they also discuss any sorts of problems that people may have until they find a solution. The Church and government roles are separated, but they are also not separated because people who have leadership roles in the government usually have a leadership role in the church. In addition "all local government functions (meetings, community work projects, etc) are organized at the community church gatherings, regional government matters are also discussed at the regional church meetings."
Alphabet
The Awara language has 21 letters (Aa, Ää, Bb, Dd, Ee, Ff, Gg, Hh, Ii, Jj, Kk, Ll, Mm, Nn, Oo, Pp, Ss, Tt, Uu, Ww, Xx, Yy, Zz), 3 digraphs (Gw gw, Kw kw, Ng ng) and trigraph (Ngw ngw).
Phonology
Consonants
Awara consonants can be categorized into labial, coronal, and a dorsal. These are further split into voiced stops, voiceless stops, nasals, and voiced spirants. Many of the consonants in Awara have different sounds (for example voiced lateral /l/ can also be pronounced as [r], and the special character b represents not only a voiced labial stop [b], but also a voiced fricative [v] or a glide [w]).
Vowels
There are 6 vowels in Awara. The vowels /e, i, u/ generally appear before the consonants /m/ and /l/, but they can sometimes appear after them. The vowels are split into three categories: front vowels (I and e), middle/central vowels (A and a), and back vowels (u and o). The front vowels in Awara are generally lax. There are a few allophones for vowels in Awara. [I] is usually pronounced as [t] in addition to [I].
Syllables
Syllables in Awara will generally follow a CVC pattern, this can be split to patterns like V, CV, or VC. The rule is consonants must always be separated by a vowel, the common vowel order of a word in Awara would be V followed by CV which is then followed by VC. So, a word in Awara will follow a pattern like this “VCVCVC.” Different patterns appear at different places. For example, “V syllables can never occur at the end of the word, VC syllables occur word initially and sometimes medially but never at the end, and CVC and CV can occur anywhere in a word.”
Stress
Awara uses a pitch accent system this is common in many Papuan languages. Awara itself has three different patterns of stress, one primary and two secondary or alternate patterns. The primary pattern stresses the first and third syllables, while the main focus of the stress falls on the last syllable that is stressed.
Example:
/Ayi/ -> a.yi 'grandmother'. In this word the 'yi' is stressed.
Reduplication
In Awara reduplication is usually applied to bisyllabic words. The word matekmatekrn∆ 'little things' is the only exception to this rule, as its base is trisyllabic, expanded by the derivative suffix-n∆ which shows reduplication. There are two types of reduplication in Awara. The first one duplicates an already existing word with its own meaning and lowers the semantic category of the word. An example of this is halu and haluhalu: halu means 'beach', and the reduplicated form haluhalu means 'sand', i.e. what is on the beach. The second type of reduplication copies bases that by themselves have no meaning. For example gak by itself has no meaning but gakgak refers to a tree species.
Pronouns
Awara pronouns are linked to verbs, for this the verb endings are changed to reflect whether the action is about you someone else or more than one person. An example of this would be changing the verb for sew into he will sew it, the verb for sew is bup in order to change this into will sew we need to add pik after it. This changes the word to bupik which means 'he will sew'.
Morphology
Verbs
Awara verbs can be split into two subcategories, ones that take inflectional affixes and ones that do not. Most verbs do take inflectional affixes. The only verbs that do not take the inflectional affixes are the existential verbs käyä 'exist' and wenä 'not exist'.
Wa sade miting-u käyä
this Sunday meeting-TOP exist
'This Sunday there is a meeting.'
Normally existential verbs stand alone as the predicate but ti 'be' can be used with them to support tense or switch-reference.
Moyo yiwit-na, nax-u wenä ti-wik
withoutStay-1P.DSfood=Top not.exist be-3s.FUT
'If we do nothing (lit. If we stay without doing anything) there will not be food.'
Derivational Verb Stem Morphology
"Awara has three means for deriving verb stems: lexical compounding, benefactive compounding, and forming verbs from nouns via the addition of derivational suffix -la 'become'." Lexical compounding uses the two types of compounds in Awara: noun-verb and verb-verb compounds. Noun-verb compounds refer to what is used to perform the action or what happens to the object. Verb-verb compounds describe two actions that occur. The latter type commonly includes the verb ä 'take' followed by a motion verb such as apu 'come'.
Noun-Verb compound
A=lut-de-ke nä-ka-ying=unin.
PRFOC=nail-detach-ss.PF eat-p.DIFF-23P.PRES=INDIV
'They picked them with the fingernails and eat them (breadfruit).
Verb-Verb compound
Yanggä kalux=u t-äjapu na-m-Ø.
water new=TOP S.O-take-come 1S.O-give-2S.IMM
'Bring some cold (fresh) water and give it to me.
Benefactive compounding uses the verb mi 'give', which usually follows another verb. This verb can also change to gatäp which means 'help' making it function as a benefactive.
Benefactive compound
hängä ngäkge-kän gata-ni-mi-ngga-k.
thing much-only help-1P.O-give-s.DiPF-3s.PRES
'... he helps us with many things'
Other verbs use la 'become' as a suffix, as which it is pronounced in four different ways: la, ta, da, and ka. These different forms are used in specific instances: "la is used after a vowel, ka is used after underlying velars, ta is used after an underlying /t/ or /n/, and da is used after consonants."
A-xupi-ta-ngga-k.
PRFOC-angry-become-s.DIPF-3s.PRES
'He is angry.'
Syntax
Word Order
The basic word order of Awara clauses is SOV. "Arguments and other constituents may be marked with postpositions, which are phonologically bound to the preceding word as clitics. An examples of this is the =dä in the following example sentence; others are =ge or =le.
Silas=dä Yälämbing=ge wätä wamä-ngä-mi-k.
Silas=ABL Yälämbing=DAT sore tie-3s.0-give-3s.PRES
'Silas bandaged Yalambing's sore.'
Classifiers
The noun classifier system in Awara consists of around 30 classifiers. "Most classifiers give some indication of the physical shape or arrangement of the item named by the noun." An example of a classifier is täpä, which is used in combination with things that are stick-like. Sometimes more than one classifier is combined with a noun to clarify what it is used for. For example, yanggä 'water' can be combined with the classifier for rope-like things, täknga, to refer to a drink). A classifier always appears on the right of a noun and on the left of suffixes.
Loan Words
Loan words in Awara are primarily from Tok Pisin, but there are also some that come from English. Other words, especially names and religious terms, come from Yabium. There are three categories of loan words: loan words that conform to Awara phonology, loan words that violate Awara phonology, and loan words that add to the Awara phonemic inventory. Loan words that conform remove their voiced stops and changes them to unreleased voiceless stops (e.g. 'chord' from Tok Pisin changes to kod in Awara but is spelled as kot). Awara pronounces [r] but it does not exist in their alphabet, so the sound is represented by <l> in writing, as in lais 'rice, which is pronounced as [rais]. The [r] can be understood as an allophone of /l/. Most loan words are words for things that do not exist in the Awara language. Many of these can be identified by the letter combination ai, as in pailot 'pilot'.
Modal Nouns
Awara has three modal nouns: nangäsä expresses possibility, nangän expresses obligation, and nangge expresses purpose. "They can function as either the argument of a clause, as predicates, and as adverbial modifiers. Modal nouns require nonfinite clauses to accompany them and cannot exist without them.
[Akop-nangge] natä-ke=ngä ako-pit.
come.up-PURPOSE want-SS.PF=after come.up-1s.FUT
'When I want to come up, I will.'
Negation
There are three phrases that are used for negation in Awara. The two most common ones are do= and =undo, which are found before inflecting verbs. ma is the third negator, which is used with imperatives, third person hortatives, or a complement of the modal noun =nangän.
.. epuxu-wa do=n-u-kin.
come.out-1s.DS NEG=1s.o-hit-23p.PAST
'I went out and they didn't hit me.'
References
External links
Alphabet and pronunciation
Finisterre languages
Languages of Morobe Province |
The Breeze Card is a stored value smart card that passengers use as part of an automated fare collection system which the Metropolitan Atlanta Rapid Transit Authority (MARTA) introduced to the general public in early October 2006. The card automatically debits the cost of the passenger’s ride when placed on or near the Breeze Target at the fare gate. Transit riders are able to add value or time-based passes to the card at Breeze Vending Machines (BVM) located at all MARTA stations. The major phases of MARTA's Breeze transformation took place before July 1, 2007 when customers were still able to purchase TransCards from ridestores or their employers. They were also able to obtain paper transfers from bus drivers to access the train. As of July 1, 2007 the TransCard and the paper transfers were discontinued and patrons now use a Breeze Card or ticket to access the system (except for single bus rides, which can still be paid for in exact change), and all transfers are loaded on the card. Breeze Vending Machines (BVM) distribute regional transit provider passes (providing that the requested system has completed their transformation to the Universal Breeze AFC.) The Breeze Card employs passive RFID technology currently in use in many transit systems around the world.
Overview
The Breeze system uses a Breeze card. The card, made of plastic, is durable and can be purchased for $2. The card can be reloaded on a bus (cash only) or at a Breeze vending machine (BVM). There is also a ticket composed of coated paper around the RFID antenna, which are only available for groups, school students, and during special events.
The fares are authenticated by RFID at the rail station fare gates or at the fare boxes in the buses. The cards are also used to receive transfers when riders tap to exit the rail station. Transfers are automatically loaded when riders tap their Breeze cards as they enter a bus.
Services
Breeze Card can be used with MARTA Bus and Rapid Rail, CobbLinc service of Cobb County, Ride Gwinnett of Gwinnett county as well as GRTA Express bus services.
History of Breeze conversion
In preparation for the Breeze Card, MARTA initially deployed the Breeze Ticket, a limited-use paper stored value card. During the installation phase (December 2005 to September 2006) Breeze gates were installed in all stations, there were new bus fare boxes and Breeze Vending Machines "BVMs", in which individuals can buy Tickets encoded with one ride. MARTA first implemented Breeze at the Bankhead station in December 2005. System wide installation (both train stations and buses) was completed in early September, making MARTA the first system in the United States to move towards only smart cards for fare (excepting cash).
Between October 6, 2006 and July 2007, patrons were allowed to purchase Breeze Cards (which initially expired three years after first use) for free. Also, starting October 2006, patrons were allowed to reload Breeze Tickets (which expire 90 days after purchase). After July 2007, the price to purchase a Breeze card and a Breeze ticket were set to $5 and $0.50 respectively. Now, the BVMs provide patrons with the ability to check a card's balance, and pay for parking at certain stations. The BVMs currently accept credit cards and cash for payment.
The system stopped selling tokens in the late fall, and magnetic weekly and monthly MARTA cards were still sold until July 2007 when magnetic cards were invalidated permanently; signalling completion of the Breeze system conversion. Breeze cards became available by mail to customers that pre-ordered starting September 30, 2007. As the conversion reached its final phase, MARTA hosted "token exchanges"(October–December), allowing for people with rolls of tokens to have the number of tokens encoded on an extended-use card.
In May 2007 MARTA began to charge a 50 cent surcharge on all Breeze Tickets. In July 2007 MARTA also stopped offering free Breeze Cards online and order forms from MARTA Ride Stores. Magnetic cards were invalidated permanently and MARTA considered the Breeze system complete.
In July 2007 MARTA indicated that pay per boarding was scheduled to begin. This meant that all customers would have to pay with a Breeze Card, ticket or cash. Transfers were only available on Breeze fare media – no paper transfers or bus to rail magnetic transfers were to be issued. When this happened, to transfer free to MARTA, it was necessary to use a Breeze Card or Breeze Ticket because MARTA was no longer accepting paper transfers or bus to rail transfers.
In July 2017 the original blue Breeze cards were discontinued and replaced with new silver cards that offer "added security to combat fraud and abuse."
Changes to old token-based system
MARTA's Breeze allows riders to load money on the card for use over time, and to add 7- and 30-day passes that are not fixed to a calendar period. The system provides a better way for MARTA to analyze transit patterns, allowing for schedule changes to suit demand, and free up more staff to work directly with customers in stations. Breeze also helps prevent fare evasion, which in previous years cost an estimated US$10 million annually.
The upgrade to Breeze also resulted in a complete replacement of all fare gates and token-based system. The previous system was subject to entrance without payment, as a low turnstile permitted "turnstile jumping" and a handicapped gate could easily be opened by reaching over to push the exit bar. Moreover, there were instances where the turnstile mechanisms would be deteriorated such that some people could forcefully advance the turnstiles with their bodies. The new system offers taller gates and cannot be opened from the outside without first paying.
Potential
The new system allows MARTA to consider using exit fares and distance-based fares. However, MARTA has stated it has no plans to implement any changes to its existing flat one-way fare policy.
Other transit systems have expressed interest in expanding the Breeze infrastructure to take advantage of seamless transfers as provided by reciprocal agreements with MARTA. The first system to adopt Breeze was Cobb Community Transit, which planned to implement Breeze along with MARTA's timeline.
Criticisms
The pilot installation of the system at the Bankhead station created controversy when it was discovered the fare gates ended from the ground, allowing fare evaders to crawl underneath the gates. The issue was since corrected with the attachment of plastic bars to the bottom of the gates, reducing the gap to and virtually eliminating the possibility of fare evaders crawling through it. Incidents have also been noted in which people trick the sensors to believe that a person is exiting a station while actually entering, but has been alleviated by requiring the use of a card to exit stations.
There have been many problems with BVMs not accepting credit cards and/or debit cards that have lasted for days.
Technology
The Breeze Card uses the MIFARE smart-card system from Dutch company NXP Semiconductors, a spin-off from Philips. System supports single-use as well as multi-use cards. The disposable, single-use tickets contain MIFARE Ultralight technology.
The first generation of Breeze cards were MIFARE Classic cards and were blue in color. These cards have been phased out due to known security weaknesses and are no longer valid for transportation.
The current generation Breeze cards, which are grey in color are called silver cards, are based on MIFARE DESFire EV1 technology.
See also
List of smart cards
MIFARE
References
External links
Breeze Card website
MARTA website
Metropolitan Atlanta Rapid Transit Authority
Fare collection systems in the United States
Contactless smart cards
2006 introductions
2006 establishments in Georgia (U.S. state) |
Greatest Hits in Japan is a compilation album by British rock band Queen. It was released on 15 January 2020 by Universal Music Group. The album was only released in Japan as a limited edition release.
Background
As part of their "Rhapsody Tour", Queen + Adam Lambert returned to Japan in January 2020. To mark the occasion, a compilation album was released, featuring twelve Queen songs voted for by Japanese fans.
The voting took place through an online form via a special section on Queen's official Japanese website from 6 to 25 November 2019, where, as a general rule, fans residing in the country were invited to cast their votes for their favourite song by Queen from their 15 original studio albums under the one-person-one-vote principle. All participants were required to choose only one song to vote for from the list of 172 tracks in total.
In total there were 11,988 voters. The CD version of the album was exclusive to Japan, while the digital version was available worldwide. The limited-edition CD also included a DVD including music videos of the 12 songs on the album.
Track listing
All lead vocals by Freddie Mercury, except "39" sung by Brian May.
Personnel
Queen
Freddie Mercury – piano, synthesizer , vocals
Brian May – guitar, piano , bells , keyboards , vocals
Roger Taylor – drums, synthesizer , vocals
John Deacon – bass guitar, acoustic guitar , double bass
Additional musicians
Mike Stone – vocals on "Good Old-Fashioned Lover Boy"
Fred Mandel – synthesizer on "Radio Ga Ga"
Charts
References
External links
Greatest Hits in Japan at Queen Vault
Queen (band) compilation albums
2020 compilation albums
Universal Music Japan albums |
Education Policy Analysis Archives is a peer-reviewed open access academic journal established in 1993 by Gene V. Glass (Arizona State University). Articles are published in English, Spanish, or Portuguese. The journal covers education policy at all levels of the education system in all nations. The editor-in-chief is Audrey Amrein-Beardsley (Arizona State University) and the Consulting Editor is Gustavo Enrique Fischman (Arizona State University). The journal is abstracted and indexed in Education Research Complete and Scopus.
External links
Academic journals established in 1993
Education journals
Multilingual journals
Creative Commons Attribution-licensed journals
Arizona State University |
Jennifer Lesley Ellison (born 30 May 1983) is an English actress, former glamour model, television personality, dancer and singer. Ellison is perhaps best known for playing Emily Shadwick in the television soap opera Brookside until 2003, and as Meg Giry in the 2004 film adaptation of The Phantom of the Opera. Ellison also starred on the reality television show Dance Mums with Jennifer Ellison, the UK version of the American show Dance Moms.
Career
Dance
Ellison studied dance from the age of three, first at a dance school in Liverpool, then later at the Elizabeth Hill School of Dance in St Helens. She has achieved examination passes with the Royal Academy of Dance and appeared on instructional videos for the academy. She has also taken examinations with the International Dance Teachers Association (IDTA) and won Ballet and Modern Dance titles at the IDTA Theatre Dance Championships in 1996 and 1997, and in addition was awarded the Carl Alan Award for ballet in 1998. Choosing to pursue a professional career in dance, she successfully auditioned for the Royal Ballet Lower School. She left dance to pursue acting.
In 2012, Ellison was a contestant on Dancing on Ice and made it to the semi-final stages. She hosted the UK version of Dance Moms on Lifetime, Dance Mums with Jennifer Ellison in 2014–15.
Television
From 1998 to 2003, Ellison played Emily Shadwick in the soap opera Brookside. Her character was 'killed off' when she fell from a window during a robbery. In 2003, Ellison appeared in the travel documentary Jennifer Ellison does Thailand and in 2004, she appeared on the reality television show Hell's Kitchen, which she then went on to win. In 2005, she appeared on the celebrity challenge show With a Little Help From My Friends.
In spring 2007, Ellison appeared in the BBC reality TV show The Verdict, based on a fictional courtroom, alongside the likes of Jeffrey Archer and Sara Payne. That same year, she appeared as a judge on Dirty Dancing – Time of your Life a United States-based reality television show for the Living TV network. By December of that year, Ellison began appearing as a guest panellist on the ITV daytime show Loose Women.
Additionally, Ellison has also acted in episodes of the British television series The Brief, Hotel Babylon, New Street Law and The Commander. In September 2008, she appeared in a 2-hour long show, called Ghosthunting with Paul O'Grady & Friends, filmed in Sicily, with fellow Liverpudlians Paul O'Grady, Philip Olivier and Natasha Hamilton.
Music
After success in television and men's magazines, Ellison pursued a pop music career. She released two pop rock singles before giving this venture up for acting and glamour modelling. Her first single was "Baby I Don't Care", released in June 2003, which reached No. 6 in the UK Singles Chart. The song was originally released by Transvision Vamp in 1989. The following year in July, after being brought back into the public eye after winning Hell's Kitchen, Ellison released her second single, "Bye Bye Boy" – originally recorded by the Japanese singer Nanase Aikawa – which reached No. 13 in the UK chart.
Single discography
Theatre
In 2004, Ellison had a run in the London West End theatre version of the musical Chicago at the Adelphi Theatre playing the leading role of Roxie Hart and reprised the role from 10 July to 9 August 2006, this time at the Cambridge Theatre. Ellison was actually supposed to finish on 12 August, but was forced to pull out three days early due to a knee injury. Ellison subsequently toured Britain in Chicago from 25 September 2006 until 5 May 2007. On 1 October 2007, Ellison joined the cast of a revival of Boeing Boeing at the Comedy Theatre, London, playing the part of Gloria, an American air stewardess working for the airline TWA.
On 5 December 2007, she featured in a 10th Anniversary Gala performance of Chicago at the Cambridge Theatre alongside a galaxy of stars and on 16 December 2007, she played "Angel" in Liverpool Nativity, a contemporary retelling of the Christmas story for BBC Three which was performed live from the streets of the city.
Ellison featured in the Liverpool Empire Theatre's pantomime version of Cinderella for 2008, opposite Cilla Black and Les Dennis.
She also played Beth in Jeff Wayne's Musical Version of The War of the Worlds at major arenas of the UK in June 2009.
Ellison appeared in the July – October 2010 UK tour of the stage adaption of the film Calendar Girls. The same year she appeared at the Regent Theatre, Stoke-on-Trent, in its pantomime Robinson Crusoe. As well as these, she was on the UK tour company of Legally Blonde The Musical, playing the role of 'Paulette'.
In 2012 Ellison appeared in Peter Pan at the Churchill Theatre Bromley alongside Gemma Hunt, Ace Bhatti and Andrew Agnew. From 18 February 2013 she joined Singin’ in the Rain at the Palace Theatre, London. Ellison joined the cast to play silent movie screen siren and owner of a voice never meant for the ‘talkies’, Lina Lamont.
Ellison was cast in the pantomime of Snow White and the Seven Dwarfs, at the Theatre Royal, Norwich throughout December 2015 to January 2016.
Film
Ellison made her international film debut as Meg Giry in the 2004 film version of the stage musical The Phantom of the Opera, although her lines were dubbed over. She also starred in the English horror film The Cottage, which was released in the UK on 14 March 2008.
Modelling and magazine appearances
Ellison was featured in Maxim magazine's "Girls of Maxim" gallery. Her photos appeared regularly in British "lads' mags" including Nuts, Zoo Weekly and FHM. Ellison took over, from Jordan, a contract with lingerie giant Ultimo for its "Young Attitude" line. Though Ultimo boss Michelle Mone had chosen Jordan for being "sexy, fun and outgoing," she later changed her mind, stating, "Jordan was just the wrong choice for [us]. Jennifer is a far better option and far classier." In 2005, Ellison was voted world's sexiest blonde by readers of the UK magazine Nuts, beating model Victoria Silvstedt, who came second, and pop superstar Britney Spears. Ellison was also a regular in the yearly FHM "100 Sexiest Women in the World" feature.
Other ventures
In 2006, Ellison released Jennifer Ellison's West End Workout, a fitness DVD which combined her love of dance with exercise routines.. In December 2011, she then released a second fitness DVD Jennifer Ellison's Fat Blaster Workout.
She is a winner of the Carl Alan Award in the ballet category for 1998, an industry award voted for by dance professionals.
She took part in the 2012 TV series Dancing on Ice. Ellison and professional partner Daniel Whiston ended up in fourth place after being voted out in the semi-final.
In May 2013 it was announced that Jennifer Ellison would join Liverpool's Radio City 96.7 to co-present a new Sunday morning Breakfast show alongside Drivetime Presenter Dave Kelly, for an initial five-week period until she was due to give birth.
Personal life
Ellison attended Broughton Hall High School, a Catholic school for girls. She then attended St Edward's College for Sixth Form. She has two younger half-sisters. Her parents, Kevin May and Jane, separated in 1986. Her mother remarried. She is close to her mother and stepfather David.
Ellison and boxer Robbie Tickle began dating in May 2008, and were engaged in October of that year while on holiday in the Maldives. The following year they were married, with the ceremony being performed in Mauritius on 10 October 2009.
Ellison has three children. On 4 February 2010 she gave birth to her first son. Her second pregnancy came to her as a surprise. Ellison said: "I didn't even know I was pregnant until four weeks ago, and I'm almost five months gone now. I can't believe I'm having another baby in July. It's been a massive shock." On 9 July 2013 she gave birth to her second son. On 26 September 2014, she gave birth to her third son.
In May 2018, Ellison was paid an undisclosed sum by Mirror Group Newspapers as settlement for phone-hacking.
References
External links
Jennifer Ellison Photoshoots
1983 births
Living people
Actresses from Liverpool
People educated at the Royal Ballet School
English child actresses
English female models
English film actresses
English musical theatre actresses
English television actresses
Glamour models
Reality cooking competition winners
People educated at St Edward's College
English women pop singers |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.