text stringlengths 1 22.8M |
|---|
CNDD may refer to:
National Council for the Defense of Democracy, Burundi
National Council for Democracy and Development, Guinea
See also:
National Council for the Defense of Democracy–Forces for the Defense of Democracy (CNDD-FDD) |
In The Tail of a Comet is Dozer's first full album, released April 25, 2000 on Man's Ruin Records. It was recorded in February 1999 at the Rockhouse Studio in Borlänge, Sweden for about $500. All songs were mixed and produced by Dozer with Bengt Backe.
Track listing
"Supersoul" - 2:44
"Lightyears Ahead" - 5:13
"Speeder" - 3:51
"Inside the Falcon" - 3:59
"Riding The Machine" - 3:51
"Cupola" - 2:03
"Grand Dragon" - 5:54
"Captain Spaceheart" - 3:40
"High Roller" - 6:01
Personnel
Fredrik Nordin (Vocals, Rhythm Guitar)
Tommi Holappa (Lead Guitar)
Johan Rockner (Bass guitar)
Erik Bäckwall (Drums)
Critical reception
Critical reception was generally mixed with a lean towards the positive. AllMusic noted it was more reminiscent of Metallica than the genre-defining Black Sabbath, and "falls short of exceptional, but it's a satisfying effort that has more plusses than minuses."
CMJ Music Review was generally positive, indicating it was a strong visceral experience and a promising debut album, although it lacked musical depth.
References
Dozer albums
2000 albums
Man's Ruin Records albums |
The Turkey men's national tennis team represents Turkey in Davis Cup tennis competition and are governed by the Türkiye Tenis Federasyonu.
Turkey currently compete in the Europe/Africa Zone of Group I. They have raised, again second time, the Group I Feb 2023.
History
Turkey competed in its first Davis Cup in 1948.
Current team (2023)
Altuğ Çelikbilek
Cem Ilkel
Ergi Kırkın
Yankı Erel
Alaattin Bora Gerçeker (Captain-player)
See also
Davis Cup
Turkey Fed Cup team
External links
Davis Cup teams
Tennis
Davis Cup |
What the Butler Saw is a 1924 British silent comedy film directed by George Dewhurst and starring Irene Rich, Pauline Garon and Guy Newall.
Cast
Irene Rich as Mrs. Barrington
Pauline Garon as Joan Wyckham
Guy Newall as Barrington
Cecil Morton York as Professor Shall
A.B. Imeson as Sir Charles Foden
Drusilla Wills as Sophie Foden
John MacAndrews as Pink
A. Bromley Davenport as General Dunlop
Peggy Patterson as Miss Dunlop
Cecil Mannering as Dr. Boggins
Hilda Anthony as Mrs. Flemyng-Smith
References
Bibliography
Goble, Alan. The Complete Index to Literary Sources in Film. Walter de Gruyter, 1999.
External links
1924 films
1924 comedy films
Silent British comedy films
British silent feature films
Films directed by George Dewhurst
Films set in England
British black-and-white films
1920s English-language films
1920s British films
English-language comedy films |
Neohaemonia nigricornis is a species of aquatic leaf beetle in the family Chrysomelidae found in North America. Its range includes the northern United States and southern Canada.
References
Further reading
Donaciinae
Articles created by Qbugbot
Beetles described in 1837 |
Gresovščak (, in older sources Greserščak, ) is a small dispersed settlement in the Slovene Hills () in the Municipality of Ljutomer in northeastern Slovenia. The area traditionally belonged to the Styria region and is now included in the Mura Statistical Region.
There is a small Neo-Gothic chapel-shrine in the settlement. It was built in last quarter of the 19th century.
References
External links
Gresovščak on Geopedia
Populated places in the Municipality of Ljutomer |
USS New Bedford may refer to the following ships of the United States Navy:
, was a launched in 1943 and sold for scrap in 1947
, was originally the US Army freighter FS-289 and acquired by the US Navy in 1950; sold in 1996
United States Navy ship names |
```kotlin
package de.westnordost.streetcomplete.quests.sidewalk
import de.westnordost.streetcomplete.data.osm.geometry.ElementPolylinesGeometry
import de.westnordost.streetcomplete.quests.TestMapDataWithGeometry
import de.westnordost.streetcomplete.testutils.p
import de.westnordost.streetcomplete.testutils.way
import de.westnordost.streetcomplete.util.math.translate
import kotlin.test.Test
import kotlin.test.assertEquals
import kotlin.test.assertTrue
class AddSidewalkTest {
private val questType = AddSidewalk()
@Test fun `not applicable to road with sidewalk`() {
val road = way(tags = mapOf(
"highway" to "primary",
"sidewalk" to "both"
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(0, questType.getApplicableElements(mapData).toList().size)
assertEquals(false, questType.isApplicableTo(road))
}
@Test fun `applicable to road with missing sidewalk`() {
val road = way(tags = mapOf(
"highway" to "primary",
"lit" to "yes"
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `applicable to road with incomplete sidewalk tagging`() {
val road = way(tags = mapOf(
"highway" to "residential",
"sidewalk:left" to "yes"
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `applicable to road with invalid sidewalk tagging`() {
val road = way(tags = mapOf(
"highway" to "residential",
"sidewalk" to "something"
))
val footway = way(2, listOf(3, 4), mapOf(
"highway" to "footway"
))
val mapData = TestMapDataWithGeometry(listOf(road, footway))
val p1 = p(0.0, 0.0)
val p2 = p1.translate(50.0, 45.0)
val p3 = p1.translate(13.0, 135.0)
val p4 = p3.translate(50.0, 45.0)
mapData.wayGeometriesById[1L] = ElementPolylinesGeometry(listOf(listOf(p1, p2)), p1)
mapData.wayGeometriesById[2L] = ElementPolylinesGeometry(listOf(listOf(p3, p4)), p3)
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `applicable to road with overloaded sidewalk tagging`() {
val road = way(tags = mapOf(
"highway" to "residential",
"sidewalk" to "left",
"sidewalk:right" to "yes"
))
val footway = way(2, listOf(3, 4), mapOf(
"highway" to "footway"
))
val mapData = TestMapDataWithGeometry(listOf(road, footway))
val p1 = p(0.0, 0.0)
val p2 = p1.translate(50.0, 45.0)
val p3 = p1.translate(13.0, 135.0)
val p4 = p3.translate(50.0, 45.0)
mapData.wayGeometriesById[1L] = ElementPolylinesGeometry(listOf(listOf(p1, p2)), p1)
mapData.wayGeometriesById[2L] = ElementPolylinesGeometry(listOf(listOf(p3, p4)), p3)
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `not applicable to motorways`() {
val road = way(tags = mapOf(
"highway" to "motorway",
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(0, questType.getApplicableElements(mapData).toList().size)
assertEquals(false, questType.isApplicableTo(road))
}
@Test fun `applicable to motorways marked as legally accessible to pedestrians`() {
val road = way(tags = mapOf(
"highway" to "motorway",
"foot" to "yes"
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `applicable to motorways marked as legally accessible to pedestrians and with tagged speed limit`() {
val road = way(tags = mapOf(
"highway" to "motorway",
"foot" to "yes",
"maxspeed" to "65 mph",
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `not applicable to road with very low speed limit`() {
val road = way(tags = mapOf(
"highway" to "residential",
"maxspeed" to "9",
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(0, questType.getApplicableElements(mapData).toList().size)
assertEquals(false, questType.isApplicableTo(road))
}
@Test fun `applicable to road with implicit speed limit`() {
val road = way(tags = mapOf(
"highway" to "primary",
"maxspeed" to "DE:zone30",
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
@Test fun `applicable to road with urban speed limit`() {
val road = way(tags = mapOf(
"highway" to "primary",
"maxspeed" to "60",
))
val mapData = TestMapDataWithGeometry(listOf(road))
assertEquals(1, questType.getApplicableElements(mapData).toList().size)
assertTrue(questType.isApplicableTo(road))
}
}
``` |
The British javelin champions covers three competitions; the current British Athletics Championships which was founded in 2007, the preceding AAA Championships (1914-2006) and the UK Athletics Championships which existed from 1977 until 1997 and ran concurrently with the AAA Championships.
Where an international athlete won the AAA Championships the highest ranking UK athlete is considered the National Champion in this list.
Past winners
NBA = No British athlete in medal placings
nc = not contested
+ = UK Championships
References
javelin
British
British Athletics Championships |
James Wedderburn (c. 1495 – 1553) was a Scottish poet, the eldest son of James Wedderburn, merchant of Dundee (described in documents as "at the West Kirk Style" to distinguish him from others of the name), and of Janet Barry, sister of John Barry, vicar of Dundee. He was born in Dundee about 1495, and matriculated at St Andrews University in 1514.
He was enrolled as a burgess of Dundee in 1517, and was intended to take up his father's occupation as a merchant. While at St. Leonard's College, St. Andrews, he had come under the influence of Gavin Logie, one of the leading reformers, and he afterwards took an active part against Romanism. After leaving the university he was sent to Dieppe and Rouen, where it is probable that a branch of the Wedderburn family was settled in commerce.
Returning to Dundee, he wrote two plays—a tragedy on the beheading of John the Baptist, and a comedy called Dionysius the Tyrant—in which he satirised the abuses in the Roman church. These plays were performed in the open air at the Playfield, near the west port of Dundee, in 1539–40; but they have not been preserved, though from references made to them by Calderwood and others they seem to have given much offence to ruling ecclesiastics.
About this time, in conjunction with his brothers John Wedderburn and Robert Wedderburn, he wrote a number of sacred parodies on popular ballads, which were published apparently at first as broadsheet ballads, and were afterwards collected and issued in 1567, under the title . Only one copy of the edition of 1567 is known to exist, and there is no clue to the date of the first edition referred to on its title-page. As some of the songs plainly refer to incidents that took place in Scotland about 1540, the theory that these were circulated as broadsheets is not unreasonable.
According to Calderwood, James Wedderburn "counter-footed the conjuring of a ghost" in a drama, which seemed to reflect upon James V, whose confessor, Father Laing, had scandalised the king by some mummery of this kind. Possibly this was the cause that action was taken against Wedderburn as a heretic, for in 1539 he was "delated to the king, and letters of caption directed against him", but he managed to escape to France, returning to Dieppe or Rouen and resuming his commercial occupation.
An unsuccessful attempt was made by the Scottish factors there to have him prosecuted by the bishop of Rouen, and he remained in France until his death in 1553, not 1565, as sometimes stated. The date is proved by the return of his son John as heir to his father in October 1553. Wedderburn married before 1528 Janet, daughter of David Forrester in Nevay, by whom he had three sons; of these John (died November 1569) was grandfather of James Wedderburn, bishop of Dunblane.
References
1490s births
1553 deaths
People educated at the High School of Dundee
Alumni of the University of St Andrews
Burgesses in Scotland
Scottish merchants
Scottish expatriates in France
People from Dundee
16th-century Scottish poets
16th-century Scottish people
Scottish dramatists and playwrights
Scottish Protestants
Poets from Dundee |
The Rural Municipality of Caledonia No. 99 (2016 population: ) is a rural municipality (RM) in the Canadian province of Saskatchewan within Census Division No. 2 and Division No. 2. It is located in the southeast portion of the province.
History
The RM of Caledonia No. 99 incorporated as a rural municipality on December 13, 1909.
Heritage properties
There is one historical building located within the RM.
Bethesda Lutheran Church - Constructed in 1912, and located within Bethesda. The church operated from 1912 until 1973.
Geography
Communities and localities
The following urban municipalities are surrounded by the RM.
Towns
Milestone
The following unincorporated communities are located within the RM.
Organized hamlets
Parry
Localities
Dummer
Demographics
In the 2021 Census of Population conducted by Statistics Canada, the RM of Caledonia No. 99 had a population of living in of its total private dwellings, a change of from its 2016 population of . With a land area of , it had a population density of in 2021.
In the 2016 Census of Population, the RM of Caledonia No. 99 recorded a population of living in of its total private dwellings, a change from its 2011 population of . With a land area of , it had a population density of in 2016.
Government
The RM of Caledonia No. 99 is governed by an elected municipal council and an appointed administrator that meets on the first Tuesday of every month. The reeve of the RM is Mark Beck while its administrator is Stephen Schury. The RM's office is located in Milestone.
References
C
Division No. 2, Saskatchewan |
```css
h1 {
color: rgb(114, 191, 190);
}
#color {
width: 300px;
height: 300px;
margin: 0 auto;
}
button {
cursor: pointer;
display: inline-block;
height: 20px;
background-color: rgb(123, 109, 198);
color: rgb(255, 255, 255);
padding: 10px 5px;
border-radius: 4px;
border-bottom: 2px solid rgb(143, 132, 200);
}
``` |
These are the official results of the Women's 5000 metres event at the 2003 IAAF World Championships in Paris, France. There were a total number of 33 participating athletes, with two qualifying heats and the final held on Saturday 30 August 2003 at 18:35h.
Tirunesh Dibaba, at 17 years 333 days, is the youngest individual World Champion ever.
Final
Heats
Held on Tuesday 26 August 2003
References
Results–World Athletics
H
5000 metres at the World Athletics Championships
2003 in women's athletics |
Reşadiye is a neighbourhood in the municipality and district of Çivril, Denizli Province in Turkey. Its population is 328 (2022).
References
Neighbourhoods in Çivril District |
Polanowice is a village in the administrative district of Gmina Słomniki, within Kraków County, Lesser Poland Voivodeship, in southern Poland. It lies approximately south of Słomniki and north-east of the regional capital Kraków.
See also
The Lesser Polish Way
References
Polanowice |
See Indira Varma for the actress of whose name this is a common misspelling
Indra Varma was an Indian monarch who is considered to be the first ruler of the Vishnukundin dynasty. He might have carved out a small principality for himself probably as a subordinate of the Vakatakas sometime about the last quarter of the fourth century CE. Not much information is known about the next two kings, Madhav Varma I and his son Govinda Varma. They might have kept intact the inheritance or extended their sway to some extent.
See also
History of India
Deccan
References
4th-century Indian monarchs
Varma, Indra
History of Andhra Pradesh |
Gatesclarkeana senior is a moth of the family Tortricidae. It is found in Indonesia, the Philippines and Taiwan.
The wingspan is 16–18 mm for males and 15-18.5 mm for females. The forewings are light ochreous. The hindwings are fuscous with a purplish gloss.
The larvae have been reared from the leaves of Peltophorum pterocarpum and Lantana species.
References
Moths described in 1966
Gatesclarkeanini |
Andrzej Leszczyński (1608–1658), of Wieniawa coat of arms, was a Polish–Lithuanian Commonwealth noble and priest.
Biography
He was the son of Wacław Leszczyński. He became a priest in 1633. Chancellor of queen Cecylia Renata from 1636. Bishop of Kamieniec from 1640. Deputy Chancellor of the Crown from 1645. Bishop of Chełmno from 1646. Grand Chancellor of the Crown from 1650. Archbishop of Gniezno and primate of Poland from 1653 to 1658.
He was Abbot of Czerwińsk from 1642 to 1644 and Abbot of the Benedictine abbey in Tyniec from 1644 to 1646.
References
External links
Biography
Picture
Virtual tour Gniezno Cathedral
List of Primates of Poland
Ecclesiastical senators of the Polish–Lithuanian Commonwealth
1608 births
1658 deaths
Andrzej
Archbishops of Gniezno
17th-century Roman Catholic archbishops in the Polish–Lithuanian Commonwealth
Abbots of Czerwińsk
Abbots of Tyniec
Crown Vice-Chancellors |
The Caribbean Association for Feminist Research and Action (CAFRA) is a nongovernmental organization that advocates for women's rights and empowerment in the Caribbean. The regional network, which serves as an umbrella organization for progressive feminist groups in over a dozen countries, is based in Castries, St. Lucia.
History
CAFRA was founded in Barbados on 2 April 1985. Its founders included Peggy Antrobus, Joan French, Rawwida Baksh, Honor Ford-Smith, Sonia Cuales, and Rhoda Reddock. The organization was formed in response to both the wave of feminist activism in that period and the discomfort some women felt in the leftist political groups of the day. As one of the group's founders wrote in 2007: "While there was official acceptance of women’s equality in these organisations, they were in actuality patriarchal structures, with strict hierarchies and few women in leadership positions. Feminist-oriented ideas in these spaces were dismissed as ‘bourgeois,’ ‘foreign’ and, as a result, ‘irrelevant’ and potentially divisive."CAFRA was the first regional women's organization that called itself "feminist". Its most active period was the late 1980s and the 1990s, although it remains a significant player on women's issues in various Caribbean countries.
Structure
CAFRA was based in Trinidad and Tobago for many years and is now based in St. Lucia. Though it is based in the English-speaking Caribbean, it covers all linguistic areas of the region; it is known as the Asociación Caribeña para la Investigación y Acción Feministas in Spanish and the Association Caraïbéenne pour la Recherche et l'Action Féministe in French.
The organization currently includes representatives from 17 constituencies: the Bahamas, Belize, Cuba, Dominica, the Dominican Republic, St. Lucia, Guadeloupe, Guyana, Haiti, Jamaica, Martinique, the Netherlands Antilles, Puerto Rico, St. Vincent, Suriname, Trinidad and Tobago, and the U.S Virgin Islands.
A general meeting is held every three years, with a regional committee and continuation committee that meet annually. It is overseen by a coordinator, of which there have been four in the history of the organization, beginning with Rawwida Baksh. The most recent coordinator is Flavia Cherry.
There is also a CAFRA Youth League, which has branches in various countries.
CAFRA's active membership has primarily been Afro-Caribbean, although its members have worked to include Indo-Caribbean and other perspectives.
Work
CAFRA aims to promote women's ability to effect change in society, to fight oppression, and to "serve as facilitator of the regional women's movement."
Its work has included research and advocacy on violence against women, gender bias, women and the environment, women and agriculture, and women and the law. It has also advocated for sexual and reproductive health rights, although there were previously internal divisions on the issue, as well as LGBT rights. CAFRA has also run donation drives after natural disasters.
It previously published a bilingual magazine, CAFRA News, which launched in 1987.
The organization's cultural efforts include publishing Creation Fire: A CAFRA Anthology of Caribbean Women's Poetry, said to be the first anthology of poetry by Caribbean women, in 1990.
See also
Feminism in the Caribbean
References
Organizations established in 1985
Feminist organizations in North America
Feminist organizations in South America
International nongovernmental organizations
Women anthologists
Women's organizations based in the Caribbean |
```javascript
/*
* Author: Abdullah A Almsaeed
* Date: 4 Jan 2014
* Description:
* This is a demo file used only for the main dashboard (index.html)
**/
$(function () {
"use strict";
//Make the dashboard widgets sortable Using jquery UI
$(".connectedSortable").sortable({
placeholder: "sort-highlight",
connectWith: ".connectedSortable",
handle: ".box-header, .nav-tabs",
forcePlaceholderSize: true,
zIndex: 999999
});
$(".connectedSortable .box-header, .connectedSortable .nav-tabs-custom").css("cursor", "move");
//jQuery UI sortable for the todo list
$(".todo-list").sortable({
placeholder: "sort-highlight",
handle: ".handle",
forcePlaceholderSize: true,
zIndex: 999999
});
//bootstrap WYSIHTML5 - text editor
$(".textarea").wysihtml5();
$('.daterange').daterangepicker({
ranges: {
'Today': [moment(), moment()],
'Yesterday': [moment().subtract(1, 'days'), moment().subtract(1, 'days')],
'Last 7 Days': [moment().subtract(6, 'days'), moment()],
'Last 30 Days': [moment().subtract(29, 'days'), moment()],
'This Month': [moment().startOf('month'), moment().endOf('month')],
'Last Month': [moment().subtract(1, 'month').startOf('month'), moment().subtract(1, 'month').endOf('month')]
},
startDate: moment().subtract(29, 'days'),
endDate: moment()
}, function (start, end) {
window.alert("You chose: " + start.format('MMMM D, YYYY') + ' - ' + end.format('MMMM D, YYYY'));
});
/* jQueryKnob */
$(".knob").knob();
//jvectormap data
var visitorsData = {
"US": 398, //USA
"SA": 400, //Saudi Arabia
"CA": 1000, //Canada
"DE": 500, //Germany
"FR": 760, //France
"CN": 300, //China
"AU": 700, //Australia
"BR": 600, //Brazil
"IN": 800, //India
"GB": 320, //Great Britain
"RU": 3000 //Russia
};
//World map by jvectormap
$('#world-map').vectorMap({
map: 'world_mill_en',
backgroundColor: "transparent",
regionStyle: {
initial: {
fill: '#e4e4e4',
"fill-opacity": 1,
stroke: 'none',
"stroke-width": 0,
"stroke-opacity": 1
}
},
series: {
regions: [{
values: visitorsData,
scale: ["#92c1dc", "#ebf4f9"],
normalizeFunction: 'polynomial'
}]
},
onRegionLabelShow: function (e, el, code) {
if (typeof visitorsData[code] != "undefined")
el.html(el.html() + ': ' + visitorsData[code] + ' new visitors');
}
});
//Sparkline charts
var myvalues = [1000, 1200, 920, 927, 931, 1027, 819, 930, 1021];
$('#sparkline-1').sparkline(myvalues, {
type: 'line',
lineColor: '#92c1dc',
fillColor: "#ebf4f9",
height: '50',
width: '80'
});
myvalues = [515, 519, 520, 522, 652, 810, 370, 627, 319, 630, 921];
$('#sparkline-2').sparkline(myvalues, {
type: 'line',
lineColor: '#92c1dc',
fillColor: "#ebf4f9",
height: '50',
width: '80'
});
myvalues = [15, 19, 20, 22, 33, 27, 31, 27, 19, 30, 21];
$('#sparkline-3').sparkline(myvalues, {
type: 'line',
lineColor: '#92c1dc',
fillColor: "#ebf4f9",
height: '50',
width: '80'
});
//The Calender
$("#calendar").datepicker();
//SLIMSCROLL FOR CHAT WIDGET
$('#chat-box').slimScroll({
height: '250px'
});
/* Morris.js Charts */
// Sales chart
var area = new Morris.Area({
element: 'revenue-chart',
resize: true,
data: [
{y: '2011 Q1', item1: 2666, item2: 2666},
{y: '2011 Q2', item1: 2778, item2: 2294},
{y: '2011 Q3', item1: 4912, item2: 1969},
{y: '2011 Q4', item1: 3767, item2: 3597},
{y: '2012 Q1', item1: 6810, item2: 1914},
{y: '2012 Q2', item1: 5670, item2: 4293},
{y: '2012 Q3', item1: 4820, item2: 3795},
{y: '2012 Q4', item1: 15073, item2: 5967},
{y: '2013 Q1', item1: 10687, item2: 4460},
{y: '2013 Q2', item1: 8432, item2: 5713}
],
xkey: 'y',
ykeys: ['item1', 'item2'],
labels: ['Item 1', 'Item 2'],
lineColors: ['#a0d0e0', '#3c8dbc'],
hideHover: 'auto'
});
var line = new Morris.Line({
element: 'line-chart',
resize: true,
data: [
{y: '2011 Q1', item1: 2666},
{y: '2011 Q2', item1: 2778},
{y: '2011 Q3', item1: 4912},
{y: '2011 Q4', item1: 3767},
{y: '2012 Q1', item1: 6810},
{y: '2012 Q2', item1: 5670},
{y: '2012 Q3', item1: 4820},
{y: '2012 Q4', item1: 15073},
{y: '2013 Q1', item1: 10687},
{y: '2013 Q2', item1: 8432}
],
xkey: 'y',
ykeys: ['item1'],
labels: ['Item 1'],
lineColors: ['#efefef'],
lineWidth: 2,
hideHover: 'auto',
gridTextColor: "#fff",
gridStrokeWidth: 0.4,
pointSize: 4,
pointStrokeColors: ["#efefef"],
gridLineColor: "#efefef",
gridTextFamily: "Open Sans",
gridTextSize: 10
});
//Donut Chart
var donut = new Morris.Donut({
element: 'sales-chart',
resize: true,
colors: ["#3c8dbc", "#f56954", "#00a65a"],
data: [
{label: "Download Sales", value: 12},
{label: "In-Store Sales", value: 30},
{label: "Mail-Order Sales", value: 20}
],
hideHover: 'auto'
});
//Fix for charts under tabs
$('.box ul.nav a').on('shown.bs.tab', function () {
area.redraw();
donut.redraw();
line.redraw();
});
/* The todo list plugin */
$(".todo-list").todolist({
onCheck: function (ele) {
window.console.log("The element has been checked");
return ele;
},
onUncheck: function (ele) {
window.console.log("The element has been unchecked");
return ele;
}
});
});
``` |
East Charity Shoal Light is an offshore lighthouse located near the Saint Lawrence River's entrance in northeastern Lake Ontario, due south of the city of Kingston, Ontario and approximately southwest of Wolfe Island. It is on the southeast rim of a submerged circular depression known as Charity Shoal Crater that may be the remnants of a meteorite impact.
The lighthouse is located in Jefferson County, New York, near the Canada–United States border.
The tower originally served Vermilion Light Station in Ohio from 1877 to 1929, and was installed at its current New York location in 1935. The lighthouse was listed on the National Register of Historic Places in March 2008. East Charity Shoal Light has been privately owned since 2009, however easements are in place to maintain the light's function as a navigational aid.
Description
East Charity Shoal Light sits upon a reinforced concrete pier, long on each side, that rises approximately above Lake Ontario. The pier is built on a wooden crib foundation with protective riprap. The tower includes a single-story concrete deckhouse that is tall and in diameter. Above the deckhouse rises a three-story cast iron white tower, topped with a lantern and lantern gallery that is painted black. The light's interior includes a basement and five stories. The total height of the pier and tower is . The automated beacon is powered by a solar array, sits at a focal height of , and is visible for .
East Charity Shoal Light is not open to the public, but it is visible from Tibbetts Point Light on a clear day.
History
The tower was constructed from recast obsolescent cannon after the Battle of Fort Sumter in the American Civil War. It originally served Vermilion Light Station in Ohio from 1877 to 1929, but was removed after it was damaged in an ice storm. A replica of the tower was installed at Vermilion in 1991.
Prior to the installation of the East Charity Shoal Light, the shoal was the cause of at least one shipwreck, when the Rosedale grounded upon the rocks on December 5, 1897. The shoal was surveyed in 1900, and was found to be an area roughly long that was covered in water approximately deep. A buoy was installed on the eastern edge of the shoal, however groundings continued to occur, leading the United States Lighthouse Service to initiate the installation of a more permanent navigational aid.
Construction of the concrete pier for East Charity Shoal Light began in 1934, and the tower was installed in 1935. The tower was originally lit with a fourth-order Fresnel lens and a 1,300 candlepower light fueled by acetylene.
On July 23, 2008, the Secretary of the Interior identified East Charity Shoal Light as surplus under the National Historic Lighthouse Preservation Act of 2000. As such, the property was offered by the federal government for no cost to eligible agencies, institutions or organizations, with the agreement that the property would be maintained and made available for educational, recreational, or historic preservation purposes. No organization eligible under the NHLHPA was found to take ownership of the lighthouse.
In 2009, East Charity Shoal Light was put up for auction and was eventually purchased for $25,501 by Cyrena Nolan of Dallas, Texas on August 27, 2009. At the time of the purchase, Nolan intended to convert the lighthouse into a vacation home.
Although the property was transferred to private ownership, the light remains operational and the Aid to Navigation (ATON) remains the property of the United States Coast Guard. An easement is in place to allow for access to maintain or modify the navigational light. The easement also disallows construction of any structure that would interfere with visibility of the light.
References
Further reading
Oleszewski, Wes. Great Lakes Lighthouses, American and Canadian: A Comprehensive Directory/Guide to Great Lakes Lighthouses, (Gwinn, Michigan: Avery Color Studios, Inc., 1998)
U.S. Coast Guard. Historically Famous Lighthouses (Washington, D.C.: Government Printing Office, 1957)
Wright, Larry and Wright, Patricia. Great Lakes Lighthouses Encyclopedia (Erin, Ontario: Boston Mills Press, 2006)
Lighthouses completed in 1877
Lighthouses in Jefferson County, New York
Lighthouses on the National Register of Historic Places in New York (state)
National Register of Historic Places in Jefferson County, New York
1877 establishments in New York (state) |
Priyo.com (), often referred to simply as Priyo, meaning "Dear" in English, is a Bengali internet portal and news media company that was founded by Zakaria Swapan in 2011. Based in Bangladesh and intended primarily for local readers, it features pop cultural news, local interest stories and political and cultural commentary in Bengali.
History
In 2011, Priyo was founded in Dhaka, Bangladesh by Zakaria Swapan. It is one of the enlisted companies of the Bangladesh Association of Software and Services (BASIS), listed as Priyo Ltd. It is financed primarily by FENOX Venture Capital.
References
External links
Official website
Newspapers published in Dhaka
Bangladeshi news websites |
Julian Rubinstein is an American journalist, documentary filmmaker and educator. He is best known for his longform magazine journalism and his non-fiction books, Ballad of the Whiskey Robber, which chronicles the life of one of the world's most popular living folk heroes and The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood, a multi-generational story of activism and gang violence in a gentrifying northeast Denver community. While reporting The Holly, he began filming THE HOLLY, a feature documentary, which captures significant problems in a federal anti-gang effort and the targeted takedown of an activist.
Early life
Rubinstein was born in 1968 in the Bronx. He is the son of a doctor named David Rubinstein and an aerospace engineer named Diane Rubinstein. The family moved to Denver from New York City in 1971 when David Rubinstein accepted a residency at the University of Colorado Medical School. Soon afterward, Dr. Rubinstein was drafted into the Air Force and became the base psychiatrist at Denver's now-closed Lowry Air Force Base, retiring as a major. Dr. Rubinstein was an attending at several Denver-area hospitals. At age 49, he was diagnosed with cancer and became known posthumously for his work counseling residents at Hospice of Metro Denver who didn't know he too was dying. Diane Rubinstein worked much of her career on government contracts, including missile defense, and retired from Raytheon.
After living in Denver for several years and Pueblo for a year while Dr. Rubinstein worked at the state mental hospital, the family moved to south Denver, where Julian Rubinstein attended Cherry Creek High School. He went on to receive a B.A. in Political Science from Emory University in 1991 and an M.S. in Journalism from Columbia University's Graduate School of Journalism, in 1992.
Rubinstein's younger brother, Dan Rubinstein, is the elected district attorney in Mesa County, Colorado.
Career
Rubinstein began his career as an agate clerk in the Washington Post Sports section, and wrote for the Sports and Style section, where he did music reviews and features. In 1994, he was hired as a reporter at Sports Illustrated, where he worked for four years, covering tennis, NFL, NBA and extreme sports. In 1996, he worked with senior writer Gary Smith on "Crime and Punishment: The Saga of Richie Parker, which won the 1997 National Magazine Award for Feature Writing. In 1998, Rubinstein went to work for CBS Sports at the Nagano Winter Olympics as the co-editor-in-chief of a daily publication.
Afterward, Rubinstein became a freelance journalist, making a name as a reporter who was able to find overlooked or mistold stories, and land difficult interviews. His story, "They Call It Suicide", published in Rolling Stone in 2000, was reported over several weeks in Mato Grosso do Sul in which he gained the trust of a Guarani Indian tribe fleeing the reservation in fear of its chief. International news stories reported that the tribe had the highest suicide rate in the world, but Rubinstein discovered evidence that the chief was murdering his own people.
Rubinstein wrote what has been called the best profile of tennis player John McEnroe. The unabridged version of the profile appeared on the literary sports journalism site, SportsJones.com and espn.com, and an abridged version of the story was published in The New York Times Magazine in 2000. Rubinstein also chronicled the Hells Angels war with a rival biker gang, the Rock Machine, in Canada, and profiled the Hasidic international ecstasy kingpin, Jacob "Cookie" Orgad, a story selected for Best American Crime Writing.
In 2004, Rubinstein published his first non-fiction book Ballad of the Whiskey Robber, about the Hungarian bank robber and folk hero Attila Ambrus. The book was published in six languages and was a number one bestseller in Hungary. In the U.S., it was the winner of Borders' 2005 "Original Voices" Non-fiction Book of the Year and was a finalist for the 2005 Edgar Allan Poe Award for Best Fact Crime book and the 2005 Anthony Award for best Non-fiction book. A cabaret-style recording of the book was a finalist for the 2007 Audie Awards for Best Audio Book. The recording stars Eric Bogosian, Demetri Martin, former U.N. Ambassador Samantha Power, Gary Shteyngart, Jonathan Ames, Arthur Phillips, Darin Strauss, and Tommy Ramone. Warner Bros. and Johnny Depp optioned the book for a film.
In 2013, Rubinstein's story "Operation Easter" appeared in the New Yorker for which Rubinstein gained access to illegal egg collectors in the U.K. The story was named one of the "5 Most Entertaining Stories of the Year" by Longreads, and was listed as a Notable story of the Year by Best American Science and Nature Writing. In 2006, he wrote about his relationship with his father, David Rubinstein, in 5280, Denver's city magazine, which was cited as a Notable Story in 2007 Best American Essays.
In 2021, after seven years of work, his book, The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood was released to critical acclaim. In a starred review, Booklist called it "a shattering piece of investigative journalism involving street gangs, race relations and law enforcement." The New York Times Book Review named it an Editors' Choice, writing that it "expos[ed] the state surveillance, the crooked policing, the structural racism, the poverty, and the broken promises that had plagued the Holly for decades." Rubinstein appeared on NPR's All Things Considered with Michel Martin. The book was the winner of the 2022 Colorado Book Award for general nonfiction and the winner of the 2022 High Plains Book Award for Creative Nonfiction.
The Holly documentary
In 2022, a rough cut of the documentary Rubinstein began filming while reporting The Holly was shown to Academy Award-winner Adam McKay, who told Deadline.com that he was "completely blown away," and offered to come on as an Executive Producer. The film premiered at Telluride Mountainfilm in May 2022 and won the Audience Choice Award. Because of the project's implication of wealthy and influential people and entities in Denver and their connection to street violence in a gentrifying community, Rubinstein faced threats and falsehoods about the work and had to leave Denver for his safety in 2021 and 2022. The Denver Gazette wrote that Rubinstein's film was "a documentary that the most powerful people in Denver don't want to see and don't want you to see, calling to project "Denver's very own Bonfire of the Vanities." The film continued to win awards at film festivals and was acquired by Gravitas Ventures, which released the film theatrically in March, 2023. Due to continued threats on his life, Rubinstein was placed in a Colorado state protection program. The film and book were also sued by two self-identifying gang members, though the case was withdrawn with prejudice after the plaintiffs admitted that they had not read the book or seen the film. The film became a case study in the documentary community for how to withstand threats, falsehoods and legal challenges and was featured at the 2023 Double Exposure Investigative Film Festival in Washington DC.
Colorado College and the University of Denver's Media, Film and Journalism Studies Department partnered to present Rubinstein in conversation with Pulitzer Prize-winner Wesley Lowery in an event called "Battle for Truth." The Sentinel of Aurora, where Elijah McClain was killed and where Denver's gang violence has spilled into, called the film "a riveting look at metro police, gang violence and politics."
Personal life
Rubinstein worked as an adjunct professor of journalism at Columbia University, and also as a senior producer for the school's Dart Center for Journalism and Trauma. In 2021, he was named a Visiting Professor of the Practice in Documentary Journalism at the University of Denver. In 2023, he was named a visiting filmmaker at Western Colorado University. Rubinstein worked with at-risk youth at Groundwork in Brooklyn, and at Friends For Youth in Colorado. His mentee Ngor Monday was killed in a shootout in 2019.
Awards
2022 Winner, Audience Award, Best Documentary, Denver Film Festival
2022 Winner, Jury Prize, Best Documentary, Santa Fe International Film Festival, THE HOLLY
2022 Winner, High Plains Book Award for Creative Nonfiction, The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood
2022 Winner, Colorado Book Award for General Nonfiction, The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood
2022 Winner, Audience Choice Award, Telluride Mountainfilm, THE HOLLY (documentary film)
2021 Booklist Editors' Choice: Best of 2021, The Holly: Five Bullets One Gun and the Struggle to Save an American Neighborhood
2021 New York Times Editors' Choice, The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood
2014 Best American Science and Nature Writing, Notable Story of the Year, Operation Easter, New Yorker
2013 Best of Longform, 5 Most Entertaining Stories of the Year, for Operation Easter, New Yorker
2009 Lowell Thomas Travel Writing Award, Bronze Medal for Aspen feature story, Travel + Leisure
2007 Best American Essays, Notable Story of the Year, Final Cut, 5280
2007 Finalist, Audie Award, Best Audio Book of the Year, Finalist for Ballad of the Whiskey Robber
2005 Finalist, Edgar Allan Poe Award, Best Fact Crime Book, for Ballad of the Whiskey Robber
2005 Winner, Borders "Original Voices" Best Non-fiction Book of the Year, Winner for Ballad of the Whiskey Robber
2005 Anthony Award for Best Nonfiction Book, Finalist for Ballad of the Whiskey Robber
2002 Best American Crime Writing, Official Selection, X-Files, Details
2002 Best American Sports Writing, Notable Story of the Year, Being John McEnroe, espn.com / New York Times Magazine
2001 Online Journalism Association, Best Feature Writing, Finalist, for Being John McEnroe, espn.com
2000 Women's Sports Foundation, Best Journalism, Slam It Baby, Salon.com
1999 Best American Sports Writing, Notable Story of the Year, The Chosen One, Gear
Bibliography
Books
Rubinstein, Julian (2009). "Leaving Home." Published in Writing Away From Home, International Authors In Brussels, cahier, het beschrijf, pp 141–145.
Rubinstein, Julian (2021). The Holly: Five Bullets, One Gun and the Struggle to Save an American Neighborhood.
Film
THE HOLLY (2022).
Articles
Rubinstein, Julian (January 27, 2000). "Being John McEnroe." The New York Times Magazine
Rubinstein, Julian (June 8, 2000). "They Call It Suicide." Rolling Stone
Rubinstein, Julian (September, 2001.) "X-Files." Details
References
External links
THE HOLLY documentary film website
The Holly Official Book Website
"The Shocking Story of 'The Holly' Continues to Rile Denver's Power Structure,"—The Denver Post, Sept 8, 2022
"A documentary that the most powerful people in Denver don't want you to see,"—Denver Gazette, May 21, 2022
"Battle for Truth: A conversation between award-winning journalists Wesley Lowery and Julian Rubinstein,"—DU Clarion, Feb 28, 2022
Pulitzer Prize-winner Wesley Lowery and Julian Rubinstein in conversation at Colorado College about The Holly, covering vulnerable communities, and unseen problems with policing including the misuse of informants and corruption in America's federal anti-gang program. (Feb 15, 2022)
NPR's Michel Martin interviews Julian Rubinstein on All Things Considered about The Holly
Julian Rubinstein talks about The Holly on the New York Times Book Review podcast
Ballad of the Whiskey Robber website
Julian Rubinstein performs "Ballad of the Whiskey Robber" at the Festival in Germany.
Julian Rubinstein Talks About the Hells Angels on the O'Reilly Factor
Interview with Julian Rubinstein from Media Bistro
Documentary Video of Julian Rubinstein Visiting Attila Ambrus in prison in Hungary
American male journalists
Living people
1968 births |
Acacia caesaneura, commonly known as western blue mulga, is a shrub or tree belonging to the genus Acacia and the subgenus Juliflorae that is endemic to western Australia.
Description
The multi-stemmed shrub with a height of eventually mature to a tree with a height of with an obconic habit with dense crowns. The densely haired branchlets have discrete resinous ribs towards the apices. Like most species of Acacia it has phyllodes rather than true leaves. The evergreen and variable phyllodes are straight and dimidiate to sickle shaped recurved and usually with a narrowly oblong to elliptic shape. The phyllodes are not rigid and have a length of and a width of with many longitudinal nerves.
Distribution
It is native to an area of the Goldfields-Esperance and Mid West regions of Western Australia. The bulk of the population is found from around Yalgoo in the west to around Meekatharra in the north down to around Kalgoorlie in the south extending to around the northern edge of the Nullarbor Plain in the east. A. caesaneura if often situated on plains or undulating country growing in red-brown sandy loam to clay soils sometimes over hardpan as a part of Acacia shrubland or woodland communities.
See also
List of Acacia species
References
caesaneura
Acacias of Western Australia
Taxa named by Bruce Maslin
Plants described in 2012 |
Bjelovići is a village in the municipality of Kreševo, Bosnia and Herzegovina.
Demographics
According to the 2013 census, its population was 180.
References
Populated places in Kreševo |
The 1960 Wightman Cup was the 32nd edition of the annual women's team tennis competition between the United States and Great Britain. It was held at the All England Lawn Tennis and Croquet Club in London in England in the United Kingdom.
References
1950
1960 in tennis
1960 in American tennis
1960 in British sport
1960 in women's tennis
1960 sports events in London
1960 in English tennis
1960 in English women's sport |
Japanese encephalitis vaccine is a vaccine that protects against Japanese encephalitis. The vaccines are more than 90% effective. The duration of protection with the vaccine is not clear but its effectiveness appears to decrease over time. Doses are given either by injection into a muscle or just under the skin.
It is recommended as part of routine immunizations in countries where the disease is a problem. One or two doses are given depending on the version of the vaccine. Extra doses are not typically needed in areas where the disease is common. In those with HIV/AIDS or those who are pregnant an inactivated vaccine should be used. Immunization of travellers who plan to spend time outdoors in areas where the disease is common is recommended.
The vaccines are relatively safe. Pain and redness may occur at the site of injection. , 15 different vaccines are available: some are based on recombinant DNA techniques, others weakened virus, and others inactivated virus.
The Japanese encephalitis vaccines first became available in the 1930s. It is on the World Health Organization's List of Essential Medicines.
Efficacy
Randomized control trials on JE-VAX have shown that a two-dose schedule provides protection for one year.
History
Japanese encephalitis vaccines first became available in the 1930s. One of them was an inactivated mouse brain-derived vaccine (the Nakayama and/or Beijing-1 strain), made by BIKEN and marketed by Sanofi Pasteur as JE-VAX, until production ceased in 2005. The other was an inactivated vaccine cultivated on primary hamster kidney cells (the Beijing-3 strain). The Beijing-3 strain was the main variant of the vaccine used in the People's Republic of China from 1968 until 2005.
Three second-generation vaccines have entered markets since then: SA14-14-2, IC51 and ChimeriVax-JE. The live-attenuated SA14-14-2 strain was introduced in China in 1988. It is much cheaper than alternative vaccines, and is administered to 20 million Chinese children each year.
A purified, formalin-inactivated, wholevirus vaccine known as IC51 (marketed in Australia and New Zealand as JESPECT and elsewhere as IXIARO) was licensed for use in the United States, Australia, and Europe during the spring of 2009. It is based on a SA14-14-2 strain and cultivated in Vero cells. In September 2012, the Indian firm Biological E. Limited launched an inactivated cell culture derived vaccine based on SA 14-14-2 strain which was developed in a technology transfer agreement with Intercell and is a thiomersal-free vaccine.
Another vaccine, a live-attenuated recombinant chimeric virus vaccine developed using the Yellow fever virus known as ChimeriVax-JE (marketed as IMOJEV) was licensed for use in Australia in August 2010 and in Thailand in December 2012.
References
External links
Inactivated vaccines
Vaccines
World Health Organization essential medicines (vaccines)
Wikipedia medicine articles ready to translate |
References
External links
NAACP Theatre Awards
African-American theatre
NAACP Theatre Awards
Awards established in 1991 |
The 1915 American Grand Prize was the first race of the 1915 Grand Prix season and was held February 27, 1915, at the Panama–Pacific International Exposition, sometimes mistakenly referred to as the San Francisco World's Fair. Unlike the previous American Grand Prize races that saw few entrants, 39 cars entered the 1915 race, 35 appeared, and 30 took the start. Rain began mid-race and 11 cars pulled off course and withdrew. Dario Resta won the race by over six minutes over Howdy Wilcox. His average speed was 56.13 mph (90.33 km/h), slowed by the rain.
Classification
References
American Grand Prize, 1915
United States Grand Prix
American Grand Prize
Panama–Pacific International Exposition
Grand Prize
1910s in San Francisco |
Rodriguezia lanceolata is a species of orchid found from the St. Vincent, Trinidad, Panama, Colombia, Venezuela, the Guianas, Suriname, Peru, Ecuador, and Brazil.
References
External links
IOSPE orchid photos, Rodriguezia lanceolata Ruiz & Pavon 1798 Photo courtesy of Jay Pfahl
Santa Barbara Orchid Estate
Seattle Orchid
lanceolata
Orchids of South America
Orchids of Panama
Flora of Trinidad and Tobago
Flora of the Windward Islands
Plants described in 1798
Flora without expected TNC conservation status |
The Übi (, Übi) or Uba () is a river of Kazakhstan.
The river is a 278 km tributary stream to the transboundary Ertis river, and has a surrounding drainage basin that is 9,850 km2 in size. It flows through the town Shemonaikha.
References
Rivers of Kazakhstan |
Missio may refer to:
Missio, public facing name of Pontifical Mission Societies, the Catholic Church's official charity for overseas mission
People
Egone Missio Fondo Egone Missio Archives
Stefano Missio (1972) Italian filmmaker
Music
Missio (duo), US electronic duo formed in 2014
Missió, late 1980s Hungarian heavy metal band, see Impulse (band)
See also
Missio Dei, Latin theological term for the "sending of God"
Honesta missio, honorable discharge from the military service in the Roman Empire
Redemptoris missio (Latin: The Mission of the Redeemer), subtitled On the permanent validity of the Church's missionary mandate, encyclical |
Agent Orange is the third studio album by German thrash metal band Sodom, released on 1 June 1989 by SPV/Steamhammer. It was their last album with guitarist Frank Blackfire (who would later join Kreator) until his return to the band in 2018. The lyrical content delves deeply into Tom Angelripper's fascination with the Vietnam War, with a song dedicated to the ground assault aircraft AC-47 as well as the Agent orange defoliant-inspired title-track. It was their first album to enter the German album charts where it reached number 36. Agent Orange sold 100,000 copies in Germany alone and marked the commercial break through for the band. The song "Ausgebombt" was released on the EP Ausgebombt with German lyrics.
The album's liner notes carry the message: "This album is dedicated to all people – soldiers and civilians – who died by senseless aggressions of wars all over the world."
In March 2010, Agent Orange was re-released in a digipak with bonus tracks and liner notes containing lyrics and rare photos.
Critical reception
In 2005, Agent Orange was ranked number 299 in Rock Hard magazine's book of The 500 Greatest Rock & Metal Albums of All Time. In 2017, Rolling Stone ranked Agent Orange as 63rd on their list of 'The 100 Greatest Metal Albums of All Time'.
Track listing
Track 9 is a bonus track for initial CD pressings.
Personnel
Sodom
Tom Angelripper – vocals, bass
Frank Blackfire – guitars
Chris Witchhunter – drums
Production
Harris Johns – production, engineering, mixing
Andreas Marschall – cover art
Manfred Eisenblätter – photography
Ausgebombt EP
The band released two songs from Agent Orange on its third EP, Ausgebombt.
Track listing
Charts
See also
List of anti-war songs
References
Sodom (band) albums
1989 albums
SPV/Steamhammer albums
Albums produced by Harris Johns |
is a Japanese variety entertainer.
Biography
Sakaguchi was born on March 3, 1991, in Tokyo. She graduated from Shōtō Kindergarten, Seijo Gakuen Primary School, Seijo Gakuen Junior High School and High School, and Horikoshi High School.
Sakaguchi's mother is actress Ryoko Sakaguchi, her father was formerly a real estate company executive, her stepfather is the professional golfer Tateo Ozaki. She has a brother that is two years older than her. Her parents divorced on 1994, and she grew up with her mother.
Sakaguchi was a fan of Morning Musume and joined the entertainment industry in 2008. Her first leading film role was in Honey Flappers in 2014.
At the end of March 2016, Sakaguchi left Avilla at her own request.
She became an adult video actress, releasing her first video in October 2016. Sakaguchi began stripping in June 2018, and began working as a hostess.
On June 8, 2022, she announced her marriage. But on August 15, she announced her divorce through Instagram, after lasting only two months.
Filmography
Adult Video
TV series
Dramas
Radio series
Films
References
External links
– MUTEKI official website specializing in entertainers
– Wayback Machine
– Ameba Blog (June 27, 2008 – December 21, 2015)
– GREE (January 19, 2010 – May 12, 2011)
Japanese gravure models
Japanese television personalities
Japanese pornographic film actresses
Japanese female adult models
1991 births
Living people
Horikoshi High School alumni
Entertainers from Tokyo |
The Bethanie Desalination Plant, also Bethany Desalination Plant, is a brackish water desalination plant in the settlement of Bethanie, in Namibia. The facility is owned and was developed by the Namibia Water Corporation (NamWater). The potable water produced by this plant, whose capacity production is per day, is expected to supply the town of Bethanie until 2037.
Location
The desalination plant is located in the town of Bethanie, in the ǁKaras Region of Namibia. Bethanie is located approximately , west of Keetmanshoop, the capital of ǁKaras Region. Bethanie is located approximately south of Windhoek, the capital and largest city in the country.
Overview
The objective of this project is to improve the quantity and quality of drinking water available to the inhabitants of Bethany. It was developed as a pilot project to explore the feasibility of desalinating brackish ground water for domestic and light commercial use. This is part of the Namibian government's attempt to increase water supply to Namibians, from 85 percent in 2022 to 100 percent. Namibia has set a goal to have 100 percent potable water supply to her citizens and residents by 2030.
The plant is designed to process raw brackish ground water through desalination equipment that includes reverse osmosis membranes. Due to the rural location, renewable energy sources were selected. The installation is fitted with solar panels, so that the sun provides the power to fuel the desalination process.
Development
A number of national and international stakeholders worked together to design, construct and fund this desalination plant. The table below details the entities that supported this development.
1. The Multilateral Environmental Agreements Division of the Namibian Ministry of Environment, Forestry and Tourism is a stakeholder in the development of this plant.
Funding and timeline
The construction is reported to have cost N$37 million (approx. US$2.3 million), funded by the stakeholders listed in the previous section. Construction took place between "October 2020 and October 2021", with commercial commissioning in July 2022.
See also
Desalination
Water supply and sanitation in Namibia
Notes
References
External links
Pilot rural desalination plants using renewable power and membrane technology
Buildings and structures in ǁKaras Region
2022 establishments in Namibia
Infrastructure completed in 2022
Water resources management |
Carl Graffunder (March 23, 1919 – August 27, 2013) was a mid-century modernist architect whose influence from European modernism, Frank Lloyd Wright and Antonin Raymond manifested in many residential and commercial structures mostly in Minnesota. He was born in Rock Island, Illinois and raised in Hibbing, Minnesota. He received his Bachelor of Architecture at the University of Minnesota in 1942 and Master of Architecture from Harvard University in 1948. Graffunder was the chief draftsman for Antonin Raymond in New York City from 1946 to 1947. Graffunder taught for the University of Minnesota School of Architecture from 1948 until his retirement in the 1980s.
His commercial building projects include:
Normandale Lutheran Church, Minneapolis, MN
Bethany Lutheran Church, Minneapolis, MN
Stevens Square Nursing Home, Minneapolis, MN
External links
Buildings designed by Carl Graffunder - blog with many images
Obituary Notice
1919 births
University of Minnesota School of Architecture alumni
University of Minnesota faculty
People from Hibbing, Minnesota
2013 deaths
Harvard Graduate School of Design alumni
Architects from Minneapolis |
```go
// go run linux/mksysnum.go -Wall -Werror -static -I/tmp/include /tmp/include/asm/unistd.h
// Code generated by the command above; see README.md. DO NOT EDIT.
// +build mips,linux
package unix
const (
SYS_SYSCALL = 4000
SYS_EXIT = 4001
SYS_FORK = 4002
SYS_READ = 4003
SYS_WRITE = 4004
SYS_OPEN = 4005
SYS_CLOSE = 4006
SYS_WAITPID = 4007
SYS_CREAT = 4008
SYS_LINK = 4009
SYS_UNLINK = 4010
SYS_EXECVE = 4011
SYS_CHDIR = 4012
SYS_TIME = 4013
SYS_MKNOD = 4014
SYS_CHMOD = 4015
SYS_LCHOWN = 4016
SYS_BREAK = 4017
SYS_UNUSED18 = 4018
SYS_LSEEK = 4019
SYS_GETPID = 4020
SYS_MOUNT = 4021
SYS_UMOUNT = 4022
SYS_SETUID = 4023
SYS_GETUID = 4024
SYS_STIME = 4025
SYS_PTRACE = 4026
SYS_ALARM = 4027
SYS_UNUSED28 = 4028
SYS_PAUSE = 4029
SYS_UTIME = 4030
SYS_STTY = 4031
SYS_GTTY = 4032
SYS_ACCESS = 4033
SYS_NICE = 4034
SYS_FTIME = 4035
SYS_SYNC = 4036
SYS_KILL = 4037
SYS_RENAME = 4038
SYS_MKDIR = 4039
SYS_RMDIR = 4040
SYS_DUP = 4041
SYS_PIPE = 4042
SYS_TIMES = 4043
SYS_PROF = 4044
SYS_BRK = 4045
SYS_SETGID = 4046
SYS_GETGID = 4047
SYS_SIGNAL = 4048
SYS_GETEUID = 4049
SYS_GETEGID = 4050
SYS_ACCT = 4051
SYS_UMOUNT2 = 4052
SYS_LOCK = 4053
SYS_IOCTL = 4054
SYS_FCNTL = 4055
SYS_MPX = 4056
SYS_SETPGID = 4057
SYS_ULIMIT = 4058
SYS_UNUSED59 = 4059
SYS_UMASK = 4060
SYS_CHROOT = 4061
SYS_USTAT = 4062
SYS_DUP2 = 4063
SYS_GETPPID = 4064
SYS_GETPGRP = 4065
SYS_SETSID = 4066
SYS_SIGACTION = 4067
SYS_SGETMASK = 4068
SYS_SSETMASK = 4069
SYS_SETREUID = 4070
SYS_SETREGID = 4071
SYS_SIGSUSPEND = 4072
SYS_SIGPENDING = 4073
SYS_SETHOSTNAME = 4074
SYS_SETRLIMIT = 4075
SYS_GETRLIMIT = 4076
SYS_GETRUSAGE = 4077
SYS_GETTIMEOFDAY = 4078
SYS_SETTIMEOFDAY = 4079
SYS_GETGROUPS = 4080
SYS_SETGROUPS = 4081
SYS_RESERVED82 = 4082
SYS_SYMLINK = 4083
SYS_UNUSED84 = 4084
SYS_READLINK = 4085
SYS_USELIB = 4086
SYS_SWAPON = 4087
SYS_REBOOT = 4088
SYS_READDIR = 4089
SYS_MMAP = 4090
SYS_MUNMAP = 4091
SYS_TRUNCATE = 4092
SYS_FTRUNCATE = 4093
SYS_FCHMOD = 4094
SYS_FCHOWN = 4095
SYS_GETPRIORITY = 4096
SYS_SETPRIORITY = 4097
SYS_PROFIL = 4098
SYS_STATFS = 4099
SYS_FSTATFS = 4100
SYS_IOPERM = 4101
SYS_SOCKETCALL = 4102
SYS_SYSLOG = 4103
SYS_SETITIMER = 4104
SYS_GETITIMER = 4105
SYS_STAT = 4106
SYS_LSTAT = 4107
SYS_FSTAT = 4108
SYS_UNUSED109 = 4109
SYS_IOPL = 4110
SYS_VHANGUP = 4111
SYS_IDLE = 4112
SYS_VM86 = 4113
SYS_WAIT4 = 4114
SYS_SWAPOFF = 4115
SYS_SYSINFO = 4116
SYS_IPC = 4117
SYS_FSYNC = 4118
SYS_SIGRETURN = 4119
SYS_CLONE = 4120
SYS_SETDOMAINNAME = 4121
SYS_UNAME = 4122
SYS_MODIFY_LDT = 4123
SYS_ADJTIMEX = 4124
SYS_MPROTECT = 4125
SYS_SIGPROCMASK = 4126
SYS_CREATE_MODULE = 4127
SYS_INIT_MODULE = 4128
SYS_DELETE_MODULE = 4129
SYS_GET_KERNEL_SYMS = 4130
SYS_QUOTACTL = 4131
SYS_GETPGID = 4132
SYS_FCHDIR = 4133
SYS_BDFLUSH = 4134
SYS_SYSFS = 4135
SYS_PERSONALITY = 4136
SYS_AFS_SYSCALL = 4137
SYS_SETFSUID = 4138
SYS_SETFSGID = 4139
SYS__LLSEEK = 4140
SYS_GETDENTS = 4141
SYS__NEWSELECT = 4142
SYS_FLOCK = 4143
SYS_MSYNC = 4144
SYS_READV = 4145
SYS_WRITEV = 4146
SYS_CACHEFLUSH = 4147
SYS_CACHECTL = 4148
SYS_SYSMIPS = 4149
SYS_UNUSED150 = 4150
SYS_GETSID = 4151
SYS_FDATASYNC = 4152
SYS__SYSCTL = 4153
SYS_MLOCK = 4154
SYS_MUNLOCK = 4155
SYS_MLOCKALL = 4156
SYS_MUNLOCKALL = 4157
SYS_SCHED_SETPARAM = 4158
SYS_SCHED_GETPARAM = 4159
SYS_SCHED_SETSCHEDULER = 4160
SYS_SCHED_GETSCHEDULER = 4161
SYS_SCHED_YIELD = 4162
SYS_SCHED_GET_PRIORITY_MAX = 4163
SYS_SCHED_GET_PRIORITY_MIN = 4164
SYS_SCHED_RR_GET_INTERVAL = 4165
SYS_NANOSLEEP = 4166
SYS_MREMAP = 4167
SYS_ACCEPT = 4168
SYS_BIND = 4169
SYS_CONNECT = 4170
SYS_GETPEERNAME = 4171
SYS_GETSOCKNAME = 4172
SYS_GETSOCKOPT = 4173
SYS_LISTEN = 4174
SYS_RECV = 4175
SYS_RECVFROM = 4176
SYS_RECVMSG = 4177
SYS_SEND = 4178
SYS_SENDMSG = 4179
SYS_SENDTO = 4180
SYS_SETSOCKOPT = 4181
SYS_SHUTDOWN = 4182
SYS_SOCKET = 4183
SYS_SOCKETPAIR = 4184
SYS_SETRESUID = 4185
SYS_GETRESUID = 4186
SYS_QUERY_MODULE = 4187
SYS_POLL = 4188
SYS_NFSSERVCTL = 4189
SYS_SETRESGID = 4190
SYS_GETRESGID = 4191
SYS_PRCTL = 4192
SYS_RT_SIGRETURN = 4193
SYS_RT_SIGACTION = 4194
SYS_RT_SIGPROCMASK = 4195
SYS_RT_SIGPENDING = 4196
SYS_RT_SIGTIMEDWAIT = 4197
SYS_RT_SIGQUEUEINFO = 4198
SYS_RT_SIGSUSPEND = 4199
SYS_PREAD64 = 4200
SYS_PWRITE64 = 4201
SYS_CHOWN = 4202
SYS_GETCWD = 4203
SYS_CAPGET = 4204
SYS_CAPSET = 4205
SYS_SIGALTSTACK = 4206
SYS_SENDFILE = 4207
SYS_GETPMSG = 4208
SYS_PUTPMSG = 4209
SYS_MMAP2 = 4210
SYS_TRUNCATE64 = 4211
SYS_FTRUNCATE64 = 4212
SYS_STAT64 = 4213
SYS_LSTAT64 = 4214
SYS_FSTAT64 = 4215
SYS_PIVOT_ROOT = 4216
SYS_MINCORE = 4217
SYS_MADVISE = 4218
SYS_GETDENTS64 = 4219
SYS_FCNTL64 = 4220
SYS_RESERVED221 = 4221
SYS_GETTID = 4222
SYS_READAHEAD = 4223
SYS_SETXATTR = 4224
SYS_LSETXATTR = 4225
SYS_FSETXATTR = 4226
SYS_GETXATTR = 4227
SYS_LGETXATTR = 4228
SYS_FGETXATTR = 4229
SYS_LISTXATTR = 4230
SYS_LLISTXATTR = 4231
SYS_FLISTXATTR = 4232
SYS_REMOVEXATTR = 4233
SYS_LREMOVEXATTR = 4234
SYS_FREMOVEXATTR = 4235
SYS_TKILL = 4236
SYS_SENDFILE64 = 4237
SYS_FUTEX = 4238
SYS_SCHED_SETAFFINITY = 4239
SYS_SCHED_GETAFFINITY = 4240
SYS_IO_SETUP = 4241
SYS_IO_DESTROY = 4242
SYS_IO_GETEVENTS = 4243
SYS_IO_SUBMIT = 4244
SYS_IO_CANCEL = 4245
SYS_EXIT_GROUP = 4246
SYS_LOOKUP_DCOOKIE = 4247
SYS_EPOLL_CREATE = 4248
SYS_EPOLL_CTL = 4249
SYS_EPOLL_WAIT = 4250
SYS_REMAP_FILE_PAGES = 4251
SYS_SET_TID_ADDRESS = 4252
SYS_RESTART_SYSCALL = 4253
SYS_FADVISE64 = 4254
SYS_STATFS64 = 4255
SYS_FSTATFS64 = 4256
SYS_TIMER_CREATE = 4257
SYS_TIMER_SETTIME = 4258
SYS_TIMER_GETTIME = 4259
SYS_TIMER_GETOVERRUN = 4260
SYS_TIMER_DELETE = 4261
SYS_CLOCK_SETTIME = 4262
SYS_CLOCK_GETTIME = 4263
SYS_CLOCK_GETRES = 4264
SYS_CLOCK_NANOSLEEP = 4265
SYS_TGKILL = 4266
SYS_UTIMES = 4267
SYS_MBIND = 4268
SYS_GET_MEMPOLICY = 4269
SYS_SET_MEMPOLICY = 4270
SYS_MQ_OPEN = 4271
SYS_MQ_UNLINK = 4272
SYS_MQ_TIMEDSEND = 4273
SYS_MQ_TIMEDRECEIVE = 4274
SYS_MQ_NOTIFY = 4275
SYS_MQ_GETSETATTR = 4276
SYS_VSERVER = 4277
SYS_WAITID = 4278
SYS_ADD_KEY = 4280
SYS_REQUEST_KEY = 4281
SYS_KEYCTL = 4282
SYS_SET_THREAD_AREA = 4283
SYS_INOTIFY_INIT = 4284
SYS_INOTIFY_ADD_WATCH = 4285
SYS_INOTIFY_RM_WATCH = 4286
SYS_MIGRATE_PAGES = 4287
SYS_OPENAT = 4288
SYS_MKDIRAT = 4289
SYS_MKNODAT = 4290
SYS_FCHOWNAT = 4291
SYS_FUTIMESAT = 4292
SYS_FSTATAT64 = 4293
SYS_UNLINKAT = 4294
SYS_RENAMEAT = 4295
SYS_LINKAT = 4296
SYS_SYMLINKAT = 4297
SYS_READLINKAT = 4298
SYS_FCHMODAT = 4299
SYS_FACCESSAT = 4300
SYS_PSELECT6 = 4301
SYS_PPOLL = 4302
SYS_UNSHARE = 4303
SYS_SPLICE = 4304
SYS_SYNC_FILE_RANGE = 4305
SYS_TEE = 4306
SYS_VMSPLICE = 4307
SYS_MOVE_PAGES = 4308
SYS_SET_ROBUST_LIST = 4309
SYS_GET_ROBUST_LIST = 4310
SYS_KEXEC_LOAD = 4311
SYS_GETCPU = 4312
SYS_EPOLL_PWAIT = 4313
SYS_IOPRIO_SET = 4314
SYS_IOPRIO_GET = 4315
SYS_UTIMENSAT = 4316
SYS_SIGNALFD = 4317
SYS_TIMERFD = 4318
SYS_EVENTFD = 4319
SYS_FALLOCATE = 4320
SYS_TIMERFD_CREATE = 4321
SYS_TIMERFD_GETTIME = 4322
SYS_TIMERFD_SETTIME = 4323
SYS_SIGNALFD4 = 4324
SYS_EVENTFD2 = 4325
SYS_EPOLL_CREATE1 = 4326
SYS_DUP3 = 4327
SYS_PIPE2 = 4328
SYS_INOTIFY_INIT1 = 4329
SYS_PREADV = 4330
SYS_PWRITEV = 4331
SYS_RT_TGSIGQUEUEINFO = 4332
SYS_PERF_EVENT_OPEN = 4333
SYS_ACCEPT4 = 4334
SYS_RECVMMSG = 4335
SYS_FANOTIFY_INIT = 4336
SYS_FANOTIFY_MARK = 4337
SYS_PRLIMIT64 = 4338
SYS_NAME_TO_HANDLE_AT = 4339
SYS_OPEN_BY_HANDLE_AT = 4340
SYS_CLOCK_ADJTIME = 4341
SYS_SYNCFS = 4342
SYS_SENDMMSG = 4343
SYS_SETNS = 4344
SYS_PROCESS_VM_READV = 4345
SYS_PROCESS_VM_WRITEV = 4346
SYS_KCMP = 4347
SYS_FINIT_MODULE = 4348
SYS_SCHED_SETATTR = 4349
SYS_SCHED_GETATTR = 4350
SYS_RENAMEAT2 = 4351
SYS_SECCOMP = 4352
SYS_GETRANDOM = 4353
SYS_MEMFD_CREATE = 4354
SYS_BPF = 4355
SYS_EXECVEAT = 4356
SYS_USERFAULTFD = 4357
SYS_MEMBARRIER = 4358
SYS_MLOCK2 = 4359
SYS_COPY_FILE_RANGE = 4360
SYS_PREADV2 = 4361
SYS_PWRITEV2 = 4362
SYS_PKEY_MPROTECT = 4363
SYS_PKEY_ALLOC = 4364
SYS_PKEY_FREE = 4365
SYS_STATX = 4366
SYS_RSEQ = 4367
SYS_IO_PGETEVENTS = 4368
SYS_SEMGET = 4393
SYS_SEMCTL = 4394
SYS_SHMGET = 4395
SYS_SHMCTL = 4396
SYS_SHMAT = 4397
SYS_SHMDT = 4398
SYS_MSGGET = 4399
SYS_MSGSND = 4400
SYS_MSGRCV = 4401
SYS_MSGCTL = 4402
SYS_CLOCK_GETTIME64 = 4403
SYS_CLOCK_SETTIME64 = 4404
SYS_CLOCK_ADJTIME64 = 4405
SYS_CLOCK_GETRES_TIME64 = 4406
SYS_CLOCK_NANOSLEEP_TIME64 = 4407
SYS_TIMER_GETTIME64 = 4408
SYS_TIMER_SETTIME64 = 4409
SYS_TIMERFD_GETTIME64 = 4410
SYS_TIMERFD_SETTIME64 = 4411
SYS_UTIMENSAT_TIME64 = 4412
SYS_PSELECT6_TIME64 = 4413
SYS_PPOLL_TIME64 = 4414
SYS_IO_PGETEVENTS_TIME64 = 4416
SYS_RECVMMSG_TIME64 = 4417
SYS_MQ_TIMEDSEND_TIME64 = 4418
SYS_MQ_TIMEDRECEIVE_TIME64 = 4419
SYS_SEMTIMEDOP_TIME64 = 4420
SYS_RT_SIGTIMEDWAIT_TIME64 = 4421
SYS_FUTEX_TIME64 = 4422
SYS_SCHED_RR_GET_INTERVAL_TIME64 = 4423
SYS_PIDFD_SEND_SIGNAL = 4424
SYS_IO_URING_SETUP = 4425
SYS_IO_URING_ENTER = 4426
SYS_IO_URING_REGISTER = 4427
SYS_OPEN_TREE = 4428
SYS_MOVE_MOUNT = 4429
SYS_FSOPEN = 4430
SYS_FSCONFIG = 4431
SYS_FSMOUNT = 4432
SYS_FSPICK = 4433
SYS_PIDFD_OPEN = 4434
SYS_CLONE3 = 4435
SYS_CLOSE_RANGE = 4436
SYS_OPENAT2 = 4437
SYS_PIDFD_GETFD = 4438
SYS_FACCESSAT2 = 4439
)
``` |
R. R. "Roy" van Aalst (; born 28 March 1983) is a Dutch politician. He has been a member of the House of Representatives representing the Party for Freedom since 23 March 2017 and a member of the States of Overijssel since March 2015. Van Aalst is married, has three children, and lives in Hengelo.
References
External links
1983 births
21st-century Dutch politicians
Living people
Members of the House of Representatives (Netherlands)
Members of the Provincial Council of Overijssel
Party for Freedom politicians
People from Enschede
Belang van Nederland politicians |
St Finian's (Swords) GAA is a Gaelic Athletic Association club in based in the River Valley area of Swords in the north of County Dublin.
The club fields teams at adult and juvenile level in camogie, hurling, and ladies' and men's football.
Honours
Dublin Junior Football Championship: winner 2000
Dublin AFL Div. 3 winner 2012
References
External links
Official website
Gaelic games clubs in Fingal
Gaelic football clubs in Fingal |
The Old Amiri Palace, located in Doha, Qatar, previously served as the residence of Sheikh Abdullah bin Jassim Al Thani during the early 20th century. It became defunct in 1923 when Abdullah bin Jassim shifted his seat of government to the then-abandoned Ottoman fort of Qal'at al-Askar. In 1972, it was decided that it would be converted into a museum, culminating in the Qatar National Museum.
History
In late 1871, the Qatar Peninsula fell under Ottoman control after Sheikh Jassim bin Mohammed Al Thani, ruler of the peninsula, acquiesced to control in exchange for protection from the Sheikhs of Bahrain and Abu Dhabi and agreed to fly the Ottoman flag at his residence. In January 1872, Qatar was formally incorporated into the Ottoman Empire as a province in Najd with Sheikh Jassim being appointed its kaymakam (sub-governor). Sheikh Jassim was allowed to continue presiding over most local affairs. Shortly after their arrival, the Ottomans established a permanent presence at Qal'at al-Askar, a fort built on a slightly elevated area in central Doha. As the de facto ruler, Sheikh Jassim established his headquarters at Fereej Al Salata, a seaside district that provided suitable harborage.
Sheikh Jassim died in 1913 and Sheikh Abdullah bin Jassim Al Thani was to take up his mantle as the ruler of Qatar. The Ottomans withdrew from Qatar in 1915 and Qatar became a British protectorate in 1916; Sheikh Abdullah's ruling of the peninsula was recognized by the British. Throughout the end of Sheikh Jassim's and the beginning of Sheikh Abdullah's reign, the family palace frequently received upgrades and expansions. Finally, in 1923, Sheikh Abdullah decided to shift the seat of government to the now-abandoned Qal'at al-Askar, which eventually became known as the Amiri Diwan. Almost 50 years later, Sheikh Khalifa bin Hamad Al Thani began the process of converting the defunct palace into a museum, resulting in the establishment of the Qatar National Museum in 1975.
Description
As mentioned previously, the palace was continuously improved throughout the years with no defined master plan. In 2010, the following sections of the palace were identified:
Sheikh Abdullah's family residence
Sheikh Hamed's family residence
Sheikh Ali's family residence
Guard's residence
Mosque custodian's residence
East Gatehouse residence
North gatehouse residence
Small majlis
Inner majlis
References
Buildings and structures in Doha
1923 disestablishments in Qatar |
```javascript
/*
Use of this source code is governed by a MIT license
that can be found in the LICENSE file.
*/
Tests.register("Audio.getContext()", function() {
var ctx = Audio.getContext();
Assert(ctx instanceof AudioContext);
});
Tests.register("Audio.getContext() with params", function() {
var ctx = Audio.getContext(1024, 2, 22050);
Assert(ctx instanceof AudioContext);
Assert.equal(ctx.bufferSize, 1024);
Assert.equal(ctx.channels, 2);
Assert.equal(ctx.sampleRate, 22050);
});
Tests.register("Audio.getContext() with invalid buffer size", function() {
try {
var ctx = Audio.getContext(-1024);
} catch (e) {
Assert(e.message.indexOf("Unsuported buffer size") == 0);
return;
}
Assert(false, "Exception was expected");
});
Tests.register("Audio.getContext() with invalid channels", function() {
try {
var ctx = Audio.getContext(1024, 64);
} catch (e) {
Assert(e.message.indexOf("Unsuported channels number") == 0);
return;
}
Assert(false, "Exception was expected");
});
Tests.register("Audio.getContext() with invalid sample rate", function() {
try {
var ctx = Audio.getContext(1024, 32, 11025);
} catch (e) {
Assert(e.message.indexOf("Unsuported sample rate") == 0);
return;
}
Assert(false, "Exception was expected");
});
``` |
Egisto Pandolfini (; 17 February 1926 – 29 January 2019) was an Italian footballer who played as a midfielder.
Club career
Pandolfini was born in Lastra a Signa. He played for 12 seasons (316 games, 75 goals) in the Serie A for ACF Fiorentina, A.S. Roma, F.C. Internazionale Milano and SPAL 1907.
International career
Pandolfini obtained 21 caps and scored 9 goals for the Italy national team, appearing in both the 1950 and 1954 FIFA World Cups, as well as the 1948 and 1952 editions of the Summer Olympic Games Football Tournament. He died on 29 January 2019, aged 92.
References
External links
Profile by RSSSF
1926 births
2019 deaths
People from Lastra a Signa
Italian men's footballers
Italy men's international footballers
1950 FIFA World Cup players
1954 FIFA World Cup players
Olympic footballers for Italy
Footballers at the 1948 Summer Olympics
Footballers at the 1952 Summer Olympics
Serie A players
Serie B players
ACF Fiorentina players
Empoli FC players
SPAL players
AS Roma players
Inter Milan players
Men's association football midfielders
Footballers from the Metropolitan City of Florence |
The women's 52 kilograms (Half lightweight) competition at the 2018 Asian Games in Jakarta was held on 29 August at the Jakarta Convention Center Assembly Hall.
Schedule
All times are Western Indonesia Time (UTC+07:00)
Results
Main bracket
Final
Top half
Bottom half
Repechage
References
External links
Official website
Official website
W52
Judo at the Asian Games Women's Half Lightweight
Asian W52 |
The southern elephant seal (Mirounga leonina) is one of two species of elephant seals. It is the largest member of the clade Pinnipedia and the order Carnivora, as well as the largest extant marine mammal that is not a cetacean. It gets its name from its massive size and the large proboscis of the adult male, which is used to produce very loud roars, especially during the breeding season. A bull southern elephant seal is about 40% heavier than a male northern elephant seal (Mirounga angustirostris), which is nearly twice the weight of a male walrus (Odobenus rosmarus), or 6–7 times heavier than the largest living mostly terrestrial carnivorans, the Kodiak bear and the polar bear.
Taxonomy
The southern elephant seal was one of the many species originally described by Swedish zoologist Carl Linnaeus in the landmark 1758 10th edition of his Systema Naturae, where it was given the binomial name of Phoca leonina. John Edward Gray established the genus Mirounga in 1827.
In the nineteenth century, the species was often called "bottle-nosed seal".
Description
The southern elephant seal is distinguished from the northern elephant seal (which does not overlap in range with this species) by its greater body mass and a shorter proboscis. The southern males also appear taller when fighting, due to their tendency to bend their backs more strongly than the northern species. This species may also exhibit the greatest sexual dimorphism of any mammal in terms of mass ratio, with males typically five to six times heavier than females.
On average female southern elephant seals weigh and measure long, whereas bulls can range from and grow to in length.
For comparison, among the northern elephant seal and the sperm whale (Physeter macrocephalus)—two other large marine mammals that are highly sexual dimorphic by size—males typically outweigh females by a factor of three to four.
Southern elephant seal size also varies regionally. Studies have indicated elephant seals from South Georgia are around 30% heavier and 10% longer on average than those from Macquarie Island. The record-sized bull, shot in Possession Bay, South Georgia, on 28 February 1913, measured long and was estimated to weigh , although it was only partially weighed piecemeal. The maximum size of a female is and .
A southern elephant seal's eyes are large, round, and black. The width of the eyes, and a high concentration of low-light pigments, suggest sight plays an important role in the capture of prey. Like all seals, elephant seals have hind limbs whose ends form the tail and tail fin. Each of the "feet" can deploy five long, webbed fingers. This agile dual palm is used to propel water. The pectoral fins are used little while swimming. While their hind limbs are unfit for locomotion on land, elephant seals use their fins as support to propel their bodies. They are able to propel themselves quickly (as fast as ) in this way for short-distance travel, to return to water, to catch up with a female, or to chase an intruder.
Pups are born with fur and are completely black. Their coats are unsuited to water, but protect infants by insulating them from the cold air. The first moulting accompanies weaning. After moulting, the coats may turn grey and brown, depending on the thickness and moisture of hair. Among older males, the skin takes the form of a thick leather which is often scarred.
Like other seals, the vascular system of elephant seals is adapted to the cold; a mixture of small veins surround arteries, capturing heat from them. This structure is present in extremities such as the hind legs.
Range and population
The world population was estimated at 650,000 animals in the mid-1990s, and was estimated in 2005 at between 664,000 and 740,000 animals.
Studies have shown the existence of three geographic subpopulations, one in each of the three oceans.
Tracking studies have indicated the routes traveled by elephant seals, demonstrating their main feeding area is at the edge of the Antarctic continent. While elephant seals may come ashore in Antarctica occasionally to rest or to mate, they gather to breed in subantarctic locations.
The largest subpopulation is in the South Atlantic, with more than 400,000 individuals, including about 113,000 breeding females on South Georgia;
the other breeding colonies of the Atlantic subpopulation are located on the Falkland Islands and Valdes Peninsula in Argentina (the only continental breeding population).
The second subpopulation, in the south Indian Ocean, consists of up to 200,000 individuals, three-quarters of which breed in the Kerguelen Islands and the rest in the Crozet Islands, Marion and Prince Edward Islands, and Heard Island. Some individuals also breed on Amsterdam Island.
The third subpopulation of about 75,000 seals is found in the subantarctic islands of the Pacific Ocean south of Tasmania and New Zealand, mainly Macquarie Island.
Colonies once existed in Tasmania, Saint Helena, and the Juan Fernández Islands off the coast of Chile. Some individuals at the time of moulting have been found in South Africa, Australia or Uruguay. Lost animals have also been reported from time to time on the shores of Mauritius, with two reports from the Río Guayas estuary area in Ecuador and a beach in Lima, Peru. Reality of the creature so called Manatee of Helena had been pointed out as possible misidentification of elephant seals historically present on Saint Helena.
In Chile, the species is currently believed to be in a process of re-colonization of its former range. It has for example been sighted in the 2010s at the mouth of Toltén River and at the Caicura Islets.
After the end of large-scale seal hunting in the 19th century, the southern elephant seal recovered to a sizable population in the 1950s; since then, an unexplained decline in the subpopulations of the Indian Ocean and Pacific Ocean has occurred. The population now seems to be stable; the reasons for the fluctuation are unknown. Suggested explanations include a phenomenon of depression following a rapid demographic rebound that depletes vital resources, a change in climate, competition with other species whose numbers also varied, or even an adverse influence of scientific monitoring techniques.
Behavior
Social behavior and reproduction
Elephant seals are among the seals that can stay on land for the longest periods of time, as they can stay dry for several consecutive weeks each year. Males arrive in the colonies earlier than the females and fight for control of harems when they arrive. Large body size confers advantages in fighting, and the agonistic relationships of the bulls gives rise to a dominance hierarchy, with access to harems and activity within harems being determined by rank. The dominant bulls (“harem masters”) establish harems of several dozen females. The least successful males have no harems, but they may try to copulate with a harem male's females when the male is not looking. The majority of primiparous females and a significant proportion of multiparous females mate at sea with roaming males away from harems.
An elephant seal must stay in his territory to defend it, which could mean months without eating, having to live on his blubber storage. Two fighting males use their weight and canine teeth against each other. The outcome is rarely fatal, and the defeated bull will flee; however, bulls can suffer severe tears and cuts. Some males can stay ashore for more than three months without food. Males commonly vocalize with a coughing roar that serves in both individual recognition and size assessment. Conflicts between high-ranking males are more often resolved with posturing and vocalizing than with physical contact.
Generally, pups are born rather quickly in the breeding season. After being born, a newborn will bark or yap and its mother will respond with a high-pitched moan. The newborn begins to suckle immediately. Lactation lasts an average of 23 days. Throughout this period, the female fasts. Newborns weigh about at birth, and reach by the time they are weaned. The mother loses significant weight during this time. Young weaned seals gather in nurseries until they lose their birth coats. They enter the water to practice swimming, generally starting their apprenticeship in estuaries or ponds. In summer, the elephant seals come ashore to moult. This sometimes happens directly after reproduction.
Feeding and diving
Satellite tracking revealed the seals spend very little time on the surface, usually a few minutes for breathing. They dive repeatedly, each time for more than 20 minutes, to hunt their prey—squid and fish—at depths of . They are the deepest diving air-breathing non-cetaceans and have been recorded at a maximum of in depth.
As for the duration, depth and sequence of dives, the southern elephant seal is the best performing seal. In many regards, they exceed even most cetaceans. These capabilities result from nonstandard physiological adaptations, common to marine mammals, but particularly developed in elephant seals. The coping strategy is based on increased oxygen storage and reduced oxygen consumption.
In the ocean, the seals apparently live alone. Most females dive in pelagic zones for foraging, while males dive in both pelagic and benthic zones. Individuals will return annually to the same hunting areas. Due to the inaccessibility of their deep-water foraging areas, no comprehensive information has been obtained about their dietary preferences, although some observation of hunting behavior and prey selection has occurred.
While hunting in the dark depths, elephant seals seem to locate their prey, at least in part, using vision; the bioluminescence of some prey animals can facilitate their capture. Elephant seals do not have a developed system of echolocation in the manner of cetaceans, but their vibrissae (facial whiskers), which are sensitive to vibrations, are assumed to play a role in search of food. When at the subantarctic or Antarctic coasts, the seals forage largely on deep-sea cephalopod species such as Psychroteuthis glacialis, Alluroteuthis antarcticus, Histioteuthis eltaninae, Onykia ingens, Gonatus antarcticus. Martialia hyadesi and other molluscs, various fish species, including lanternfish (i.e. Electrona spp. and Gymnoscopelus spp.), nothothens (i.e. Genera Lepidonotothen, Pleuragramma, Trematomus, Pagothenia,), Channichthyidsae spp., Bathylagidae spp., krill (mostly Euphausia spp.) and other crustaceans, and even algae.
Predation
Weaned pups and juveniles may fall prey to orcas. Cases where weaned pups have been attacked and killed by leopard seals (Hydrurga leptonyx) and New Zealand sea lions (Phocarctos hookeri), exclusively small pups in the latter case, have been recorded. Great white sharks (Carcharodon carcharias) have hunted elephant seals near Campbell Island, while bite marks from a southern sleeper shark (Somniosus antarcticus) have been found on surviving elephant seals in the Macquarie Islands.
Conservation
After their near extinction due to hunting in the 19th century, the total population was estimated at between 664,000 and 740,000 animals in 2005, but as of 2002, two of the three major populations were declining. The reasons for this are unclear, but are thought to be related to the distribution and declining levels of the seals' primary food sources. Most of their important breeding sites are now protected by international treaty, as UNESCO World Heritage Sites, or by national legislation.
Climate change
Climate change likely has a wide-ranging and diverse impact on marine species such as southern elephant seals. As top predators in the Southern Ocean, southern elephant seals inhabit one of the most sensitive and vulnerable regions to rapid climate change. Global efforts such as the Southern elephant seals as oceanographic samplers and the Marine Mammals Exploring the Oceans Pole to Pole projects have led to the collection of a large suite of long-term coupled behavioural-oceanographic data. As part of these projects, satellite-relay data loggers were attached to southern elephant seals to collect physical and biological data. This simultaneous collection of behavioural and environmental data, spanning more than ten years, has enabled researchers to study the impact of climate change on southern elephant seals and the Antarctic ecosystem. This data provides information on how the Southern Ocean is changing in relation to climate change as well as how these species respond to changes.
These projects focused on southern elephant seals because they are deep divers as well as a major predator in the Southern Ocean in terms of their population size and food consumption. As predators of the upper levels of the food-web, their foraging success and population dynamics impart valuable information about productivity at different trophic levels. The well-being of southern elephant seals therefore mirrors that of the whole Antarctic ecosystem.
Southern elephant seals from different colonies frequent specific oceanographic regions to forage. They feed most successfully in areas with specific hydrographic properties, e.g. the upwelling regions of Circumpolar Deep Water within the Antarctic Circumpolar Current. In the Southern Ocean, southern elephant seals associate more frequently with southerly, higher‐latitude fronts and frontal zones. However, the foraging success in association with these regions varies strongly according to year, season and sex. Some of the seasonal and interannual variations in foraging success can be linked to climatic changes such as positional shifts in fronts and variability associated with frontal positions. Generally, southern elephant seals appear to be resilient against the apparent variability in the location and productivity of frontal systems.
References
Bibliography
Perrin, W.F.; Wursig, Bernd G.; and Thewissen, J.G.M. Encyclopedia of Marine Mammals. San Diego, Calif.: Academic Press, 2002.
External links
ARKive – images and movies of the southern elephant seal
Southern Elephant Seal
Elephant Seal Research Group
on BBC Earth
Mirounga
Pinnipeds of Antarctica
Pinnipeds of South America
Pinnipeds of Australia
Fauna of subantarctic islands
Mammals of Argentina
Mammals of Chile
Mammals of New South Wales
Mammals of South Australia
Mammals of Tasmania
Mammals of Western Australia
Mammals of Victoria (state)
Fauna of the Kerguelen Islands
Carnivorans of South America
Fauna of the Campbell Islands
Fauna of Heard Island and McDonald Islands
Fauna of South Georgia and the South Sandwich Islands
Fauna of the Crozet Islands
Fauna of the Prince Edward Islands
Île Amsterdam
Mammals described in 1758
Taxa named by Carl Linnaeus
Least concern biota of Oceania
Least concern biota of South America |
```objective-c
// 2016 and later: Unicode, Inc. and others.
// collunsafe.h
// All Rights Reserved.
// To be included by collationdatareader.cpp, and generated by gencolusb.
// Machine generated, do not edit.
#ifndef COLLUNSAFE_H
#define COLLUNSAFE_H
#include "unicode/utypes.h"
#define COLLUNSAFE_ICU_VERSION "56.0.1"
#define COLLUNSAFE_COLL_VERSION "9.64"
#define COLLUNSAFE_SERIALIZE 1
static const int32_t unsafe_serializedCount = 850;
static const uint16_t unsafe_serializedData[850] = {
0x8350, 0x01B8, 0x0034, 0x0035, 0x004C, 0x004D, 0x00A0, 0x00A1, // 8
0x0300, 0x034F, 0x0350, 0x0370, 0x03A9, 0x03AA, 0x03E2, 0x03E3, // 16
0x042F, 0x0430, 0x0483, 0x0488, 0x0531, 0x0532, 0x0591, 0x05BE, // 24
0x05BF, 0x05C0, 0x05C1, 0x05C3, 0x05C4, 0x05C6, 0x05C7, 0x05C8, // 32
0x05D0, 0x05D1, 0x0610, 0x061B, 0x0628, 0x0629, 0x064B, 0x0660, // 40
0x0670, 0x0671, 0x06D6, 0x06DD, 0x06DF, 0x06E5, 0x06E7, 0x06E9, // 48
0x06EA, 0x06EE, 0x0710, 0x0712, 0x0730, 0x074B, 0x078C, 0x078D, // 56
0x07D8, 0x07D9, 0x07EB, 0x07F4, 0x0800, 0x0801, 0x0816, 0x081A, // 64
0x081B, 0x0824, 0x0825, 0x0828, 0x0829, 0x082E, 0x0840, 0x0841, // 72
0x0859, 0x085C, 0x08E3, 0x0900, 0x0905, 0x0906, 0x093C, 0x093D, // 80
0x094D, 0x094E, 0x0951, 0x0955, 0x0995, 0x0996, 0x09BC, 0x09BD, // 88
0x09BE, 0x09BF, 0x09CD, 0x09CE, 0x09D7, 0x09D8, 0x0A15, 0x0A16, // 96
0x0A3C, 0x0A3D, 0x0A4D, 0x0A4E, 0x0A95, 0x0A96, 0x0ABC, 0x0ABD, // 104
0x0ACD, 0x0ACE, 0x0B15, 0x0B16, 0x0B3C, 0x0B3D, 0x0B3E, 0x0B3F, // 112
0x0B4D, 0x0B4E, 0x0B56, 0x0B58, 0x0B95, 0x0B96, 0x0BBE, 0x0BBF, // 120
0x0BCD, 0x0BCE, 0x0BD7, 0x0BD8, 0x0C15, 0x0C16, 0x0C4D, 0x0C4E, // 128
0x0C55, 0x0C57, 0x0C95, 0x0C96, 0x0CBC, 0x0CBD, 0x0CC2, 0x0CC3, // 136
0x0CCD, 0x0CCE, 0x0CD5, 0x0CD7, 0x0D15, 0x0D16, 0x0D3E, 0x0D3F, // 144
0x0D4D, 0x0D4E, 0x0D57, 0x0D58, 0x0D85, 0x0D86, 0x0DCA, 0x0DCB, // 152
0x0DCF, 0x0DD0, 0x0DDF, 0x0DE0, 0x0E01, 0x0E2F, 0x0E32, 0x0E33, // 160
0x0E38, 0x0E3B, 0x0E48, 0x0E4C, 0x0E81, 0x0E83, 0x0E84, 0x0E85, // 168
0x0E87, 0x0E89, 0x0E8A, 0x0E8B, 0x0E8D, 0x0E8E, 0x0E94, 0x0E98, // 176
0x0E99, 0x0EA0, 0x0EA1, 0x0EA4, 0x0EA5, 0x0EA6, 0x0EA7, 0x0EA8, // 184
0x0EAA, 0x0EAC, 0x0EAD, 0x0EAF, 0x0EB2, 0x0EB3, 0x0EB8, 0x0EBA, // 192
0x0EC8, 0x0ECC, 0x0EDC, 0x0EE0, 0x0F18, 0x0F1A, 0x0F35, 0x0F36, // 200
0x0F37, 0x0F38, 0x0F39, 0x0F3A, 0x0F40, 0x0F41, 0x0F71, 0x0F76, // 208
0x0F7A, 0x0F7E, 0x0F80, 0x0F85, 0x0F86, 0x0F88, 0x0FC6, 0x0FC7, // 216
0x1000, 0x1001, 0x102E, 0x102F, 0x1037, 0x1038, 0x1039, 0x103B, // 224
0x108D, 0x108E, 0x10D3, 0x10D4, 0x12A0, 0x12A1, 0x135D, 0x1360, // 232
0x13C4, 0x13C5, 0x14C0, 0x14C1, 0x168F, 0x1690, 0x16A0, 0x16A1, // 240
0x1703, 0x1704, 0x1714, 0x1715, 0x1723, 0x1724, 0x1734, 0x1735, // 248
0x1743, 0x1744, 0x1763, 0x1764, 0x1780, 0x1781, 0x17D2, 0x17D3, // 256
0x17DD, 0x17DE, 0x1826, 0x1827, 0x18A9, 0x18AA, 0x1900, 0x1901, // 264
0x1939, 0x193C, 0x1950, 0x1951, 0x1980, 0x19AC, 0x1A00, 0x1A01, // 272
0x1A17, 0x1A19, 0x1A20, 0x1A21, 0x1A60, 0x1A61, 0x1A75, 0x1A7D, // 280
0x1A7F, 0x1A80, 0x1AB0, 0x1ABE, 0x1B05, 0x1B06, 0x1B34, 0x1B36, // 288
0x1B44, 0x1B45, 0x1B6B, 0x1B74, 0x1B83, 0x1B84, 0x1BAA, 0x1BAC, // 296
0x1BC0, 0x1BC1, 0x1BE6, 0x1BE7, 0x1BF2, 0x1BF4, 0x1C00, 0x1C01, // 304
0x1C37, 0x1C38, 0x1C5A, 0x1C5B, 0x1CD0, 0x1CD3, 0x1CD4, 0x1CE1, // 312
0x1CE2, 0x1CE9, 0x1CED, 0x1CEE, 0x1CF4, 0x1CF5, 0x1CF8, 0x1CFA, // 320
0x1DC0, 0x1DF6, 0x1DFC, 0x1E00, 0x201C, 0x201D, 0x20AC, 0x20AD, // 328
0x20D0, 0x20DD, 0x20E1, 0x20E2, 0x20E5, 0x20F1, 0x263A, 0x263B, // 336
0x2C00, 0x2C01, 0x2CEF, 0x2CF2, 0x2D5E, 0x2D5F, 0x2D7F, 0x2D80, // 344
0x2DE0, 0x2E00, 0x302A, 0x3030, 0x304B, 0x304C, 0x3099, 0x309B, // 352
0x30AB, 0x30AC, 0x3105, 0x3106, 0x5B57, 0x5B58, 0xA288, 0xA289, // 360
0xA4E8, 0xA4E9, 0xA549, 0xA54A, 0xA66F, 0xA670, 0xA674, 0xA67E, // 368
0xA69E, 0xA6A1, 0xA6F0, 0xA6F2, 0xA800, 0xA801, 0xA806, 0xA807, // 376
0xA840, 0xA841, 0xA882, 0xA883, 0xA8C4, 0xA8C5, 0xA8E0, 0xA8F2, // 384
0xA90A, 0xA90B, 0xA92B, 0xA92E, 0xA930, 0xA931, 0xA953, 0xA954, // 392
0xA984, 0xA985, 0xA9B3, 0xA9B4, 0xA9C0, 0xA9C1, 0xAA00, 0xAA01, // 400
0xAA80, 0xAAB1, 0xAAB2, 0xAAB5, 0xAAB7, 0xAAB9, 0xAABE, 0xAAC0, // 408
0xAAC1, 0xAAC2, 0xAAF6, 0xAAF7, 0xABC0, 0xABC1, 0xABED, 0xABEE, // 416
0xAC00, 0xAC01, 0xD800, 0xD807, 0xD808, 0xD809, 0xD80C, 0xD80D, // 424
0xD811, 0xD812, 0xD81A, 0xD81C, 0xD82F, 0xD830, 0xD834, 0xD835, // 432
0xD83A, 0xD83B, 0xDC00, 0xE000, 0xFB1E, 0xFB1F, 0xFDD0, 0xFDD1, // 440
0xFE20, 0xFE30, 0x0001, 0x0000, 0x0001, 0x0001, 0x0001, 0x01FD, // 448
0x0001, 0x01FE, 0x0001, 0x0280, 0x0001, 0x0281, 0x0001, 0x02B7, // 456
0x0001, 0x02B8, 0x0001, 0x02E0, 0x0001, 0x02E1, 0x0001, 0x0308, // 464
0x0001, 0x0309, 0x0001, 0x0330, 0x0001, 0x0331, 0x0001, 0x036B, // 472
0x0001, 0x036C, 0x0001, 0x0376, 0x0001, 0x037B, 0x0001, 0x0380, // 480
0x0001, 0x0381, 0x0001, 0x03A0, 0x0001, 0x03A1, 0x0001, 0x0414, // 488
0x0001, 0x0415, 0x0001, 0x0450, 0x0001, 0x0451, 0x0001, 0x0480, // 496
0x0001, 0x0481, 0x0001, 0x0500, 0x0001, 0x0501, 0x0001, 0x0537, // 504
0x0001, 0x0538, 0x0001, 0x0647, 0x0001, 0x0648, 0x0001, 0x0800, // 512
0x0001, 0x0801, 0x0001, 0x0840, 0x0001, 0x0841, 0x0001, 0x0873, // 520
0x0001, 0x0874, 0x0001, 0x0896, 0x0001, 0x0897, 0x0001, 0x08F4, // 528
0x0001, 0x08F5, 0x0001, 0x0900, 0x0001, 0x0901, 0x0001, 0x0920, // 536
0x0001, 0x0921, 0x0001, 0x0980, 0x0001, 0x0981, 0x0001, 0x09A0, // 544
0x0001, 0x09A1, 0x0001, 0x0A00, 0x0001, 0x0A01, 0x0001, 0x0A0D, // 552
0x0001, 0x0A0E, 0x0001, 0x0A0F, 0x0001, 0x0A10, 0x0001, 0x0A38, // 560
0x0001, 0x0A3B, 0x0001, 0x0A3F, 0x0001, 0x0A40, 0x0001, 0x0A60, // 568
0x0001, 0x0A61, 0x0001, 0x0A95, 0x0001, 0x0A96, 0x0001, 0x0AC1, // 576
0x0001, 0x0AC2, 0x0001, 0x0AE5, 0x0001, 0x0AE7, 0x0001, 0x0B00, // 584
0x0001, 0x0B01, 0x0001, 0x0B40, 0x0001, 0x0B41, 0x0001, 0x0B60, // 592
0x0001, 0x0B61, 0x0001, 0x0B8F, 0x0001, 0x0B90, 0x0001, 0x0C00, // 600
0x0001, 0x0C01, 0x0001, 0x0CA1, 0x0001, 0x0CA2, 0x0001, 0x1005, // 608
0x0001, 0x1006, 0x0001, 0x1046, 0x0001, 0x1047, 0x0001, 0x107F, // 616
0x0001, 0x1080, 0x0001, 0x1083, 0x0001, 0x1084, 0x0001, 0x10B9, // 624
0x0001, 0x10BB, 0x0001, 0x10D0, 0x0001, 0x10D1, 0x0001, 0x1100, // 632
0x0001, 0x1104, 0x0001, 0x1127, 0x0001, 0x1128, 0x0001, 0x1133, // 640
0x0001, 0x1135, 0x0001, 0x1152, 0x0001, 0x1153, 0x0001, 0x1173, // 648
0x0001, 0x1174, 0x0001, 0x1183, 0x0001, 0x1184, 0x0001, 0x11C0, // 656
0x0001, 0x11C1, 0x0001, 0x11CA, 0x0001, 0x11CB, 0x0001, 0x1208, // 664
0x0001, 0x1209, 0x0001, 0x1235, 0x0001, 0x1237, 0x0001, 0x128F, // 672
0x0001, 0x1290, 0x0001, 0x12BE, 0x0001, 0x12BF, 0x0001, 0x12E9, // 680
0x0001, 0x12EB, 0x0001, 0x1315, 0x0001, 0x1316, 0x0001, 0x133C, // 688
0x0001, 0x133D, 0x0001, 0x133E, 0x0001, 0x133F, 0x0001, 0x134D, // 696
0x0001, 0x134E, 0x0001, 0x1357, 0x0001, 0x1358, 0x0001, 0x1366, // 704
0x0001, 0x136D, 0x0001, 0x1370, 0x0001, 0x1375, 0x0001, 0x1484, // 712
0x0001, 0x1485, 0x0001, 0x14B0, 0x0001, 0x14B1, 0x0001, 0x14BA, // 720
0x0001, 0x14BB, 0x0001, 0x14BD, 0x0001, 0x14BE, 0x0001, 0x14C2, // 728
0x0001, 0x14C4, 0x0001, 0x158E, 0x0001, 0x158F, 0x0001, 0x15AF, // 736
0x0001, 0x15B0, 0x0001, 0x15BF, 0x0001, 0x15C1, 0x0001, 0x160E, // 744
0x0001, 0x160F, 0x0001, 0x163F, 0x0001, 0x1640, 0x0001, 0x1680, // 752
0x0001, 0x1681, 0x0001, 0x16B6, 0x0001, 0x16B8, 0x0001, 0x1717, // 760
0x0001, 0x1718, 0x0001, 0x172B, 0x0001, 0x172C, 0x0001, 0x18B4, // 768
0x0001, 0x18B5, 0x0001, 0x1AC0, 0x0001, 0x1AC1, 0x0001, 0x2000, // 776
0x0001, 0x2001, 0x0001, 0x3153, 0x0001, 0x3154, 0x0001, 0x4400, // 784
0x0001, 0x4401, 0x0001, 0x6A4F, 0x0001, 0x6A50, 0x0001, 0x6AE6, // 792
0x0001, 0x6AE7, 0x0001, 0x6AF0, 0x0001, 0x6AF5, 0x0001, 0x6B1C, // 800
0x0001, 0x6B1D, 0x0001, 0x6B30, 0x0001, 0x6B37, 0x0001, 0x6F00, // 808
0x0001, 0x6F01, 0x0001, 0xBC20, 0x0001, 0xBC21, 0x0001, 0xBC9E, // 816
0x0001, 0xBC9F, 0x0001, 0xD165, 0x0001, 0xD16A, 0x0001, 0xD16D, // 824
0x0001, 0xD173, 0x0001, 0xD17B, 0x0001, 0xD183, 0x0001, 0xD185, // 832
0x0001, 0xD18C, 0x0001, 0xD1AA, 0x0001, 0xD1AE, 0x0001, 0xD242, // 840
0x0001, 0xD245, 0x0001, 0xE802, 0x0001, 0xE803, 0x0001, 0xE8D0, // 848
0x0001, 0xE8D7};
#endif
``` |
"Fall" is a song by American rapper Eminem from his 2018 album Kamikaze. It was sent to Italian and UK contemporary hit radio on September 14, 2018, as the album's first single.
Content
The song features uncredited vocals by American singer Justin Vernon, who performed the chorus and was credited as one of the co-writers.
As other tracks from the album, "Fall" criticizes the contemporary hip-hop scene, dissing Joe Budden, DJ Akademiks, and Tyler, the Creator, among others.
The slur used to describe Tyler, the Creator, "faggot", generated controversy, with fans writing against Eminem on social media, and some fellow recording artists, including Imagine Dragons' Dan Reynolds and Australian singer Troye Sivan, publicly criticizing his lyrics. Justin Vernon distanced himself from the song's message, claiming he was not in the studio while Eminem recorded his vocals, and revealing he asked Eminem's entourage to change it, without any result.
Interviewed by Sway, Eminem discussed his verses, claiming he knew he went "too far" with calling Tyler a "faggot", and apologized "because in my quest to hurt him, I realize that I was hurting a lot of other people by saying it".
Music video
On September 4, 2018, Eminem released a music video for the song, directed by James Larese. It was the first video to be released from Kamikaze. The video completely cut out the word "faggot" instead of having it back masked, like in the original song.
Track listing
Digital download
Charts
Certifications
Release history
References
2018 songs
2018 singles
Songs written by Eminem
Songs written by Mike Will Made It
Songs written by Luis Resto (musician)
Songs written by Justin Vernon
Eminem songs
LGBT-related songs
Songs written by BJ Burton
Song recordings produced by Eminem
Song recordings produced by Mike Will Made It |
Parzymiechy is a village in the administrative district of Gmina Lipie, within Kłobuck County, Silesian Voivodeship, in southern Poland. It lies approximately north-west of Lipie, north-west of Kłobuck, and north of the regional capital Katowice.
History
Parzymiechy was first mentioned in 1266.
In September 1939, during the German invasion of Poland, which started World War II, a battle was fought nearby. German troops burned the village on September 2, 1939, and murdered 75 Polish inhabitants, including 20 children (the , see also Nazi crimes against the Polish nation).
Transport
Main road connections from the Parzymiechy include connection with Praszka (to the west) and Działoszyn (to the north-east) via the National Road .
Gallery
References
External links
Webpage about the village
Villages in Kłobuck County
Massacres of Poles
Nazi war crimes in Poland |
The Surgeon's Knife is a 1957 British crime film directed by Gordon Parry and starring Donald Houston, Adrienne Corri and Lyndon Brook. It is an adaptation of the 1940 novel The Wicked Flee by Anne Hocking.
Synopsis
When his patient dies during an operation, a surgeon resorts to murder to cover up his negligence.
Cast
Donald Houston as Doctor Alex Waring
Adrienne Corri as Laura Shelton
Lyndon Brook as Doctor Ian Breck
Jean Cadell as Henrietta Stevens
Sydney Tafler as Doctor Hearne
Mervyn Johns as Mr. Waring
Marie Ney as Matron Fiske
Ronald Adam as Major Tilling
John Welsh as Inspector Austen
Beatrice Varley as Mrs. Waring
Noel Hood as Sister Slater
André van Gyseghem as Mr. Dodds
Frank Forsyth as Anaesthetist
Tom Bowman as Surgeon
Susan Westerby as Miss Jenner
Betty Shale as Garsten
Critical reception
TV Guide rated the film 2/5 stars, noting a "Standard melodrama without enough suspense to be terrifying."
References
External links
1957 films
1957 crime films
British black-and-white films
Films about surgeons
Films directed by Gordon Parry
British crime films
Films based on British novels
1950s English-language films
1950s British films |
Sadi is a village development committee in Rupandehi District in Lumbini Province of southern Nepal. At the time of the 1991 Nepal census it had a population of 4008 people living in 621 individual households.
References
Populated places in Rupandehi District |
The white-faced storm petrel (Pelagodroma marina), also known as white-faced petrel is a small seabird of the austral storm petrel family Oceanitidae. It is the only member of the monotypic genus Pelagodroma.
Description
The white-faced storm petrel is in length with a wingspan. It has a pale brown to grey back, rump and wings with black flight feathers. It is white below, unlike other north Atlantic petrels, and has a white face with a black eye mask like a phalarope. Its plumage makes it one of the easier petrels to identify at sea.
Behaviour
The white-faced storm petrel is strictly pelagic outside the breeding season, and this, together with its often-remote breeding sites, makes this petrel a difficult bird to see from land. Only in severe storms might this species be pushed into headlands. There have been a handful of western Europe records from France, the United Kingdom and the Netherlands. It has a direct gliding flight and will patter on the water surface as it picks planktonic food items from the ocean surface. It is highly gregarious, but does not follow ships. Like most petrels, its walking ability is limited to a short shuffle to the burrow.
Breeding
The white-faced storm petrel breeds on remote islands in the south Atlantic, such as Tristan da Cunha and also Australia and New Zealand. There are north Atlantic colonies on the Cape Verde Islands, Canary Islands and Savage Islands. It nests in colonies close to the sea in rock crevices and lays a single white egg. It spends the rest of the year at sea. It is strictly nocturnal at the breeding sites to avoid predation by gulls and skuas, and will even avoid coming to land on clear moonlit nights.
Subspecies
Here are six recognised subspecies, breeding in island colonies through subtropical to subantarctic regions of the Atlantic, Indian and south-western Pacific Oceans:
P. m. albiclunis , 1951 – Kermadec Islands
P. m. dulciae – islands off southern Australia
P. m. eadesi – Cape Verde Islands
P. m. hypoleuca – Savage Islands
P. m. maoriana – islands around New Zealand, including the Chatham and Auckland Islands
P. m. marina – Tristan da Cunha and Gough Island (Nominate subspecies)
Status and conservation
Widespread throughout its large range, the white-faced storm petrel is evaluated as Least Concern on the IUCN Red List of Threatened Species.
References
External links
BirdLife Species Factsheet
The white-faced storm petrel discussed in RNZ Critter of the Week, 24 Jul 2020
white-faced storm petrel
white-faced storm petrel
Birds of the Atlantic Ocean
Birds of Oceania
white-faced storm petrel
white-faced storm petrel |
In physics the Exciton–polariton is a type of polariton; a hybrid light and matter quasiparticle arising from the strong coupling of the electromagnetic dipolar oscillations of excitons (either in bulk or quantum wells) and photons. Because light excitations are observed classically as photons, which are massless particles, they do not therefore have mass, like a physical particle. This property makes them a quasiparticle.
Theory
The coupling of the two oscillators, photons modes in the semiconductor optical microcavity and excitons of the quantum wells, results in the energy anticrossing of the bare oscillators, giving rise to the two new normal modes for the system, known as the upper and lower polariton resonances (or branches). The energy shift is proportional to the coupling strength (dependent, e.g., on the field and polarization overlaps). The higher energy or upper mode (UPB, upper polariton branch) is characterized by the photonic and exciton fields oscillating in-phase, while the LPB (lower polariton branch) mode is characterized by them oscillating with phase-opposition. Microcavity exciton–polaritons inherit some properties from both of their roots, such as a light effective mass (from the photons) and a capacity to interact with each other (from the strong exciton nonlinearities) and with the environment (including the internal phonons, which provide thermalization, and the outcoupling by radiative losses). In most cases the interactions are repulsive, at least between polariton quasi-particles of the same spin type (intra-spin interactions) and the nonlinearity term is positive (increase of total energy, or blueshift, upon increasing density).
Researchers also studied the long-range transport in organic materials linked to optical microcavities and demonstrated that exciton-polaritons propagate over several microns. This was done in order to prove that exciton-polaritons propagate over several microns and that the interplay between the molecular disorder and long-range correlations induced by coherent mixing with light leads to a mobility transition between diffusive and ballistic transport.
Other features
Polaritons are also characterized by non-parabolic energy–momentum dispersion relations, which limit the validity of the parabolic effective-mass approximation to a small range of momenta
.
They also have a spin degree-of-freedom, making them spinorial fluids able to sustain different polarization textures. Exciton-polaritons are composite bosons which can be observed to form Bose-Einstein condensates,
and sustain polariton superfluidity and quantum vortices
and are prospected for emerging technological applications.
Many experimental works currently focus on polariton lasers, optically addressed transistors, nonlinear states such as solitons and shock waves, long-range coherence properties and phase transitions, quantum vortices and spinorial patterns. Modelization of exciton-polariton fluids mainly rely on the use of GPE (Gross–Pitaevskii equations) which are in the form of nonlinear Schrödinger equations.
See also
Polariton
Polariton superfluid
Bose–Einstein condensation of polaritons
Bose–Einstein condensation of quasiparticles
References
External links
YouTube animation explaining what a polariton is in a semiconductor micro-resonator.
Description of experimental research on polariton fluids at the Institute of Nanotechnologies within the Italian CNR.
Quasiparticles |
Typhoon Amy was an intense and deadly tropical cyclone that struck areas of the central Philippines in December 1951. Impacting the archipelago during the 1951 eruption of Mount Hibok-Hibok, Amy exacerbated the effects of the volcano, greatly increasing the number of resulting deaths. The fifteenth named storm and fourteenth typhoon within the western Pacific Ocean that year, Amy developed from an area of low pressure near the Kwajalein Atoll on December 3. Tracking in a general westward direction, the storm quickly intensified to reach typhoon intensity the next day. However, the typhoon's asymmetricity resulted in a fluctuation of intensity over the following few days. Afterwards, Amy intensified to reach its peak intensity with maximum sustained winds of 220 km/h (140 mph) and a minimum barometric pressure of 950 mbar (hPa; 28.05 inHg) on December 8. Over the ensuing two days, Amy moved over several islands in the central Philippines before emerging in the South China Sea on December 11 as the equivalent of a minimal typhoon. Shortly after, the tropical cyclone executed a tight anticyclonic loop while oscillating in strength several times before eventually weakening and dissipating on December 17, just east of Vietnam.
Amy was considered one of the worst typhoons to strike the Philippines on record. Making its initial landfall along with the concurrent eruption of Mount Hibok-Hibok on Camiguin, the typhoon disrupted volcanic relief operations and forced the displacement of victims already displaced by the volcano. Cebu City suffered the worst impacts of Amy – most of the city's buildings were heavily damaged, and 29 people died in the city. Strong winds and rainfall in the city associated with Amy also set records which still remain unbroken today. Damage there was estimated at 560 million Philippine pesos. Along the east coast of Leyte, where Amy initially struck, ninety percent of homes were destroyed, and a large swath of coconut plantations were wiped out. In Panay, located on the western side of the Philippines, at least a thousand homes were destroyed in 41 towns. Overall, Amy caused $30 million in damage, and at least 556 fatalities, though the final death toll may have been as high as 991, making the typhoon one of the deadliest in modern Philippine history. An additional 50,000 people were displaced.
Meteorological history
The origins of Typhoon Amy can be traced back to a low-pressure area first detected over Kwajalein at 0500 UTC on November 29. Tracking westward, the Fleet Weather Center in Guam began to monitor vorticity for potential development, assigning the numeric designation 11122 to the tropical system. Late on December 2, a routine weather reconnaissance flight unexpectedly intercepted the disturbance and detected unusually strong westerly winds, a characteristic typically indicative of a tropical cyclone. As such, the flight, named Vulture George, was rerouted to investigate the area. After finding conclusive evidence of a closed low-pressure area, the Fleet Weather Center in Guam classified the disturbance as a tropical storm with winds of 100 km/h (60 mph). At the time, Amy had two separate centers of circulation, resulting in an asymmetrical wind field.
Following tropical cyclogenesis, the fast-moving tropical cyclone quickly intensified, reaching the equivalent of a Category 1 on the modern-day Saffir–Simpson hurricane wind scale. Between December 4 and 5, however, Amy briefly weakened back to tropical storm intensity before restrengthening. Steady intensification followed afterwards, with the typhoon reaching the equivalent of a Category 3 hurricane by 0000 UTC on December 6. By this time, the storm had slowed in forward speed. Later that day, the two, formerly separate circulation centers merged, resulting in an eye spanning 26 km (16 mi) in diameter. At 1200 UTC on December 8, Amy reached its peak intensity with winds of 220 km/h (140 mph) and a minimum barometric pressure of 950 mbar (hPa; 28.05 inHg), which would classify it as a modern-day Category 4 typhoon. At the same time, the tropical cyclone began to track slightly southwestward. At 0600 UTC the following day, Amy made its first landfall on southern Samar with an intensity equivalent of a Category 2 typhoon. Over the next two days, the typhoon weakened and moved over several islands in the Philippines including Leyte, Cebu, and Panay before emerging into the South China Sea on December 11.
In the South of China Sea on December 11, Amy quickly slowed in forward motion and began to execute a cyclonic loop. Late that day, the typhoon strengthened back to Category 2 intensity, and as such concurrently attained a tertiary peak intensity with winds of 160 km/h (100 mph) and a minimum barometric pressure of 968 mbar (hPa; 28.59 inHg). Late on December 13, Amy weakened back to a Category 1 typhoon for a transient period of time before restrengthening and reaching a quaternary peak intensity as a Category 3 typhoon with maximum sustained winds of 115 mph (185 km/h). Afterwards, the typhoon began to weaken, and at 0900 UTC on December 17, the Fleet Weather Center in Guam issued their last bulletin on the tropical cyclone. Upon the issuance of the last advisory, Amy set records for most typhoon bulletins issued at 58, and most reconnaissance fixes at 25. However, Amy continued to persist through the next day before degenerating into a remnant low-pressure area late on December 18. The following day, the associated remnants of Amy dissipated east of Vietnam.
Impact and aftermath
Beginning on September 1, 1948, the then-active volcano Mount Hibok-Hibok on Camiguin Island in the Philippines began to release lava in a series of eruption events which continued for the ensuing three years. On December 4, 1951, a large, Peléan eruption event later rated between a 2 and 3 on the Volcanic Explosivity Index, sending pyroclastic flows and lahars down the northeast flank of the volcano. The resultant ash flows alone killed an estimated 500 people on the island, making it one of the deadliest volcanic eruption events in recorded history. As the typhoon approached the archipelago, relief agencies were forced to divert aid operations to victims of the recent eruption, slowing the recovery process.
Upon making landfall on south Samar on December 10, Hibok-Hibok erupted six times in rapid succession, worsening the effects of both the typhoon and the volcano. Amy had also made landfall on an area impacted by a second typhoon three weeks prior. Strong winds displaced and destroyed residences and uprooted trees, while torrential rainfall caused rivers to overflow, resulting in the flooding of sugarcane fields and the washing away of bridges. Radio communications to and between most of the central Philippine islands were disrupted.
Cebu was one of the worst impacted cities. At the local airport, an anemometer recorded sustained winds of 160 km/h (100 mph) early on December 10, which remains a record for the city. Rainfall peaked at 195.3 mm (7.69 in); at the time this made the typhoon the wettest tropical cyclone in Cebu history. All buildings made of light construction materials were at least partially damaged, with many large structures sustaining roof or other damage. At least 29 people were killed in the city, including the drownings of three due to the resultant flooding. The typhoon's effects caused the cessation of the city's power supply. Damage in Cebu totaled 560 million Philippine pesos. At least a hundred other people in Cebu City were displaced. Offshore, 28 ships capsized due to winds caused by Amy, including 7 inter-island vessels. This set a new record for vessels sunk by a typhoon in Cebu, and held until Typhoon Mike sunk 88 ships in 1990.
On Samar, where Amy first struck, reports indicated that 27 people died, despite initial reports that stated that there were no fatalities. In Iloilo City on Visayas, two people were killed and seventeen others were injured. Property damage in Bacolod, Negros was estimated at $250,000, and 52 people died, with an additional 2,250 persons rendered homeless. Elsewhere on Negros, 30 percent of the island's vital sugar crop was destroyed. On the east coast of Leyte, the typhoon was considered the worst in living memory, and ninety percent of homes there were destroyed. In Negros Oriental, schoolhouses in Canlaon, Vallehermoso, Negros Oriental, and Guihulngan were blown down. An aerial survey mission estimated that at least of coconut plantations were devastated; other coconut plantations throughout the Philippines also suffered considerable damage. Copra crops also suffered sizeable losses, though production was expected to remain at forecast levels. Tacloban's San Jose Airfield was severely damaged by the strong storm surge from Amy. In the Tacloban and Surigao Strait area, an estimated 146 people were killed. In the Leytenian town of Abuyog, the mayor had announced that 176 people were killed in the town alone. Another 135 fatalities were confirmed in Sogod. More than 100 persons were injured by falling coconuts and other airborne debris. On Leyte alone, damage was estimated at $8 million. The Red Cross estimated over a thousand homes in 41 towns on Panay were destroyed by the storm. More than 20 percent of crops and infrastructure were destroyed. Four people were killed on the island. Upon looping in the South China Sea, Amy brought torrential rainfall to areas of Manila, though no damage was reported.
Overall, Amy caused at least an estimated $30 million in damage throughout the central Philippines. However, the total number of fatalities directly associated with the effects of the typhoon remain disputed, and may range anywhere from 569 to 991, making Amy one of the deadliest typhoons to strike the island nation in recorded history. An additional 50,000 people were rendered homeless by the storm. The typhoon was characterized by the Philippine weather bureau to be the worst typhoon to strike the Philippines in at least 70 years. In the aftermath of Amy, then-president of the Philippines Elpidio Quirino declared a state of public calamity for eleven central Philippine provinces including the island of Camiguin, which was heavily affected by both the typhoon and Mount Hibok-Hibok. On December 24, the American Red Cross granted $25,000 to the Philippine Red Cross.
See also
Other storms named Amy
Typhoon Durian – Intense tropical cyclone that caused widespread damage in the central Philippines and Vietnam
Typhoon Angela (1995) – Super typhoon that brought flooding and strong storm surge to the Bicol Region of the Philippines
Typhoon Yunya (1991) – Struck the Philippines during the 1991 eruption of Mount Pinatubo
Notes
References
External links
JMA General Information of Typhoon Amy (5120) from Digital Typhoon
JMA Best Track Data (Graphics) of Typhoon Amy (5120)
JMA Best Track Data (Text)
JTWC Best Track Data of Typhoon 16W (Amy)
1951 Pacific typhoon season
Typhoons in the Philippines
Typhoons
1951 in the Philippines |
Thomas Olsen, better known by his stage name Tommy Trash, (born 15 November 1987) is an Australian DJ, record producer, and remixer. He currently resides in Los Angeles, California and signed to Ministry of Sound Australia.
Biography
Early life
Thomas Olsen was born in Bundaberg, Queensland. He attended Walkervale State Primary School and Later Kepnock State high School. From an early age Thomas was proficient at Piano and Trumpet and was classically trained in both, he excelled at music in general and could play almost anything with a little practice.
Music career
The ARIA Music Awards of 2009 nomination of artist Tommy Trash, one of the EDM scene's biggest promises, is considered as one of the highlights of 2011.
Ever since he appeared on the scene in 2006, Tommy has been rocking the charts and the dance floors, and with over 50 productions (originals and remixes), and also he has quickly been recognised as one of Australia's biggest talents.
His peak era would begin in mid-2011, thanks to one of his most recognisable tunes, titled "The End". This has been one of his largest hits to date. This made him quickly noticed by high-profile DJs such as Tiësto, David Guetta, Swedish House Mafia, Afrojack, and Laidback Luke. "The End" pushed Tommy further into international fame.
Before "The End", he launched "All My Friends" in 2010, collaborating with Tom Piper and Mr. Wilson on the vocals, who has already lent his voice in Tommy's song, "Need Me To Stay", a song nominated by the ARIA Awards as a "Best Dance Record" in 2009. "All My Friends" managed to peak 6 weeks straight on the ARIA Club Charts. Due to its success, it was re-edited and remastered by Ministry of Sound on the United Kingdom and Germany, and peaked at 11 in the UK Cool Cuts chart.
Tommy also launched his music on worldwide labels, such as Spinnin, Refune, SIZE, Axtone, mau5trap, OWSLA, Boys Noize, Musical Freedom and Fool's Gold. He has collaborated with other producers such as A-Trak. Digitalism, Sebastian Ingrosso and Wolfgang Gartner, and he has made remixes for artists like Deadmau5, Empire of the Sun, Swedish House Mafia, Sub Focus, Zedd, Steve Aoki, plus many more.
In 2012, the 55th Annual Grammy Awards nominated Tommy for his remix of Deadmau5' song ""The Veldt"".
In compilations
The first Tommy Trash song that appeared on a mainstream compilation was "It's A Swede Thing" which was collaborated with Goodwill, this song was included on the downloadable edition of the Cream compilation "Cream Summer 2007". This gained Olsen some popularity and he went on to have his song "All My Friends" (with Tom Piper and Mr. Wilson) featured on the 2012 edition of the Ministry of Sound compilation known as The Annual, despite the name this edition of The Annual was actually released in 2011. This gave Olsen even more fame, and "All My Friends" was his most mainstream and successful single to date. "All My Friends" also received many remixes. The next song to feature on a mainstream album was "Future Folk", this was featured on another Cream compilation, this time it was "Cream Club Anthems 2012".
Most of Olsen's songs are featured on the "Musical Freedom" compilations. These are usually mixed by the likes of Dada Life, Steve Aoki, Tiesto, R3hab, Hard Rock Sofa and Swanky Tunes
Olsen has mixed a Ministry of Sound CD entitled "Inspired"; the CD was released on 17 March 2014 on Ministry of Sound/Data Records and Olsen's label, Ministry of Sound Australia.
Discography
Extended plays
Mix albums
Charted singles
Remixes
2006
Sugiurumn – Star Baby (Goodwill & Tommy Trash Remix)
2007
Craig Obey - Music in My Mind
Tommy Trash - Slide (Tommy Trash Electro Cut)
Green Velvet (feat. Walter Phillips) – Shake & Pop
Goodwill & Tommy Trash - It's a Swede Thing
Delta Goodrem – Believe Again
The Veronicas – Hook Me Up
Benjamin Bates – Two Flies
Tom Novy – Unexpected
Betty Vale - Jump On Board
Arno Cost & Arias – Magenta (Goodwill & Tommy Trash Exclusive Remix)
Anton Neumark – Need You Tonight (Goodwill & Tommy Trash Remix)
Grafton Primary – Relativity
Armand Van Helden – I Want Your Soul
My Ninja Lover – 2 x 2 (My Ninja Lover vs. Tommy Trash Edit)
2008
The Camel Rider & Mark Alston (feat. Mark Shine) – Addicted
Faithless – Insomnia 2008 (Tommy Trash Electro Mix)
Karton – Never Too Late (Tommy Trash & fRew's "fRew.T.Trash" Mix)
Mason – The Ridge
Dabruck & Klein – Cars
Soul Central (feat. Abigail Bailey) – Time After Time
Meck (feat. Dino) – So Strong
House of Pain vs. Mickey Slim - Jump Around (Tommy Trash Edit)
Kaskade – Step One Two
2009
Chili Hi Fly (feat. Jonas) – I Go Crazy
FRew & Chris Arnott (feat. Rosie Henshaw) – My Heart Stops (Tommy Trash Remix/Dub)
Orgasmic & Tekitek – The Sixpack Anthem
Neon Stereo – Feel This Real
Lady Sovereign – I Got You Dancing
2010
Hiroki Esashika – Kazane
Dave Winnel – Festival City
Bass Kleph – Duro
Stafford Brothers (feat. Seany B) – Speaker Freakers
DBN – Chicago
Idriss Chebak – Warm & Oriental
DBN & Tommy Trash (feat. Michael Feiner) - Stars
Anané – Plastic People
Pocket 808 (feat. Phil Jamieson) – Monster (Babe)
Dimitri Vegas & Like Mike (feat. VanGosh) – Deeper Love
Jacob Plant (feat. JLD) – Basslines In (Tommy Trash Remix/Dub)
The Potbelleez – Shake It
Tommy Trash & Tom Piper (feat. Mr Wilson) - All My Friends (Piper & Trash Remix)
2011
fRew & Chris Arnott (feat. Rosie) – This New Style
Ou Est le Swimming Pool - The Key
The Immigrant – Summer Of Love (She Said)
Tommy Trash - The End (Tommy Rework)
Gypsy & The Cat – Jona Vark
Grant Smillie (feat. Zoë Badwi) – Carry Me Home
BKCA (aka Bass Kleph & Chris Arnott) – We Feel Love
Richard Dinsdale, Sam Obernik & Hook N Sling – Edge Of The Earth
John Dahlbäck (feat. Erik Hassle) – One Last Ride
EDX (feat. Sarah McLeod) – Falling Out Of Love
Dirty South & Thomas Gold (feat. Kate Elsworth) – Alive
Moby – After
Zedd – Shave It
Steve Forte Rio (feat. Lindsey Ray) – Slumber
R3hab & Swanky Tunes (feat. Max C) – Sending My Love
Timbaland (feat. Pitbull) – Pass at Me
Pnau - Unite Us
2012
Swedish House Mafia vs. Knife Party – Antidote
Steve Aoki (feat. Wynter Gordon) – Ladi Dadi
Chris Lake – Build Up (Tommy Trash Edit)
Nicky Romero – Toulouse
fRew (feat. John Dubbs & Honorebel) – Wicked Woman
Moguai & Tommy Trash – In N' Out (Tommy Trash Club Mix)
Deadmau5 (feat. Chris James) – The Veldt
Cubic Zirconia – Darko
2013
Sub Focus (feat. Alex Clare) – Endorphins
Tommy Trash - Monkey See Monkey Do (Tommy Trash Re-Edit)
Destructo – Higher
Empire of the Sun – Celebrate
2015
Caribou – Can't Do Without You
Tiga (feat. Pusha T) – Bugatti
2016
Dillon Francis & Kygo (feat. James Hersey) - Coming Over
Ookay - Thief
Empire of the Sun - High and Low
2017
GRiZ (feat. Cory Enemy & Natalola) - What We've Become
2020
Deadmau5 and Keisza - Bridged by a Lightwave
Writing and production credits
Notes
signifies a vocal producer.
References
External links
Tommy Trash on Beatport
Tommy Trash on Discogs
1979 births
Living people
Australian DJs
Musicians from Queensland
Mau5trap artists
People from Bundaberg
Australian house musicians
Australian electronic musicians
Electronic dance music DJs |
Onehunga Havili (born 16 February 1996) is a Tongan-born rugby union player who currently plays for the French Rugby Pro D2 club, Aurillac. He also plays for the Utah Warriors of Major League Rugby (MLR) in the U.S.
Havili toured New Zealand with a Tongan under-14 side, and was recruited by Sacred Heart College, Auckland. He then played for the Blues under-18s before moving to Australia to join Perth's Future Force academy.
In 2017 he was selected for the Tongan rugby squad.
References
Tongan rugby union players
1996 births
Living people
Tonga international rugby union players
Sunwolves players
Rugby union locks
Rugby union flankers
Rugby union number eights
Perth Spirit players
Western Force players
Exeter Chiefs players
Stade Aurillacois Cantal Auvergne players
Utah Warriors players |
An outdoor retailer or outdoor store is a retail businesses selling apparel and general merchandise for outdoor activities.
The stores may cater for a range of activities, including camping, hunting, fishing, hiking, trekking, mountaineering, skiing, snowboarding, cycling, mountain biking, kayaking, rafting and water sports. They may carry a range of associated equipment, such as hiking boots, climbing harnesses, snowboards, kayaks, mountain bikes, paddleboards, climbing shoes, and tents.
History
In 2017, the US Outdoor Retailer trade show moved out of Utah over the state's plan to remove the national monument designations for Bears Ears and Grand Staircase–Escalante.
During late 2020 and early 2021, some outdoor retailers experienced a boom from the COVID-19 pandemic, with demand increasing for items like personal watercraft, bicycles, running shoes, hiking shoes, and walking shoes.
In 2022, research in the United States found consumers were planning to spend less at outdoor retailers due to rising costs of living and other prices.
In March 2022, the US Outdoor Retailer trade show announced a move back to Utah beginning in January 2023, despite the state's stance on national monuments. Several major retailers, such as Patagonia, REI, The North Face, threatened to boycott the event.
By market
Australia
Prominent outdoor retailers in the Australia include Anaconda, Boating Camping and Fishing, Kathmandu, Macpac, Mountain Designs and Snowys Outdoors.
United States
Prominent outdoor retailers in the United States include Dick's Sporting Goods, Eddie Bauer, Backcountry.com, Outdoor Voices, REI, Patagonia, Marmot, Moosejaw, Sierra, The North Face and L.L.Bean.
See also
Sporting goods retailer
Clothing retailer
References
External links
Retailers by type of merchandise sold |
Karaca Island () is an Aegean island of Turkey.
Karaca island is named after the village facing the island. At it is administratively a part of Marmaris ilçe (district) of Muğla Province. . It is situated in the Gulf of Gökova and about to mainland (Anatolia). Famous Sedir Island is to the north of Karaca Island. Its area is .
The island belongs to a Turkish family. Recently, the owners put the island on the market. But the island is an archaeological site and there are serious objections against this sale.
References
Aegean islands
Islands of Turkey
Islands of Muğla Province
Marmaris District |
Ingichka (, ) is an urban-type settlement in Samarkand Region, Uzbekistan. Administratively, it is part of the city Kattakurgan. The town population in 1989 was 9,676 people.
References
Populated places in Samarqand Region
Urban-type settlements in Uzbekistan |
Story of Pao or Pao's Story () is a 2006 Vietnamese film.
It stars Đỗ Thị Hải Yến who also starred in The Quiet American, and was directed and written by her husband Ngô Quang Hải. It is set among the Hmong people of North Vietnam, and won four Golden Kite Prizes (the Oscars of Vietnam).
References
External links
Official site (Vietnamese)
Hmong culture
2006 in Vietnam
2006 drama films
2006 films
Vietnamese drama films |
The Seattle Post-Intelligencer (popularly known as the Seattle P-I, the Post-Intelligencer, or simply the P-I) is an online newspaper and former print newspaper based in Seattle, Washington, United States.
The newspaper was founded in 1863 as the weekly Seattle Gazette, and was later published daily in broadsheet format. It was long one of the city's two daily newspapers, along with The Seattle Times, until it became an online-only publication on March 18, 2009.
History
J.R. Watson founded the Seattle Gazette, Seattle's first newspaper, on December 10, 1863. The paper failed after a few years and was renamed the Weekly Intelligencer in 1867 by new owner Sam Maxwell.
In 1878, after publishing the Intelligencer as a morning daily, printer Thaddeus Hanford bought the Daily Intelligencer for $8,000. Hanford also acquired Beriah Brown's daily Puget Sound Dispatch and the weekly Pacific Tribune and folded both papers into the Intelligencer. In 1881, the Intelligencer merged with the Seattle Post. The names were combined to form the present-day name.
In 1886, Indiana businessman Leigh S. J. Hunt came to Seattle and purchased the Seattle Post-Intelligencer, which he owned and published until he was forced to sell in the Panic of 1893. At this point the newspaper was acquired by attorney and real estate developer James D. Hoge under whom it was representative of an establishment viewpoint. It was the state's predominant newspaper. Circulation was greatly increased by coverage of the Klondike Gold Rush in 1897. Hoge, who was involved in other business, sought to find a buyer and sold in 1899. The newspaper was acquired with assistance from James J. Hill by John L. Wilson who had first started the Seattle Klondike Information Bureau. The newspaper was acquired by Hearst in 1921.
Circulation stood at 31,000 in 1911. In 1912, editor Eric W. Allen left the paper to found the University of Oregon School of Journalism, which he ran until his death in 1944.
William Randolph Hearst took over the paper in 1921, and the Hearst Corporation owns the P-I to this day.
In 1936, 35 P-I writers and members of The Newspaper Guild went on three-month strike against "arbitrary dismissals and assignment changes and other 'efficiency' moves by the newspaper." The International Brotherhood of Teamsters joined the strike in solidarity. Roger Simpson and William Ames co-wrote their book Unionism or Hearst: the Seattle Post-Intelligencer Strike of 1936 on the topic.
Anna Roosevelt Halsted, the daughter of Franklin and Eleanor Roosevelt, began working as the editor of the women's page at the P-I after her husband Clarence John Boettiger took over as publisher in 1936. Boettiger left Seattle to enter the United States Army in April 1943, while Anna stayed at the paper to help keep a liberal voice in the running of the paper. After Boettiger's absence, the paper increasingly turned conservative with Hearst's new acting publisher. Anna left Seattle in December 1943 to live in the White House with her youngest child, Johnny. This effectively ended the Roosevelt-Boettiger ties with the P-I.
On December 15, 2006, no copies were printed as a result of a power outage caused by the December 2006 Pacific Northwest storms. It was the first time in 70 years that publication had been suspended.
On January 9, 2009, the Hearst Corporation announced that after losing money on it every year since 2000, Hearst was putting the P-I up for sale. The paper would be put on the market for 60 days, and if a buyer could not be found within that time, the paper would either be turned into an Internet-only publication with a drastically reduced staff, or closed outright. The news of the paper's impending sale was initially broken by local station KING-TV the night prior to the official announcement, and came as a surprise to the P-Is staff and the owners of rival newspaper The Seattle Times. Analysts did not expect a buyer to be found, in view of declining circulation in the U.S. newspaper industry and other newspapers on the market going unsold. Five days before the 60-day deadline, the P-I reported that the Hearst Corporation had given several P-I reporters provisional job offers for an online edition of the P-I.
On March 16, 2009, the newspaper posted a headline on its front page, followed shortly after by a short news story, that explained that the following day's edition would be its final one in print. The newspaper's publisher, Roger Oglesby, was quoted saying that the P-I would continue as an online-only operation. Print subscribers had their subscriptions automatically transferred to The Seattle Times on March 18.
, the P-I continues as an online-only newspaper. In September 2010, the site had an estimated 2.8 million unique visitors and 208,000 visitors per day.
Joint operating agreement
From 1983 to 2009, the P-I and The Seattle Times had a joint operating agreement (JOA) whereby advertising, production, marketing, and circulation were run for both papers by The Seattle Times company. They maintained separate news and editorial departments. The papers published a combined Sunday edition, although the Times handled the majority of the editorial content while the P-I only provided a small editorial/opinions section.
In 2003 the Times tried to cancel the JOA, citing a clause in it that three consecutive years of losses were cause for cancelling the agreement. Hearst disagreed, and immediately filed suit to prevent the Times from cancelling the agreement. Hearst argued that a force majeure clause prevented the Times from claiming losses in 2000 and 2001 as reason to end the JOA, because they resulted from extraordinary events (in this case, a seven-week newspaper strike).
Each side publicly accused the other of attempting to put its rival out of business. The trial judge granted a summary judgment in Hearst's favor on the force majeure issue. But after two appeals, the Washington State Supreme Court ruled in favor of the Times on June 30, 2005, on the force majeure clause, reversing the trial-court judge. The two papers settled the issue on April 16, 2007.
The JOA ended in 2009 with the cessation of the P-I print edition.
Awards
The P-I was notable for its two-time Pulitzer Prize-winning editorial cartoonist, David Horsey.
Notable reports
Report on Judge Gary Little
Investigative reporting on King County Superior Court Judge Gary Little's out-of-court contact with juvenile defendants revealed accusations that Little molested young boys while he was a teacher at Seattle's exclusive Lakeside School between 1968 and 1971. It also revealed inappropriate contact between Little and juveniles appearing before him after he became a judge. On August 19, 1988, after reporter Duff Wilson called the judge to advise him the newspaper was publishing the story, Little shot himself in the King County Courthouse. The ethical debates surrounding the publication of the storyand the network of connections that protected Littleare taught in journalism classes, and led to reforms in the way judges are disciplined in Washington state.
Conduct Unbecoming series
In 2006 the P-I became the subject of a complaint to the Washington News Council for its reporting on the King County Sheriff's Office. The media watch-dog group ruled against the P-I, agreeing with Sheriff Sue Rahr's complaint that the newspaper had unfairly disparaged the Sheriff's Office. The P-I declined to participate in the proceedings, and opted instead to give a detailed reply on its website.
The P-I Globe
The P-I is known for the 13.5-ton, neon globe atop its headquarters on the Elliott Bay waterfront, which features the words "It's in the P-I" rotating around the globe and an eagle perched atop with wings stretched upwards. The globe originated from a 1947 readers' contest to determine a new symbol for the paper. Out of 350 entrants, the winner was Jack (known as Jakk) C. Corsaw, a University of Washington art student. The globe was manufactured in 1948 and was placed atop the paper's then-new headquarters building at 6th Avenue and Wall Street (now City University of Seattle). When the newspaper moved its headquarters again in 1986 to its current location on the waterfront, the globe was relocated to the new building. Over the decades since its first installation, the globe has become a city landmark that, to locals, is as iconic as the Space Needle. A stylized rendering of the globe appeared on the masthead of the newspaper in its latter years and continues to feature on its website.
In April 2012, it was designated a Seattle landmark by the city's Landmarks Preservation Board. Mayor Ed Murray signed a city ordinance that had been passed by the Seattle City Council on December 17, 2015 that designated the globe as an official city landmark.
In March 2012, the globe was donated to the Museum of History and Industry, which planned to refurbish and relocate it, but as of fall 2018, this had not occurred.
Notable employees
Notable employees of the P-I have included the novelists E. B. White, Frank Herbert, Tom Robbins, Adam Schefter and Emmett Watson, as well as Andrew Schneider, who won two Pulitzer Prizes for specialized reporting and public service while working at The Pittsburgh Press.
See also
Hutch Award (baseball award bestowed at P-Is annual "Sports Star of the Year" banquet)
References
External links
Digitized copies of the Guild Daily, published by striking Post-Intelligencer employees in 1936, from the Labor Press Project.
Newspapers published in Seattle
Hearst Communications publications
Newspapers established in 1863
Publications disestablished in 2009
Defunct newspapers published in Washington (state)
Online newspapers with defunct print editions
American news websites
1863 establishments in Washington Territory
2009 disestablishments in Washington (state) |
Kurt Arvid Uggeldahl (1932–1988) was a Finnish diplomat, a master of political science by education. He has been in the Foreign Affairs since 1958 and was Finnish Ambassador to Pretoria from 1971 to 1974 and to Tehran and Islamabad from 1974 to 1979 and then head of the Protocol Department of the Ministry for Foreign Affairs 1979–1982, Finnish Ambassador to Ottawa from 1983 to 1985 and Consul General in Los Angeles 1985–1986.
References
1932 births
1988 deaths
Ambassadors of Finland to Iran
Ambassadors of Finland to Pakistan
Ambassadors of Finland to South Africa
Ambassadors of Finland to Canada
20th-century Finnish diplomats |
USS Makin Island (CVE-93) was a of the United States Navy. It was named for the 1942 Makin raid, an early diversionary raid designed to distract from the Guadalcanal campaign and the Tulagi campaign. Launched in April 1944, and commissioned in May, she served in support of the Philippines campaign, the Invasion of Iwo Jima, and the Battle of Okinawa. Postwar, she participated in Operation Magic Carpet. She was decommissioned in April 1946, and ultimately sold for scrapping in January 1947.
Design and description
Makin Island was a Casablanca-class escort carrier, the most numerous type of aircraft carriers ever built, and designed specifically to be mass-produced using prefabricated sections, in order to replace heavy early war losses. Standardized with her sister ships, she was long overall, had a beam of , an extreme width of , and a draft of . She displaced standard, with a full load. She had a long hangar deck, a long flight deck. She was powered with two Uniflow reciprocating steam engines, which provided a force of , driving two shafts, enabling her to make . The ship had a cruising range of , assuming that she traveled at a constant speed of . Her compact size necessitated the installment of an aircraft catapult at her bow end, and there were two aircraft elevators to facilitate movement of aircraft between the flight and hangar deck: one on the fore, another on the aft.
One /38 caliber dual purpose gun was mounted on the stern, and she was equipped with 16 Bofors 40 mm anti-aircraft (AA) guns in twin mounts, as well as 12 Oerlikon 20 mm cannons, which were used in an anti-aircraft capability. By the end of the war, Casablanca-class carriers had been modified to carry thirty 20 mm cannons, as a response to increasing casualties due to kamikaze attacks. Anti-aircraft guns were mounted around the perimeter of the deck. Casablanca-class escort carriers were designed to carry 27 aircraft, but she sometimes went over or under this number. For example, during the Philippines campaign, she carried 15 FM-2 fighters, 9 TBM-3 torpedo bombers, and a TBM-3P photo reconnaissance plane, for a total of 25 aircraft. However, during the Invasion of Iwo Jima, she carried 20 FM-2 fighters and 12 TBM-3 torpedo bombers, for a total of 32 aircraft. During the Battle of Okinawa, she carried 16 FM-2 fighters and 11 TBM-3 torpedo bombers, for a total of 27 aircraft.
Construction
The escort carrier was laid down on 12 January 1944 under a Maritime Commission contract, MC hull 1130, by Kaiser Shipbuilding Company, Vancouver, Washington. She was launched on 5 April 1944; sponsored by Mrs. B. B. Nichol; transferred to the United States Navy and commissioned on 9 May 1944, Commodore William Baynard Whaley Jr. in command, and with a partial crew complement of 60 officers and 560 crewmen.
Service history
Following commissioning, she underwent outfitting at Astoria, Oregon. On 31 May, she left, bound for Puget Sound, where munitions were loaded, and tests were conducted. On 8 June, she departed, traveling down to Naval Base San Diego, stopping at Naval Air Station Alameda to load more munitions and to refuel. Upon arriving in San Diego, she underwent a brief shakedown cruise, engaging in exercises off of Baja California. On 19 June, she set off on a transport mission, ferrying 78 aircraft and 236 men to Hawaii. After unloading her cargo in Pearl Harbor, she took on 70 aircraft, along with a marine squadron (VMO-155). She then proceeded onwards to Majuro Atoll, where she unloaded her planes. After leaving, she made stops at Kwajalein Atoll and Roi-Namur, where she took on wounded from the ongoing Battle of Saipan. She then returned to Pearl Harbor, where she loaded onboard Air Group 16, which had been recently detached from . After returning her aircraft cargo to San Diego, she sailed to Long Beach Naval Shipyard, where she underwent overhaul.
After finishing overhaul, she took on her aircraft contingent (VC-84), and on 16 August, she began exercises along the California coast. Exercises concluded on 5 September, with minor repairs being conducted until 11 September, when she sortied again for more exercises. She was assigned as part of Carrier Division 29, along with , , and . The task group engaged in simulated amphibious landings on San Clemente Island. On 10 October, Rear Admiral Calvin T. Durgin took control over the escort carrier group, making Makin Island as his flagship. On 16 October, her task group finished exercises, and traveled to the Ulithi Atoll, making stops at Pearl Harbor and Enewetak Atoll.
On 10 November, the ship got underway for Leyte, stopping at Kossol Roads. There, she protected convoys in transit to supply the ongoing Battle of Leyte. Notably, on 21 November, she opened fire on three Nakajima J1N "Irving" twin-engined bombers who flew near the carrier, albeit the aircraft did not engage, and escaped. On 23 November, she was relieved by Carrier Division 27, and the task group sailed to Manus for the forthcoming invasion of Luzon. On 27 November, she arrived at Seeadler Harbor, Manus Island, where supplies were loaded and preparations were made. Between 16 December and 20 December, she left port to engage in exercises with Huon Gulf.
She left Manus island on 27 December, and she rendezvoused with the invasion force in Surigao Strait, Leyte on 3 January 1945. The fleet assembled for the invasion of Luzon was immense, consisting of 18 escort carriers, 6 battleships, 4 heavy cruisers, and a multitude of destroyers and destroyer escorts. Almost immediately, the massive fleet was continuously harassed by Japanese kamikaze attacks. On the night of 3 January, a Mitsubishi A6M Zero "Zeke" dove on the escort carriers, plunging into the ocean approximately from the starboard of Makin Island. On the afternoon of 4 January, the task force once again came under kamikaze attacks, which sunk . On the early morning of 5 January, a Japanese plane flew a scant over the carrier. Later that day, her aircraft supplemented a strike force which sunk and heavily damaged . That same day, in the evening, kamikazes damaged , , and . Makin Island arrived unscathed near Luzon on 6 January. For the next 11 days, she remained off of Luzon flying air support for the amphibious operation. Notably, Salamaua was heavily damaged by a kamikaze on 13 January. On 17 January, the escort carriers withdrew, heading back to Ulithi. During the three-week operation, the only fatality onboard Makin Island was a sailor on the flight deck, who died when a 3.5-inch rocket on an Avenger accidentally discharged, launching him off the carrier. A resulting search proved unsuccessful. This was despite the fact 16 of her own aircraft were destroyed through anti-aircraft fire and accidents. Her air group destroyed 10 Japanese aircraft, and her anti-aircraft guns claimed a kamikaze heading towards the task force.
[[File:General Motors TBM Avenger is catapulted from USS Makin Island (CVE-93), circa in 1945 (NH 69419).jpg|thumb|left|A TBM Avenger being launched off of Makin Bay'''s aircraft catapult.]]
After the Battle of Luzon, the aircraft carriers only had 18 days to prepare for the Invasion of Iwo Jima. On 10 February, she departed Ulithi for Iwo Jima, where she arrived on 16 February 1945. Her escort carrier task group conducted 3,000 sorties over the Iwo Islands until 8 March, conducting aerial reconnaissance, providing close air support, creating a fighter cover, and patrolling against submarines. On 28 February, her fighters were even used to spray down the island with DDT to control a boom in the population of flies on the island. Notably, her fighters intercepted two Japanese troop transports carrying reinforcements to Iwo Jima, which were promptly strafed and sunk. The carrier group yet again came under heavy Japanese kamikaze attacks, but Makin Island was once again unscathed, although was sunk, and heavily damaged. Despite the intense air support, the only casualty onboard Makin Island was a wounded airman. After replenishing at Ulithi, she sailed for Okinawa, again as flagship. On 8 March, she retired to Ulithi in preparations for the Battle of Okinawa.
Arriving at Ulithi on 11 March, the ship was quickly readied, and launched for Okinawa on 21 March. Arriving on 25 March, Makin Island remained on station for 77 days (69 days directly off the coast of Okinawa), flying constant fire support, supply, and reconnaissance missions for the ground forces. The ship's aircraft, from Composite Squadrons 84 and 91 (VC-84 and -91), flew 2,347 combat sorties, recording almost 8,000 hours of flying time. Relieved 1 June, the carrier sailed for Guam, arriving on 5 June. Whilst in availability on Guam, Vice Admiral Ira Earl Hobbs relieved now Rear Admiral Whaley from command. In addition, her aircraft contingent was rotated, with VC-41 being transferred onto the ship.
She sailed again 11 July, with Task Group 32.1, into the East China Sea. The task group's goal was to provide air cover for minesweepers operating in the area, to blockade Japanese troops within China from mainland Japan, to provide air cover for a fast cruiser group which was raiding the Chinese coast, and to attack shipping around Shanghai. Upon a sweep of the Chinese coast, in which the task group encountered minimal resistance, and after a brief bombing of Shanghai harbor, she anchored in Buckner Bay, Okinawa, on 13 August. There, she received news of the Japanese surrender, and on 9 September proceeded to Wakanoura Wan, in southern Honshū, for occupation duty. Among her missions was providing air cover for the evacuation of Allied prisoners of war. She sailed for San Francisco on 18 October, arriving on 5 November, then voyaged to Shanghai to return troops (including the famous Flying Tigers) to the United States at Seattle on 30 December.Makin Island'' was decommissioned on 19 April 1946 at Puget Sound, was stricken from the Navy list on 11 July, and sold on 1 January 1947.
References
Sources
Online sources
Bibliography
External links
Casablanca-class escort carriers
World War II escort aircraft carriers of the United States
Ships built in Vancouver, Washington
1944 ships
S4-S2-BB3 ships |
Ghost BFF is a Canadian comedy web series, which premiered in 2018 on WhoHaha. Using humor to combat the stigma around mental illness, the series centres on Amy (Vanessa Matsui), a woman whose life is turned upside down when her friend Tara (Kaniehtiio Horn), who committed suicide by drug overdose three years earlier, returns as a ghost and begins to confront her about her own life choices.
The series received two Canadian Screen Award nominations at the 7th Canadian Screen Awards in 2019, for Best Web Series, Fiction and Best Lead Performance in a Digital Program or Series (Matsui). The creators announced in March 2019 that a second season of the series was going into production, with the season debuting on Shaftesbury Films' KindaTV channel on YouTube in 2020.
References
External links
2018 web series debuts
2010s Canadian comedy television series
Canadian comedy web series |
Frank Maine Bateson (31 October 1909 – 16 April 2007) was a New Zealand astronomer who specialised in the study of variable stars.
Biography
Bateson was born in Wellington on 31 October 1909 and studied in Australia and New Zealand. His interest in astronomy developed during his school years in Sydney, Australia when he read Robert Stawell Ball's Great Astronomers.
In 1927, at the age of 18, he founded the Variable Star Section (VSS) of the Royal Astronomical Society of New Zealand. He remained as director of the VSS until 2004.
Under his lead, the VSS observed variable stars and collated reports on stars from both professional and amateur observers throughout the world and was known worldwide for its work in the field of variable stars. He was associated with the VSS until his death. He and his wife, Doris, formed a non-profit organization called Astronomical Research Ltd, which administers the over 1,000,000 observations which have been delivered to the VSS by amateur and professional astronomers worldwide since the onset of the programme.
He served in World War II with New Zealand's Home Naval Service, then after the war moved to Rarotonga, Cook Islands where he worked until 1960. In 1958 he was elected to the Parliament of the Cook Islands. He spent much of his career working in the business field while pursuing his astronomical interests as a hobby.
Bateson was instrumental in the founding of the Mount John University Observatory near Lake Tekapo, assisting the University of Canterbury in finding an appropriate location for the observatory. Bateson was appointed astronomer-in-charge of the observatory after it opened in 1963; he held this position until his retirement in 1969.
Bateson also authored or co-authored over 300 scientific papers. He was elected as a Fellow of the Royal Astronomical Society of New Zealand (RASNZ) in 1963. He served on the society's council for a number of years, including one year as president. He was an honorary member of the Royal Astronomical Society and the Royal Astronomical Society of Canada. Bateson was also a member of the International Astronomical Union and served as its first representative from New Zealand. He received the Jackson-Gwilt Medal of the Royal Astronomical Society in 1960 and an honorary doctorate from the University of Waikato in 1979. He was appointed an Officer of the Order of the British Empire in the 1970 New Year Honours for services to astronomy, and the Amateur Achievement Award of the Astronomical Society of the Pacific in 1980. The asteroid 2434 Bateson was named in his honour.
Bateson died at the age of 97 on 16 April 2007, in Tauranga, New Zealand.
References
Further reading
Paradise Beckons by Frank M. Bateson. Heritage Press, 1989. .
External links
Oral History interview transcript for Frank Bateson on 16 May 1985, American Institute of Physics, Niels Bohr Library and Archives – interviewed by Steven J. Dick
1909 births
2007 deaths
20th-century New Zealand astronomers
New Zealand Officers of the Order of the British Empire
Scientists from Wellington City
Royal New Zealand Navy personnel of World War II
Members of the Parliament of the Cook Islands |
Adolphe Lalauze (8 October 1838 – 18 October 1906) was a prolific French etcher who made the illustrations for many books. He won various awards and was made a knight of the Legion of Honour.
Life
Adolphe Lalauze was born in Rive-de-Gier, Loire, on 8 October 1838.
His first job was a Contrôleur de l'Enregistrement.
Lalauze worked in this civil service job in Toulouse for some time, then enrolled at the Toulouse École des Beaux-arts.
He moved to Paris, where he became a student of Léon Gaucherel.
Encouraged by Gaucherel, he took up etching, and first exhibited at the Salon in 1872.
At the Salon in 1876 he exhibited twenty-one etchings.
These included a series of nine called Le Petit Monde (The Small World) that depicted childhood scenes using his children as models, which won a 3rd class medal.
He won a 2nd class medal at the Salon of 1878 for twelve plates illustrating the Histoires ou contes du temps passé by Charles Perrault.
Lalauze illustrated many books.
He drew the Frontispiece for Le Bric-à-brac de l'amour (1879) published by Octave Uzanne.
This book used revolutionary new photo-mechanical reproduction techniques.
He illustrated the Peter Anthony Motteux translation of Don Quixote, first published in 1879.
Lalauze made 21 etchings for the 1881 edition of Galland's translation of the Arabian Nights,
and these were reproduced in several other editions.
He was one of the illustrators of Damase Jouaust's 1882 Petite Bibliothėque artistique (Small Art Library), along with Pierre Edmond Alexandre Hédouin and Émile Boilvin.
He created illustrations for Walter Scott's Waverley Novels published in Boston in 1893–94.
In 1898 his illustrations in the pure fin de siècle style appeared in Sophie Arnould, actress and wit by Robert B. Douglas.
Adolphe Lalauze was a member of the Société des Artistes Français.
He died in Milly-la-Forêt, Essonne in 1906.
His son, Alphonse Lalauze, was also an artist.
Work
Lalauze was known for etchings that depicted children, using his own children as models.
He also made etchings that interpreted work by such artists as Charles Bargue, Pieter Codde, Alexandre-Gabriel Decamps, Juan Antonio Gonzalez, Charles Green, Antoine-Jean Gros, Jean-Baptiste Huet, Pierre-Paul Prud'hon, David Teniers, Giovanni Battista Tiepolo, and Diego Velázquez.
Lalauze made color prints by superimposing etched boards.
Some of his larger plates included "Love Story" after Frank Dicksee, "A Kiss from the Sea" after Hamilton Macallum and "The Entry of Charles V into Antwerp" after Hans Makart.
His best work included "The Halt" after Jean-Louis-Ernest Meissonier, etched for the magazine L'Art, and "Portrait of Madame Pompadour" after Maurice Quentin de La Tour,
published by the Société des Artistes Français.
During his lifetime he was called "one of the most skillful original etchers of the modern French school."
An 1889 book described him as an etcher with extreme facility who composed elegant vignettes and frontispieces.
Later, Claude Roger-Marx criticized him for having fallen from interpretive drawing into a "laborious work of illustration" and of multiplying small compositions and vignettes.
Awards and distinctions
1876 Salon Medal 3rd class
1878 Salon Medal 2nd class
1889 Bronze Medal at the Exposition Universelle
1895 Knight of the Legion of Honor,
1900 Gold Medal at the Exposition Universelle
Gallery
References
Sources
External links
1838 births
1906 deaths
French illustrators |
Skye Louise Kakoschke-Moore (born 19 December 1985) is an Australian politician who was a Senator for South Australia in the Parliament of Australia from July 2016 until she resigned in November 2017 during the parliamentary eligibility crisis, following her realisation that she was a dual citizen. Kakoschke-Moore had served as Nick Xenophon Team whip and spokesperson for mental health, disability, Indigenous affairs, veteran's affairs, women, arts and sports. She was also the social services spokeswoman for the party in the Senate.
Background
Kakoschke-Moore was born in Darwin before moving with her family to Oman when she was nine years old where her father took up an expatriate role as an air traffic control instructor. She completed an International Baccalaureate at the American British Academy in Muscat, then moved to Adelaide to study law and economics at Flinders University. During her studies, she worked in retail at Myer and volunteered in the legal division of the Australian Refugee Association. In 2008 she represented Australia along with 30 other countries as a facilitator for 'Insight Dubai'—an international leadership conference for women focusing on globalisation, politics, equality and diversity. She married Simon Moore in 2007 and has a step-daughter.
Political career
Xenophon staffer
In 2010, after completing her university studies, Kakoschke-Moore began working in the Electorate Office of Nick Xenophon. In 2013 she began working as a senior advisor on legal and constituent affairs. She held this position until 2015 when she replaced longtime Xenophon advisor, Hannah Wooller, as the Senator's legislative and policy advisor.
Senator for South Australia (2016–2017)
In March 2016, NXT announced that Kakoschke-Moore would be the third on the South Australian senate ticket. She was elected to the Senate at the 2016 double dissolution election.
Shortly after her election Kakoschke-Moore negotiated the passage of Carly's Law through the Federal Parliament. The law was named in honour of Carly Ryan, a 15 year old Adelaide student murdered by an online predator in 2007. Carly's Law makes it a criminal offence for an adult to use a carriage service for any act in preparation for, or planning to, harm a child.
In 2017 Kakoschke-Moore re-established a reparation scheme for victims of abuse in the ADF. Under the scheme, victims can apply to the Commonwealth Ombudsman for reparation payments of up to $50,000, access counselling and participate in a Restorative Engagement program.
After participating in the Senate inquiry into suicide by veterans, Kakoschke-Moore advocated for federal government funding for PTSD assistance dogs for veterans. Her campaign was successful and in September 2017 the then-Minister for Veterans' Affairs announced a 4-year, $2 million trial of PTSD Assistance Dogs for veterans.
Kakoschke-Moore was one of nine co-sponsors of the Marriage Amendment (Definition and Religious Freedoms) Bill 2017. As a senator she was prominent on the issue of cyber-bullying, particularly of children who commit suicide as a result. Writing in The Advertiser in October 2017, Kakoschke-Moore argued:
Kakoschke-Moore resigned from the Senate on 22 November 2017, after learning she was a British citizen by descent, and therefore ineligible under section 44 of the Australian Constitution to be elected to the Australian Parliament due to holding dual citizenship. Her mother had been born in Singapore while it was still a British colony, making her a British citizen. Under the British Nationality Act 1981, Kakoschke-Moore inherited her mother's British citizenship. Upon her resignation, Xenophon said:
On 13 February 2018, the high court ruled that Kakoschke-Moore could not replace herself as senator in a recount, even though she had renounced her British citizenship.
Post-politics career
Between leaving the Senate and running in the 2019 federal election, Kakoschke-Moore continued as a member of the management committee of NXT's renamed Federal Party - Centre Alliance, and provided governance as a key voting member. She also ran a Cancer Council campaign for bowel cancer research in recognition of an ex-Xenophon staffer, Diana Babich, who died in early 2018. Kakoschke-Moore took up the role of Special Adviser to the global NGO International Justice Mission at the start of 2018, preparing submissions and giving verbal evidence on behalf of the organisation at Parliamentary inquiries into Australia's Foreign Aid Program and the Modern Slavery Bill 2018.
Kakoschke-Moore was preselected to lead the Centre Alliance Senate ticket in South Australia for the 2019 Australian federal election, but was unsuccessful in winning a Senate seat. Kakoschke-Moore is no longer a member of the Centre Alliance management committee.
Kakoschke-Moore is currently the CEO of not-for-profit organisation Children and Young People with Disability Australia (CYDA).
References
1985 births
Living people
Members of the Australian Senate for South Australia
Nick Xenophon Team members of the Parliament of Australia
Women members of the Australian Senate
Flinders University alumni
People from Darwin, Northern Territory
21st-century Australian politicians
21st-century Australian women politicians |
KQCW-DT (channel 19) is a television station licensed to Muskogee, Oklahoma, United States, serving the Tulsa area as an affiliate of The CW. It is owned by Griffin Media alongside CBS affiliate KOTV-DT (channel 6) and radio stations KTSB (1170 AM), KRQV (92.9 FM), KVOO-FM (98.5), KXBL (99.5 FM) and KHTT (106.9 FM). All of the outlets share studios at the Griffin Media Center on North Boston Avenue and East Cameron Street in the downtown neighborhood's Tulsa Arts District; KQCW's transmitter is located near Harreld Road and North 320 Road (near State Highway 16) in rural northeastern Okmulgee County.
Even though KQCW transmits a digital signal of its own, the broadcasting radius of the station's full-power signal does not reach areas of northeastern Oklahoma north of Tulsa proper, as its transmitter is located south-southeast of the city. Therefore, the station can also be seen through a 16:9 widescreen standard definition simulcast on KOTV's second digital subchannel in order to reach the entire market. This signal can be seen on channel 6.2 from a transmitter on South 273rd East Avenue (just north of the Muskogee Turnpike) in Broken Arrow, Oklahoma.
History
As a WB affiliate
By 1999, Tulsa had become the largest U.S. media market without a full-time affiliate of The WB, which had added broadcast and cable affiliates in three of Oklahoma's primary media markets (Oklahoma City, Lawton–Wichita Falls and Ada–Sherman) during 1998. In lieu of a full-time local affiliate, northeastern Oklahoma residents could view the network's complete lineup via the superstation feed of Chicago affiliate WGN-TV (now standalone cable channel NewsNation) on area cable and satellite providers starting with the network's January 11, 1995 launch. However, Tele-Communications Inc. (TCI)'s approximately 170,000 Tulsa-area subscribers lost access to WB programming via WGN on December 31, 1996, when it – along with The Nashville Network and BET – were removed to make room for five new channels being introduced to the lineup (Cartoon Network, TLC, Animal Planet, ESPN2 and HGTV) as part of a company-wide expansion of TCI's basic tier, reducing WGN's availability within the Tulsa metropolitan area to Heartland Cable Television, DirecTV, Dish Network and PrimeStar subscribers. WGN was particularly vulnerable to removal as it had lost access to much of the Chicago Bulls' 1996–97 game schedule due to a dispute between its Tulsa-based distributor, United Video Satellite Group (co-founded by Ed Taylor and Roy Bliss, founders of local TCI predecessor Tulsa Cable Television), and the National Basketball Association (NBA) over national distribution of WGN's NBA telecasts through its cable feed. (TCI did not include its Oklahoma systems among those that retained the WGN national feed per an agreement reached with United Video that December, which kept the channel available on TCI in five Midwestern states.)
In January 1995, religious-oriented independent station KWHB (channel 47) became a part-time affiliate of The WB for the Tulsa market, offering family-oriented prime time shows (such as 7th Heaven, The Parent 'Hood, Smart Guy and Sister, Sister) and animated series from its daytime children's block, Kids' WB. The strict content guidelines for secular programs carried on ministerial owner LeSEA Broadcasting's television outlets resulted in KWHB refusing carriage of programs that contained strong profanity, violent or sexual content (such as Savannah, Unhappily Ever After, Charmed and Buffy the Vampire Slayer) on the belief that they would offend the sensibilities of channel 47's mostly Christian and Evangelical viewership, substituting them with ministry and televangelist programs, sports or secular syndicated programs instead. The preempted programs could only be seen in the market via WGN until it ceased distribution of The WB over its national feed in October 1999. The WB would soon begin to regret affiliating with a conservative religious station because of LeSEA's preemption policies, and began making plans to move its programming elsewhere. On August 27, 1998, Tulsa Channel 19 LLC (a group owned by KM Communications president Myoung Hwa Bae, Northwestern Television principal owner Bruce Fox, and Natura Communications owner Todd P. Robinson, whose companies each competed for the permit before agreeing to merge their applications in December 1996) obtained approval for a license and construction permit to sign on a proposed television station on UHF channel 19, a long-unutilized frequency assigned to Muskogee. On March 9, 1999, Larkspur, California-based Tulsa Communications LLC purchased a 51% controlling stake in KWBT for $4.59 million; the sale was finalized on June 1, 1999.
Channel 19 first signed on the air as KWBT (for "WB Tulsa," in reference to the affiliation) at 8:00 a.m. on September 12, 1999. The station – which became the first full-time WB affiliate to service the Tulsa market at its sign-on – originally operated from studio facilities located at the intersection of East 14th Street and South 69th East Avenue in southeast Tulsa. Alongside WB prime time programming and a blend of cartoons from both Kids' WB and via the syndication market, KWBT initially carried recent and classic off-network sitcoms and drama series, some first-run syndicated scripted programs, talk shows, court shows and reality-based lifestyle and dating series, and sporting events. Since KWBT signed on just as The WB was preparing to add a sixth night (Friday) to its prime time schedule, channel 19 did not rely as much on feature films to fill its evening schedule like other WB-affiliated stations that had joined the network beforehand, opting instead to offer three movie presentations per week on weekend afternoons as well as a 7:00 p.m. movie showcase on Saturdays. Some of the syndication offerings on KWBT's initial lineup previously were not able to obtain local carriage due to the lack of available time slot clearances on Tulsa's five major network affiliates – NBC affiliate KJRH-TV (channel 2), CBS affiliate KOTV (channel 6), ABC affiliate KTUL (channel 8), Fox affiliate KOKI-TV (channel 23) and UPN affiliate KTFO (channel 41, now MyNetworkTV affiliate KMYT-TV) – as well as KWHB. (For the reasons concerning The WB's prior partnership with KWHB, in preparation for the network's fall 1999 premiere week, KWBT included some returning WB prime time shows that channel 47 had declined to carry, as part of an evening catch-up block that aired during the week of September 12.)
For its first week of operation, the station – which branded as "WB19" – was only receivable via antenna, which, because its transmitter was located farther south than the area's other television stations, resulted in it being unviewable north of the immediate Tulsa metropolitan area. On September 20, TCI – which, as a byproduct of a corporate breakup tied to AT&T's purchase of TCI, would sell its Tulsa cable franchise to Cox Communications in February 2000 – began offering it on channel 19, which created the ironic situation of KWBT's UHF broadcast signal interfering with its cable slot on the same frequency. To alleviate this issue and to ensure competitivity with other local stations, in October 2000, Cox moved the station to channel 12 per a channel slot swap agreement between KWBT and Rogers State University–owned educational independent station KRSC-TV (channel 35, now KRSU-TV), in which KWBT management would also provide scholarships and internships for RSU communications students for five years, and establish an endowment chair post in the university's communications department. (The station would include its cable position in its on-air branding in September 2004, when it began to identify as "Tulsa's WB19, Cable 12".)
On December 20, 2001, the Tulsa Communications-Tulsa Channel 19 venture sold KWBT to Spokane, Washington–based Cascade Broadcasting Group. In January 2004, KWBT migrated its engineering and master control operations to the offices of Tucson, Arizona sister station KWBA-TV. The move resulted in the layoffs of eight station engineers who were employed in the station's technical and master control departments. On October 8, 2005, Oklahoma City-based Griffin Communications (now Griffin Media) – the founding owner of that city's CBS affiliate, KWTV, which had acquired KOTV from the Belo Corporation in October 2000 – announced that it would purchase KWBT from Cascade Broadcasting for $14.5 million. Under the terms of the two-part deal, Griffin immediately assumed responsibility for KWBT's advertising sales and administrative operations under a joint sales agreement. When the deal was finalized in January 2006, KOTV and KWBT became the second legal television station duopoly in the Tulsa market, joining KOKI-TV and KTFO, which had been jointly operated since November 1993 and came under common ownership in May 2000. After the transaction was finalized on December 13, 2005, KWBT subsequently migrated its operations into annexed space in the Pierce Building on Third Street and Detroit Avenue; Griffin opted not to consolidate the station's operations into KOTV's original South Frankfort Avenue studio facility (where KQCW's master control was housed after Griffin transferred those operations back to the city) in downtown Tulsa following the transaction's completion, as the building was not large enough to house the expanded duopoly staff (which had increased from a total of around 130 employees under KOTV's final years as a Belo property to around 180 in the period from when Griffin took ownership of channel 6 to the completion of the KQCW acquisition).
On November 10, 2005, beginning with the inaugural evening drawings of its Pick 3 and Cash 5 games that night, KWBT became the Tulsa area broadcasterfor the Oklahoma Lottery. The drawings – which aired live at 9:20 p.m. nightly – were produced at the studio facility shared by the lottery's two Oklahoma City–based flagship outlets, KOKH-TV and KOCB, which simulcast the live drawings until the Oklahoma Lottery Commission began drawing the winning numbers via random number generator (RNG) in September 2009. In January 2006, when Oklahoma became a participant in the multi-state lottery, the station began airing Powerball drawings—previously seen in the Tulsa market only through WGN America, which discontinued national carriage of the live drawings for Powerball and companion multi-state lottery Mega Millions in 2013—each Wednesday and Saturday night. The local television rights to the Oklahoma Lottery drawings transferred exclusively to cable via the Tulsa feed of The Cox Channel (now YurView Oklahoma) in September 2007, where they would remain until reductions to the Oklahoma Lottery Commission's budget resulted in daily drawings for Pick 3 and Cash 5—both of which were switched to an RNG structure—being relegated exclusively to the Lottery's website on July 1, 2009.
As a CW affiliate
On January 24, 2006, WB network parent Time Warner (through its Warner Bros. Entertainment division) and UPN parent company CBS Corporation announced that they would dissolve the two networks to create The CW, a joint venture between the two media companies that initially featured programs from its two predecessor networks as well as original first-run series produced for the new network. On April 10, 2006, in an affiliate press release published by network management, KWBT was confirmed as The CW's Tulsa charter affiliate. Since the network chose its charter stations based on which of them among The WB and UPN's respective affiliate bodies was the highest-rated in each market, KWBT was chosen to join The CW over KTFO as – at the time of the agreement – it had been the higher-rated of the two stations, even though channel 41 had beaten KWBT to the airwaves by fifteen years.
KTFO's status was left undetermined until June 15, when Clear Channel Television confirmed that channel 41 would become the market's affiliate of MyNetworkTV, for which News Corporation announced its formation on February 22 as a new joint network venture between its then-sibling subsidiaries Fox Television Stations and Twentieth Television (the former is now part of Fox Corporation, and the latter now operates as a unit of The Walt Disney Company by way of Disney's 2019 acquisition of 21st Century Fox) to provide a network programming option for UPN and WB stations that were not chosen to affiliate with The CW, in lieu of converting to a general entertainment independent format.
As the station had the "WB" initialism in its call letters, Griffin management decided to take advantage of the new network for branding purposes and changed its callsign to reflect its new affiliation. On May 23, Griffin Communications applied to change the station's call letters to KQCW (intending to mean "Quality Television, The CW"); the callsign change became official on June 30. KQCW adopted a new logo based around The CW's standardized affiliate logo design that August, at which time the station changed its on-air branding to "CW 12," opting to identify exclusively by its Cox cable channel placement; however it officially remained a WB affiliate until the network ceased operations on September 17, 2006. Channel 19 became a charter affiliate of The CW when that network debuted the following day on September 18. Meanwhile, channel 41 (which changed its calls to KMYT-TV two months earlier, also in a move to take advantage of its new network for branding use) had joined MyNetworkTV upon that network's launch on September 5. On September 3, 2007, in order to allay confusion among viewers over where to find KQCW over-the-air or on cable, the station changed its branding to "CW12/19," incorporating its over-the-air channel number with its Cox channel placement. On July 1, 2009, the station changed its branding once again to "Tulsa CW", restricting on-air references to its over-the-air channel number to required hourly station identifications.
On January 19, 2013, Griffin migrated KOTV/KQCW's news, sales and marketing departments and the operations of co-owned website management firm Griffin New Media into the Griffin Communications Media Center, a newly constructed, studio and office complex located on North Boston Avenue and East Cameron Street in downtown Tulsa's Brady Arts District (renamed the Tulsa Arts District in September 2017); all remaining operations were moved into the new facility by January 20. The facility – which was dedicated in the names of company founders John T. Griffin and Martha Griffin, and began construction on April 8, 2008, before being delayed for three years due to the global recession – incorporates a production studio (which is sound-proofed with multiple layers of sheet rock and insulation in the walls and ceiling, and incorporates upgraded equipment that allowed for KOTV/KQCW to begin producing its news programming to full high definition); an adjoining newsroom; two control rooms that relay high definition content; and LED lighting equipment throughout the building and an underground system of 32 geothermal heating and cooling wells beneath its parking lot to reduce electricity costs.
KQCW-DT2 (defunct)
On April 1, 2011, KQCW launched a digital subchannel on virtual channel 19.2 as an affiliate of This TV. KQCW-DT2 assumed the local affiliation rights to the movie-focused multicast network from sister station KOTV, which shifted This TV over to the KQCW digital signal in order to reallocate bandwidth for the relaunched News on 6 Now (which originated as the cable-exclusive news broadcast service News Now 53), which KOTV began carrying over-the-air on digital subchannel 6.3 on that date. KQCW decommissioned the 19.2 subchannel at 8:30 a.m. on March 9, 2016, with a placeholder message appearing on that channel for the next two weeks, informing viewers that Griffin/KQCW was "unaware of ThisTV relocating to any other broadcast channel in the Tulsa area." KQCW-DT2 went dark and was subsequently deleted on March 31, 2017. As of September 2021, This TV has an over-the-air affiliate in the Tulsa market on KMYT-DT5.
Programming
Occasionally as time permits, KQCW may air CBS network programs normally seen on KOTV in the event that channel 6 is unable to air them because of special programming or extended breaking news coverage; however, because of channel 19's CW programming commitments, this capacity is primarily held by KOTV's News on 6 Now subchannel. The station had served in that capacity on a regular basis from September 2006 until January 2007, when channel 19 began carrying the CBS soap opera The Bold and the Beautiful (B&B) from the network's "live" feed at 12:30 p.m. (KOTV has not aired B&B in its regular daytime slot since December 1993, when it discontinued carriage of the program as a result of the expansion of the station's weekday noon newscast to a one-hour broadcast; CBS eventually gave KOTV permission to air the soap after the network's late night schedule at 1:05 a.m. in September 2004.) As KWBT, the station carried the ABC late-night talk show Jimmy Kimmel Live! from April 2003 to April 2004, airing it in lieu of KTUL, which had declined to air the program in order to continue carrying off-network and first-run syndicated programs following that station's 10:00 p.m. newscast.
Sports programming
Since August 2000, under an agreement with the team's Silverstar Network syndication service, channel 19 has held the local broadcast rights to select NFL games and ancillary programs involving the Dallas Cowboys. KQCW carries between three and five Cowboys games each year during the NFL preseason as well as various team-related programs during the regular season such as the Cowboys Postgame Show, Special Edition with Jerry Jones, the head coach's weekly analysis program The Jason Garrett Show, along with specials such as the Making of the Dallas Cowboys Cheerleaders Calendar and postseason team reviews. Because The WB and The CW did not offer a full seven-night-per-week schedule of network programs until The CW expanded to Saturday nights in 2021, to accommodate preseason games, KWBT/KQCW rescheduled any displaced prime time network shows to open weekend afternoon or evening timeslots normally occupied by movies, syndicated shows or paid programming (as it previously had done for some Big 12 basketball games). In addition, through CBS' contract with the American Football Conference (AFC), sister station KOTV carries occasional interconference games against AFC opponents of the Cowboys during the regular season, which, since 2014, has also included certain cross-flexed games passed over by Fox. (Most Cowboys regular season telecasts are carried in the Tulsa market on KOKI-TV, through Fox's primary contractual rights to the National Football Conference [NFC], with an additional one to two games per season airing on KJRH-TV, through NBC's rights to the Sunday Night Football package.) Since 2000, the station has also carried Kansas City Chiefs preseason games produced by the AFC team's Chiefs Television Network syndication service.
During its time as KWBT, the station carried St. Louis Cardinals baseball coverage syndicated from KPLR-TV.
From 2000 to 2014, KWBT/KQCW carried college basketball games distributed by ESPN Plus involving teams from the Big 12 Conference, consisting of about ten to twelve games per year during the regular season – most of which aired on Saturday afternoons, with occasional prime time games being shown during the work week – and most games held during the first three rounds of the Big 12 men's basketball tournament. Separately, from 2000 to 2011, the station also carried select basketball games involving the Oklahoma Sooners through agreements with the university-run Sooner Sports Network syndication service.
In January 2006, KWBT signed a contract with the Tulsa Talons to broadcast regular season games from the AF2 arena football franchise, assuming the rights from KWHB, which had maintained a contract with the team for the 2005 season. (Talons co-owner Henry Primeaux cited KWHB's telecasts of the sixteen games played during the 2005 regular season as a partial cause of a 14% year-to-year increase in ticket sales for the 2005 season.) Following the move to KWBT, ratings for Talons home games declined sharply with the team's four early-season road games of the 2006 season producing higher viewership compared to the remainder of the schedule, which saw ratings for most of the home telecasts floating just barely above "hashmark" levels (viewership too low to register a single ratings point). This led the Talons to cancel telecasts of its six remaining home games, opting to reduce the 2006 broadcast schedule to encompass five of its remaining road games, citing higher viewership for the previous road broadcasts (although, a July game against the Bossier–Shreveport Battle Wings was later dropped from the television schedule because of high broadcast rights expenses). The Talons' contract with KQCW was not renewed for the 2007 season.
Newscasts
Added
, not counting an additional hour-long simulcast of that station's weekday morning news program, KOTV produces 17 hours of locally produced newscasts each week for KQCW (with three hours each weekday, and an hour each on Saturdays and Sundays).
On September 18, 2006, following the completion of Griffin's acquisition of KQCW and coinciding with the station's affiliation change to The CW, KOTV began producing a half-hour prime time newscast at 9:00 p.m. for channel 19, titled The News on 6 at 9:00 on CW12 (the program's title was later revised slightly to correspond with KQCW's branding change to "CW 12/19" in September 2007 and then to "Tulsa CW" in July 2009). Debuting as a weeknight-only program that was originally anchored by then-KOTV reporters Omar Villafranca and Jennifer Loren alongside meteorologist Katie Green, it became a competitor to an hour-long newscast in that timeslot on KOKI-TV, which had become the ratings leader in the time period since the Fox affiliate established its in-house news department in February 2002. On that same date, through an agreement with news-talk radio station KRMG (740 AM), KQCW also began airing an hour-long television simulcast of the KRMG Morning Shows weekday 6:00 a.m. hour. (Ironically, KRMG would become a sister property to KOKI after Cox Media Group finalized its purchase of channel 23 in December 2012.) KQCW discontinued the KRMG simulcast after the September 10, 2011 telecast.
On October 27, 2007, channel 19 expanded the 9:00 p.m. newscast to include weekend editions on Saturday and Sunday nights (with weekend evening anchor LaToya Silmon, meteorologist Dick Faurot and weekend sports anchor Scott Smith initially helming the broadcast on those nights). On January 7, 2008, KOTV migrated the 8:00 a.m. hour of its weekday morning newscast, Six in the Morning (which channel 6 had been airing in that timeslot since it added a third hour to the program in September 1993), to KQCW; the move was done in order for KOTV to comply with carriage requirements implemented at the beginning of 2008 by CBS that required its affiliates to carry the full two-hour broadcast of The Early Show (which was replaced by CBS This Morning in January 2012). On October 24, 2010, KOTV began broadcasting its newscasts in 16:9 widescreen standard definition; the KQCW morning and evening newscasts were included in the upgrade.
The weeknight editions of the 9:00 newscast would expand to one hour on June 17, 2013, coinciding with the arrival of Chera Kimiko (who had served as an original co-anchor of KOKI's evening newscasts from February 2002 until January 2013) as anchor of the program; the Saturday and Sunday editions expanded to an hour on September 10, 2018. At the time of Kimiko's arrival, a nightly interactive segment, "OK Talk," was added to the newscast, featuring viewer questions and comments submitted via social media about stories featured on the broadcast. On September 9, 2013, the KQCW Six in the Morning broadcast was expanded to include a simulcast of the 6:00 to 8:00 a.m. block that had been airing exclusively on KOTV prior to that date. After KOTV/KQCW formally began operating from the Griffin Communications Media Center facility, KOTV upgraded its local newscast production to full high definition (becoming the fourth and last television station in the Tulsa market and the state of Oklahoma to make the transition) on January 19, 2013; as with the 2010 upgrade to widescreen SD, the KQCW newscast was included in the upgrade.
Notable current on–air staff
Travis Meyer (AMS Seal of Approval; member, NWA) – chief meteorologist
Technical information
Subchannel
Analog-to-digital conversion
Because it was granted an original construction permit after the FCC finalized the digital television allotment plan on April 21, 1997, the station did not receive a companion channel for its digital signal. Instead on February 17, 2009, during the first round of broadcast stations ceasing analog operations on the originally scheduled date of the digital television conversion period for full-power stations, KQCW was required to turn off its analog signal and turn on its digital signal (a method called a "flash-cut"). KQCW elected to choose UHF channel 20 as its final digital channel selection. Through the use of PSIP, digital television receivers display the station's virtual channel as its former UHF analog channel 19.
References
External links
NewsOn6.com – KOTV official website
The CW affiliates
Griffin Media
Television channels and stations established in 1999
QCW-DT
1999 establishments in Oklahoma |
FC Avangard-Kortek () was a Russian football team from Kolomna. It played professionally in 1948–1949, 1960, 1963–1969 and 1992–1996. Their best result was 9th place in Zone 1 of the second-highest Soviet First League in 1948 (it played on that level in 1948–1949 and 1960). In 1997, it merged with FC Oka to form FC Kolomna.
Team name history
1906–? FC KGO Kolomna
?-1937 FC Dzerzhinets Kolomna
1938–1947 FC Zenit Kolomna
1948–1959 FC Dzerzhinets Kolomna
1960–1992 FC Avangard Kolomna
1993 FC Viktor-Avangard Kolomna
1994–1996 FC Avangard-Kortek Kolomna
External links
Team history at KLISF
Association football clubs established in 1906
Association football clubs disestablished in 1997
Defunct football clubs in Russia
Football in Moscow Oblast
1906 establishments in the Russian Empire
1997 disestablishments in Russia |
Hardeep Singh Dang is a member of the legislative assembly (MLA) from Suwasra, Mandsaur in Madhya Pradesh, India. He is a member of the Bharatiya Janata Party.He was sworn in as a cabinet minister in the Shivraj Singh Chouhan government of Madhya Pradesh on 2 July 2020.
He resigned from the assembly membership and consequently from Indian National Congress, citing in a letter, 'ignorance from his party' and then joined BJP on March 21, 2020 along with 17 Scindia Supporters and 4 others.
References
See also
Madhya Pradesh Congress Committee
Living people
Indian National Congress politicians
1968 births
Bharatiya Janata Party politicians from Madhya Pradesh |
Västra Ingelstad is a locality situated in Vellinge Municipality, Skåne County, Sweden with 721 inhabitants in 2010.
Västra Ingelstad Church is a medieval church with a richly decorated altarpiece, unparalleled in the province of Skåne.
References
Populated places in Vellinge Municipality
Populated places in Skåne County
Cities and towns in the Øresund Region |
Ten referendums were held in Switzerland in 1984. The first three were held on 26 February on introducing tolls for HGVs (approved), introducing tolls for national routes (approved) and a popular initiative "for a real civilian service based on a proof through demonstration" (rejected). The next two were held on 20 May on popular initiatives "against the abuse of bank client confidentiality and bank power" (rejected) and "against the sellout of the homeland" (rejected).
Two further referendums were held on 23 September on popular initiatives "for a future without further nuclear power plants" (rejected) and "for a secure, parsimonious and ecologically sound energy supply" (rejected). The final three were held on 2 December on a popular initiative "for an effective protection of maternity" (rejected), a federal resolution on an article in the Swiss Federal Constitution relating to broadcasting (approved) and a popular initiative "for the compensation of victims of violent crimes" (approved).
Results
February: HGV tolls
February: Tolls on national routes
February: Civilian service
May: Banks
May: Sellout of the homeland
September: Nuclear power plants
September: Energy supply
December: Maternity protection
December: Constitutional article on broadcasting
December: Victims of violent crime
References
1984 referendums
1984 in Switzerland
Referendums in Switzerland |
The Ministers' Manifesto refers to a series of manifestos written and endorsed by religious leaders in Atlanta, Georgia, United States, during the 1950s. The first manifesto was published in 1957 and was followed by another the following year. The manifestos were published during the civil rights movement amidst a national process of school integration that had begun several years earlier. Many white conservative politicians in the Southern United States embraced a policy of massive resistance to maintain school segregation. However, the 80 clergy members that signed the manifesto, which was published in Atlanta's newspapers on November 3, 1957, offered several key tenets that they said should guide any debate on school integration, including a commitment to keeping public schools open, communication between both white and African American leaders, and obedience to the law. In October 1958, following the Hebrew Benevolent Congregation Temple bombing in Atlanta, 311 clergy members signed another manifesto that reiterated the points made in the previous manifesto and called on the governor of Georgia to create a citizens' commission to help with the eventual school integration process in Atlanta. In August 1961, the city initiated the integration of its public schools.
The New Georgia Encyclopedia calls the first manifesto "the first document of its kind: a clear, if cautious, challenge to the rhetoric of massive resistance by an established southern moral authority", a sentiment echoed by others, such as historian Rebecca Burns and Bishop Lewis Bevel Jones III, who had helped draft the initial manifesto.
Background
In the Southern United States during the 1950s, many members of government were steadfastly in favor of maintaining racial segregation and in particular were vehemently opposed to school integration that would have seen African American and white American students enroll in the same institutions. In 1953, elected officials in Georgia approved an amendment to the state's constitution that would allow the Georgia General Assembly to privatize the state's public school system if they were given a court order to integrate them. The following year, the United States Supreme Court case Brown v. Board of Education ruled against school segregation in public schools and called for these institutions to be integrated. However, many conservative Southern lawmakers continued to oppose this, and in 1956, another amendment to the Constitution of Georgia laid the groundwork for a possible privatization of Georgia's public schools. That same year, many Southern elected officials at the national level, including all of Georgia's Senators and Representatives, signed the Southern Manifesto, a declaration to oppose school integration and the Brown ruling through a policy of massive resistance. In September 1957, this resistance led to the Little Rock Crisis in Arkansas, where Arkansas Governor Orval Faubus ordered the Arkansas National Guard, accompanied by a mob of white Americans, to stop nine African American children from entering Little Rock Central High School in Little Rock, Arkansas, which had previously been an all-white school. The crisis was ultimately resolved when United States President Dwight D. Eisenhower sent in soldiers from the United States Army to restore order and enforce the school's integration.
First manifesto
Clergy members in Atlanta, Georgia, were concerned that a situation similar to what had occurred in Little Rock could also possibly occur in their city. On November 3, 1957, 80 white members of the Atlanta Christian Council, an ecumenical organization, issued a statement that was published in both The Atlanta Constitution and The Atlanta Journal which outlined the members' stance on the issue of school integration. The members outlined six main tenets that they felt should shape any debate on the topic, which were, as quoted in the manifesto:
FREEDOM of speech must at all costs be preserved.
AS AMERICANS and as Christians we have an obligation to obey the law.
THE PUBLIC school system must not be destroyed.
HATRED and scorn for those of another race, or for those who hold a position different from our own, can never be justified.
COMMUNICATION between responsible leaders of the races must be maintained.
OUR DIFFICULTIES cannot be solved in our own strength or in human wisdom.
Methodist Pastor Lewis Bevel Jones III helped to draft the manifesto. While Rabbi Jacob Rothschild of the Hebrew Benevolent Congregation had also helped write the manifesto, he declined to sign it due to the Christianity-centric phrasing used, though he did support it in editorials that were also published in the Constitution and the Journal. The manifesto was later published in The New York Times. Additionally, organizations such as the Church Women United in Atlanta and the Executive Committee of the Church Women United in Georgia distributed thousands of copies of the manifesto.
Second manifesto
On October 12, 1958, the Hebrew Benevolent Congregation Temple was bombed in a terrorist attack. In response, in early November, about three weeks after the attack, local clergy issued a second manifesto called, "'Out of Conviction': A Second Statement on the South's Racial Crisis". Among other things, this declaration, which was signed by 311 clergy members, requested that the governor of Georgia establish a citizens' commission to help in the eventual integration of Atlanta. On March 16, 1960, Senator Jacob Javits read some of this second manifesto into the Congressional Record.
Aftermath
In February 1960, the city of Atlanta was ordered to desegregate their schools by a federal court. In response, Georgia Governor Ernest Vandiver established the General Assembly Committee on Schools, informally known as the Sibley Commission after its chairman John Sibley, to hold hearings and gather information on public sentiment regarding school integration throughout the state. The majority report issued by the commission endorsed a "local option" that would give local communities the option of either closing down schools or accepting measures for token integration. Following the report, the General Assembly passed a law codifying the local option policy, which was later used by Atlanta when it began to desegregate its schools in August 1961. Despite the small scale of the integration (only nine African American students became enrolled in previously all-white schools), Atlanta's approach to integration was widely praised in news media, such as in stories in Good Housekeeping, Life, Look, Newsweek, and The New York Times. Additionally, President John F. Kennedy recognized the city's integration efforts in a press conference.
Legacy
The first manifesto was, according to the New Georgia Encyclopedia, "the first document of its kind: a clear, if cautious, challenge to the rhetoric of massive resistance by an established southern moral authority". In 2007, Jones, who had since become a bishop in the United Methodist Church (UMC), and Joseph Lowery, a fellow UMC pastor and civil rights leader who cofounded the Southern Christian Leadership Conference, were interviewed on NPR's Morning Edition on the 50th anniversary of the first manifesto. Jones praised the courage of the ministers for their statements, and stated that, while the contents of the manifesto were "mild and extremely cautious", it was a groundbreaking declaration at the time of its publication. Jones also stated that the manifesto had helped the city to navigate through the tense situation regarding school integration and argued that more work from ministers was needed to continue the process of integrating schools in the area. Regarding the 80 people who signed the manifesto, he said they "were more courageous than white ministers generally are today. We simply do not hear the calming, prophetic voices that this statement represented a half-century ago". Jones, one of the last remaining living signers of the manifesto, died in 2018. In a 2011 book, historian Rebecca Burns stated that, while portions of the manifesto were offensive (such as a part in the manifesto where the clergy affirmed their opposition to miscegenation), the manifesto was nonetheless "a bold step for Southern religious leaders" in opposing segregation. In 2016, many clergy members in Atlanta put forward the Atlanta Interfaith Manifesto, a new declaration that had the goal of "denouncing religious bigotry and calling for interfaith cooperation". Supporters, including then-Senior Rabbi Peter S. Berg of the Hebrew Benevolent Congregation, compared the new manifesto to the 1957 document as part of a continued effort by religious leaders in the city to stand against racial and religious discrimination.
References
Sources
Further reading
External links
1957 documents
1957 in American politics
1957 in Georgia (U.S. state)
1958 documents
1958 in American politics
1958 in Georgia (U.S. state)
20th century in Atlanta
American political manifestos
Civil rights movement
History of African-American civil rights
History of civil rights in the United States
Religion in Atlanta
School segregation in the United States |
This is the list of the 21 members of the European Parliament for Austria in the 1999 to 2004 session.
List
Notes
Austria
List
1999 |
```python
"""
Basics
------
:mod:`textacy.extract.basics`: Extract basic components from a document or sentence
via spaCy, with bells and whistles for filtering the results.
"""
from __future__ import annotations
from functools import partial
from typing import Collection, Iterable, Optional, Union
from cytoolz import itertoolz
from spacy.parts_of_speech import DET
from spacy.tokens import Span, Token
from .. import constants, errors, types, utils
def words(
doclike: types.DocLike,
*,
filter_stops: bool = True,
filter_punct: bool = True,
filter_nums: bool = False,
include_pos: Optional[str | Collection[str]] = None,
exclude_pos: Optional[str | Collection[str]] = None,
min_freq: int = 1,
) -> Iterable[Token]:
"""
Extract an ordered sequence of words from a document processed by spaCy,
optionally filtering words by part-of-speech tag and frequency.
Args:
doclike
filter_stops: If True, remove stop words from word list.
filter_punct: If True, remove punctuation from word list.
filter_nums: If True, remove number-like words (e.g. 10, "ten")
from word list.
include_pos: Remove words whose part-of-speech tag IS NOT in the specified tags.
exclude_pos: Remove words whose part-of-speech tag IS in the specified tags.
min_freq: Remove words that occur in ``doclike`` fewer than ``min_freq`` times.
Yields:
Next token from ``doclike`` passing specified filters in order of appearance
in the document.
Raises:
TypeError: if ``include_pos`` or ``exclude_pos`` is not a str, a set of str,
or a falsy value
Note:
Filtering by part-of-speech tag uses the universal POS tag set; for details,
check spaCy's docs: path_to_url#pos-tagging
"""
words_: Iterable[Token] = (w for w in doclike if not w.is_space)
if filter_stops is True:
words_ = (w for w in words_ if not w.is_stop)
if filter_punct is True:
words_ = (w for w in words_ if not w.is_punct)
if filter_nums is True:
words_ = (w for w in words_ if not w.like_num)
if include_pos:
include_pos_: set[str] = {pos.upper() for pos in utils.to_set(include_pos)}
words_ = (w for w in words_ if w.pos_ in include_pos_)
if exclude_pos:
exclude_pos_: set[str] = {pos.upper() for pos in utils.to_set(exclude_pos)}
words_ = (w for w in words_ if w.pos_ not in exclude_pos_)
if min_freq > 1:
words_ = list(words_)
freqs = itertoolz.frequencies(w.lower_ for w in words_)
words_ = (w for w in words_ if freqs[w.lower_] >= min_freq)
for word in words_:
yield word
def ngrams(
doclike: types.DocLike,
n: int | Collection[int],
*,
filter_stops: bool = True,
filter_punct: bool = True,
filter_nums: bool = False,
include_pos: Optional[str | Collection[str]] = None,
exclude_pos: Optional[str | Collection[str]] = None,
min_freq: int = 1,
) -> Iterable[Span]:
"""
Extract an ordered sequence of n-grams (``n`` consecutive tokens) from a spaCy
``Doc`` or ``Span``, for one or multiple ``n`` values, optionally filtering n-grams
by the types and parts-of-speech of the constituent tokens.
Args:
doclike
n: Number of tokens included per n-gram; for example, ``2`` yields bigrams
and ``3`` yields trigrams. If multiple values are specified, then the
collections of n-grams are concatenated together; for example, ``(2, 3)``
yields bigrams and then trigrams.
filter_stops: If True, remove ngrams that start or end with a stop word.
filter_punct: If True, remove ngrams that contain any punctuation-only tokens.
filter_nums: If True, remove ngrams that contain any numbers
or number-like tokens (e.g. 10, 'ten').
include_pos: Remove ngrams if any constituent tokens' part-of-speech tags
ARE NOT included in this param.
exclude_pos: Remove ngrams if any constituent tokens' part-of-speech tags
ARE included in this param.
min_freq: Remove ngrams that occur in ``doclike`` fewer than ``min_freq`` times
Yields:
Next ngram from ``doclike`` passing all specified filters, in order of appearance
in the document.
Raises:
ValueError: if any ``n`` < 1
TypeError: if ``include_pos`` or ``exclude_pos`` is not a str, a set of str,
or a falsy value
Note:
Filtering by part-of-speech tag uses the universal POS tag set; for details,
check spaCy's docs: path_to_url#pos-tagging
"""
ns_: tuple[int, ...] = utils.to_tuple(n)
if any(n_ < 1 for n_ in ns_):
raise ValueError("n must be greater than or equal to 1")
ngrams_: Iterable[Span]
for n_ in ns_:
ngrams_ = (doclike[i : i + n_] for i in range(len(doclike) - n_ + 1))
ngrams_ = (ng for ng in ngrams_ if not any(w.is_space for w in ng))
if filter_stops is True:
ngrams_ = (ng for ng in ngrams_ if not ng[0].is_stop and not ng[-1].is_stop)
if filter_punct is True:
ngrams_ = (ng for ng in ngrams_ if not any(w.is_punct for w in ng))
if filter_nums is True:
ngrams_ = (ng for ng in ngrams_ if not any(w.like_num for w in ng))
if include_pos:
include_pos_: set[str] = {pos.upper() for pos in utils.to_set(include_pos)}
ngrams_ = (ng for ng in ngrams_ if all(w.pos_ in include_pos_ for w in ng))
if exclude_pos:
exclude_pos_: set[str] = {pos.upper() for pos in utils.to_set(exclude_pos)}
ngrams_ = (
ng for ng in ngrams_ if not any(w.pos_ in exclude_pos_ for w in ng)
)
if min_freq > 1:
ngrams_ = list(ngrams_)
freqs = itertoolz.frequencies(ng.text.lower() for ng in ngrams_)
ngrams_ = (ng for ng in ngrams_ if freqs[ng.text.lower()] >= min_freq)
for ngram in ngrams_:
yield ngram
def entities(
doclike: types.DocLike,
*,
include_types: Optional[str | Collection[str]] = None,
exclude_types: Optional[str | Collection[str]] = None,
drop_determiners: bool = True,
min_freq: int = 1,
) -> Iterable[Span]:
"""
Extract an ordered sequence of named entities (PERSON, ORG, LOC, etc.) from
a ``Doc``, optionally filtering by entity types and frequencies.
Args:
doclike
include_types: Remove entities whose type IS NOT
in this param; if "NUMERIC", all numeric entity types ("DATE",
"MONEY", "ORDINAL", etc.) are included
exclude_types: Remove entities whose type IS
in this param; if "NUMERIC", all numeric entity types ("DATE",
"MONEY", "ORDINAL", etc.) are excluded
drop_determiners: Remove leading determiners (e.g. "the")
from entities (e.g. "the United States" => "United States").
.. note:: Entities from which a leading determiner has been removed
are, effectively, *new* entities, and not saved to the ``Doc``
from which they came. This is irritating but unavoidable, since
this function is not meant to have side-effects on document state.
If you're only using the text of the returned spans, this is no
big deal, but watch out if you're counting on determiner-less
entities associated with the doc downstream.
min_freq: Remove entities that occur in ``doclike`` fewer
than ``min_freq`` times
Yields:
Next entity from ``doclike`` passing all specified filters in order of appearance
in the document
Raises:
TypeError: if ``include_types`` or ``exclude_types`` is not a str, a set of
str, or a falsy value
"""
ents = doclike.ents
# HACK: spacy's models have been erroneously tagging whitespace as entities
# path_to_url
ents = (ent for ent in ents if not ent.text.isspace())
include_types = _parse_ent_types(include_types, "include")
exclude_types = _parse_ent_types(exclude_types, "exclude")
if include_types:
if isinstance(include_types, str):
ents = (ent for ent in ents if ent.label_ == include_types)
elif isinstance(include_types, (set, frozenset, list, tuple)):
ents = (ent for ent in ents if ent.label_ in include_types)
if exclude_types:
if isinstance(exclude_types, str):
ents = (ent for ent in ents if ent.label_ != exclude_types)
elif isinstance(exclude_types, (set, frozenset, list, tuple)):
ents = (ent for ent in ents if ent.label_ not in exclude_types)
if drop_determiners is True:
ents = (
ent
if ent[0].pos != DET
else Span(
ent.doc, ent.start + 1, ent.end, label=ent.label, vector=ent.vector
)
for ent in ents
)
if min_freq > 1:
ents = list(ents) # type: ignore
freqs = itertoolz.frequencies(ent.text.lower() for ent in ents)
ents = (ent for ent in ents if freqs[ent.text.lower()] >= min_freq)
for ent in ents:
yield ent
def _parse_ent_types(
ent_types: Optional[str | Collection[str]], which: str
) -> Optional[str | set[str]]:
if not ent_types:
return None
elif isinstance(ent_types, str):
ent_types = ent_types.upper()
# replace the shorthand numeric case by its corresponding constant
if ent_types == "NUMERIC":
return constants.NUMERIC_ENT_TYPES
else:
return ent_types
elif isinstance(ent_types, (set, frozenset, list, tuple)):
ent_types = {ent_type.upper() for ent_type in ent_types}
# again, replace the shorthand numeric case by its corresponding constant
# and include it in the set in case other types are specified
if any(ent_type == "NUMERIC" for ent_type in ent_types):
return ent_types.union(constants.NUMERIC_ENT_TYPES)
else:
return ent_types
else:
raise TypeError(
errors.type_invalid_msg(
f"{which}_types", type(ent_types), Optional[Union[str, Collection[str]]]
)
)
def noun_chunks(
doclike: types.DocLike, *, drop_determiners: bool = True, min_freq: int = 1
) -> Iterable[Span]:
"""
Extract an ordered sequence of noun chunks from a spacy-parsed doc, optionally
filtering by frequency and dropping leading determiners.
Args:
doclike
drop_determiners: Remove leading determiners (e.g. "the")
from phrases (e.g. "the quick brown fox" => "quick brown fox")
min_freq: Remove chunks that occur in ``doclike`` fewer than ``min_freq`` times
Yields:
Next noun chunk from ``doclike`` in order of appearance in the document
"""
ncs: Iterable[Span]
ncs = doclike.noun_chunks
if drop_determiners is True:
ncs = (nc if nc[0].pos != DET else nc[1:] for nc in ncs)
if min_freq > 1:
ncs = list(ncs)
freqs = itertoolz.frequencies(nc.text.lower() for nc in ncs)
ncs = (nc for nc in ncs if freqs[nc.text.lower()] >= min_freq)
for nc in ncs:
yield nc
def terms(
doclike: types.DocLike,
*,
ngs: Optional[int | Collection[int] | types.DocLikeToSpans] = None,
ents: Optional[bool | types.DocLikeToSpans] = None,
ncs: Optional[bool | types.DocLikeToSpans] = None,
dedupe: bool = True,
) -> Iterable[Span]:
"""
Extract one or multiple types of terms -- ngrams, entities, and/or noun chunks --
from ``doclike`` as a single, concatenated collection, with optional deduplication
of spans extracted by more than one type.
.. code-block:: pycon
>>> extract.terms(doc, ngs=2, ents=True, ncs=True)
>>> extract.terms(doc, ngs=lambda doc: extract.ngrams(doc, n=2))
>>> extract.terms(doc, ents=extract.entities)
>>> extract.terms(doc, ents=partial(extract.entities, include_types="PERSON"))
Args:
doclike
ngs: N-gram terms to be extracted.
If one or multiple ints, :func:`textacy.extract.ngrams(doclike, n=ngs)` is
used to extract terms; if a callable, ``ngs(doclike)`` is used to extract
terms; if None, no n-gram terms are extracted.
ents: Entity terms to be extracted.
If True, :func:`textacy.extract.entities(doclike)` is used to extract terms;
if a callable, ``ents(doclike)`` is used to extract terms;
if None, no entity terms are extracted.
ncs: Noun chunk terms to be extracted.
If True, :func:`textacy.extract.noun_chunks(doclike)` is used to extract
terms; if a callable, ``ncs(doclike)`` is used to extract terms;
if None, no noun chunk terms are extracted.
dedupe: If True, deduplicate terms whose spans are extracted by multiple types
(e.g. a span that is both an n-gram and an entity), as identified by
identical (start, stop) indexes in ``doclike``; otherwise, don't.
Returns:
Next term from ``doclike``, in order of n-grams then entities then noun chunks,
with each collection's terms given in order of appearance.
Note:
This function is *not* to be confused with keyterm extraction, which leverages
statistics and algorithms to quantify the "key"-ness of terms before returning
the top-ranking terms. There is no such scoring or ranking here.
See Also:
- :func:`textacy.extact.ngrams()`
- :func:`textacy.extact.entities()`
- :func:`textacy.extact.noun_chunks()`
- :mod:`textacy.extact.keyterms`
"""
extractors = _get_extractors(ngs, ents, ncs)
terms_ = itertoolz.concat(extractor(doclike) for extractor in extractors)
if dedupe is True:
terms_ = itertoolz.unique(terms_, lambda span: (span.start, span.end))
for term in terms_:
yield term
def _get_extractors(ngs, ents, ncs) -> list[types.DocLikeToSpans]:
all_extractors = [
_get_ngs_extractor(ngs),
_get_ents_extractor(ents),
_get_ncs_extractor(ncs),
]
extractors = [extractor for extractor in all_extractors if extractor is not None]
if not extractors:
raise ValueError("at least one term extractor must be specified")
else:
return extractors
def _get_ngs_extractor(ngs) -> Optional[types.DocLikeToSpans]:
if ngs is None:
return None
elif callable(ngs):
return ngs
elif isinstance(ngs, int) or (
isinstance(ngs, Collection) and all(isinstance(ng, int) for ng in ngs)
):
return partial(ngrams, n=ngs)
else:
raise TypeError()
def _get_ents_extractor(ents) -> Optional[types.DocLikeToSpans]:
if ents is None:
return None
elif callable(ents):
return ents
elif isinstance(ents, bool):
return entities
else:
raise TypeError()
def _get_ncs_extractor(ncs) -> Optional[types.DocLikeToSpans]:
if ncs is None:
return None
elif callable(ncs):
return ncs
elif isinstance(ncs, bool):
return noun_chunks
else:
raise TypeError()
``` |
Robert A. Vigersky is an American endocrinologist, Professor of Medicine at the Uniformed Services University of the Health Sciences, and pioneering military healthcare professional. His career has focused on diabetes care, research, and advocacy, publishing 148 papers and 118 abstracts in the fields of reproductive endocrinology and diabetes. Vigersky is a retired colonel in the U.S. Army Medical Corps, past president of the Endocrine Society, and recipient of the General Maxwell R. Thurman Award. He served in Iraq, Korea and Germany and is the recipient of military awards including the U.S. Army's Legion of Merit in 2009.
Professional experience and research
Vigersky is a graduate of the 6-year Program in Liberal Arts and Medicine of Boston University, the Internal Medicine Residency at The Johns Hopkins Hospital, and the Endocrine Fellowship at National Institutes of Health. Upon completing his fellowship, Dr. Vigersky joined Walter Reed Army Medical Center, where he became Assistant Chief of Endocrinology until he left the military in 1984. After leaving the military, Dr. Vigersky entered the private practice, where he became the President of the Endocrine and Diabetes Group of Washington, and served as medical director of the Diabetes Treatment Center at Georgetown University Hospital and the Washington Hospital Center.
In 2000, Dr. Vigersky re-entered the Army, establishing the Diabetes Institute at the Walter Reed Health Care System, where he was the medical director and where his research focused on the use of technology and decision-support systems to improve outcomes for patients with diabetes. He is the current Chief Medical Officer of Medtronic Diabetes.
Selected publications
Vigersky RA, McMahon C. The Relationship of Hemoglobin A1C to Time-in-Range in Patients with Diabetes.Diabetes Technol Ther. 2019 Feb;21(2):81-85.
Vigersky RA, Shin J, Jiang B, Siegmund T, McMahon C, Thomas A. The Comprehensive Glucose Pentagon: A Glucose-Centric Composite Metric for Assessing Glycemic Control in Persons with Diabetes, J. Diab Sci. Tech., 2018 Jan;12(1):114-123.
Vigersky R, Shrivastav M. Role of continuous glucose monitoring for type 2 in diabetes management and research. J. Diabetes Complicat.2017 Jan;31(1):280-287.
Powers AC, Wexler JA, Lash RW, Dyer MC, Becker MN, Vigersky RA. . Affordable Care Act Implementation: Challenges and Opportunities to Impact Patients With Diabetes. J. Clin. Endocrinol. Metab. 2016-04-01
Puckrein GA, Nunlee-Bland G, Zangeneh F, Davidson JA, Vigersky RA, Xu L, Parkin CG, Marrero DG; Diabetes Care. 2016-04-01. Impact of CMS Competitive Bidding Program on Medicare Beneficiary Safety and Access to Diabetes Testing Supplies: A Retrospective, Longitudinal Analysis.
Fonda, S. J.,Graham, C.,Munakata, J.,Powers, J. M.,Price, D.,Vigersky, R. A.; J Diabetes Sci Technol. 2016 Feb 05. The Cost-Effectiveness of Real-Time Continuous Glucose Monitoring (RT-CGM) in Type 2 Diabetes.
Development of the Diabetes Technology Society Blood Glucose Monitor System Surveillance Protocol. Klonoff, D. C.,Lias, C.,Beck, S.,Parkes, J. L.,Kovatchev, B.,Vigersky, R. A.,Arreaza-Rubin, G.,Burk, R. D.,Kowalski, A.,Little, R.,Nichols, J.,Petersen, M.,Rawlings, K...; J Diabetes Sci Technol. 2015 Oct 21.
Effects of α-Blocker Therapy on Active Duty Military and Military Retirees for Benign Prostatic Hypertrophy on Diabetic Complications. Graybill, S. D.,Vigersky, R. A.; Mil Med. 2015 Mar 04.
The benefits, limitations, and cost-effectiveness of advanced technologies in the management of patients with diabetes mellitus. Vigersky RA; J Diabetes Sci Technol. 2015-03-01.
Vigersky RA; J Diabetes Sci Technol. 2015-02-19. Escaping the Hemoglobin A1c-Centric World in Evaluating Diabetes Mellitus Interventions.
Klonoff, D. C.,Vigersky, R. A.,Nichols, J. H.,Rice, M. J.; Mayo Clin. Proc.. 2014 Sep 10. Timely Hospital Glucose Measurement: Here Today, Gone Tomorrow?
Vigersky RA, Fish L, Hogan P, Stewart A, Kutler S, Ladenson PW, McDermott M, Hupart KH; J. Clin. Endocrinol. Metab.. 2014-09-01. The clinical endocrinology workforce: current status and future projections of supply and demand.
Klonoff, D. C.,Lias, C.,Vigersky, R.,Clarke, W.,Parkes, J. L.,Sacks, D. B.,Kirkman, M. S.,Kovatchev, B.; J Diabetes Sci Technol. 2015 Jan 07. The surveillance error grid.
Salkind, S. J.,Huizenga, R.,Fonda, S. J.,Walker, M. S.,Vigersky, R. A.; J Diabetes Sci Technol. 2014 May 31. Glycemic Variability in Nondiabetic Morbidly Obese Persons: Results of an Observational Study and Review of the Literature.
Vigersky, R. A.; J. Clin. Endocrinol. Metab.. 2014 May 16. Mad about "u".
Vigersky RA, Fitzner K, Levinson J for the Diabetes Working Group. . Barriers to Providing Optimal Guideline-Driven Care to Patients with Diabetes Mellitus in the United States. 2013;Diabetes Care 36:3843-3849
Vigersky RA, Fonda SJ, Chellappa M, Walker MS, Ehrhardt N. 2012 Diabetes Care 353: 32–38, 2012. Short and Long-Term Effects of Real-Time Continuous Glucose Monitoring in Patients with Type 2 Diabetes Mellitus.
Vigersky, RA, Loriaux DL., Howards SS, Hodgen GB, Lipsett MB, Chrambach AC. 1975 J Clin Invest 58: 1061–1068. Androgen Binding Proteins of Testis, Epididymis and Plasma in Man and Monkey.
Vigersky RA, Andersen AE, Thompson RH, Loriaux DL. 1977 N Engl J Med 297:1141-1145. Hypothalamic Dysfunction in Secondary Amenorrhea Associated with Simple Weight Loss
References
External links
Robert A. Vigersky on ResearchGate
Diabetes Institute at Walter Reed Medical Center.
Living people
American endocrinologists
United States Army Medical Corps officers
Year of birth missing (living people)
United States Army colonels |
Mai Chisamba (born Rebecca Tsirikirayi, 21 October 1952), is a Zimbabwean businesswoman and talk show host.
Early life
Chisamba was born in Bindura, Zimbabwe, in a family of seven. She attended Bindura Salvation Army Primary School before attending Usher Girls High in Matabeleland. Chisamba received teacher training at Howard Institute.
Career
Chisamba was a teacher and she became a radio teacher under the Ministry of Education Sports and Culture, through the encouragement of her then headmaster, Mr. Douglas Sanyahungwe. She was invited for auditions at ZBC through the ministry and she ended up hosting her own show on the national broadcaster. That is how she made her debut as a television personality. She is known for hosting The Mai Chisamba Show, a popular talk show on ZBC TV. Chisamba's show talks about many issues, which includes health, marriage, sexual relationships and more. She was the only Zimbabwean hosting a Shona language talk show in the days that the English language was dominant in Zimbabwe.
Mai Chisamba
She also has a newspaper column to which people can send letters on marital issues and social issues.
In 2018 she was made the domestic tourism ambassador by the Zimbabwe Tourism Authority and the same year she headlined her show in Birmingham.
She is also a philanthropist, helping raise funds for and donating goodies to the less fortunate. She is a supporter of the Maunganidze Children's home in Chitungwiza.
Personal life
Rebecca is married and has 5 children and several grandchildren. One of her daughters, Gamuchirai Chisamba works on the Mai Chisamba show as a Graphic Designer.
Awards and honors
Chisamba has won various national awards, including:
References
External links
Mention in the Parliament of Zimbabwe
Video clip of the Mai Chisamba Show
1952 births
Living people
People from Bindura
Zimbabwean television people |
Kuorinka is a medium-sized lake in the Vuoksi main catchment area. It is located in the region of Northern Karelia in Finland.
Whole lake and the shores (13 km2) are protected in Natura 2000 conservation program (code FI0700089) due to lakes oligotrophic waters containing very few minerals of sandy plains.
See also
List of lakes in Finland
References
Lakes of Liperi |
Klembów is a village in Wołomin County, Masovian Voivodeship, in east-central Poland. It is the seat of the gmina (administrative district) called Gmina Klembów. It lies approximately north-east of Wołomin and north-east of Warsaw.
References
Villages in Wołomin County |
A demi-sonnet is a poetic form. Demi-sonnets include seven lines of varying length and tend to be aphoristic in nature. Each poem ends with an internal full or slant rhyme.
Etymology
The name comes from the fact that the form is half the length of a traditional 14-line sonnet.
References
Scythe Literary Journal
Best of the Net Anthology
Kestrel
External links
Word Problems by Erin Murphy
Demi-sonnet in Best of the Net anthology: http://www.sundresspublications.com/bestof/2009/murphye.htm
4 demi-sonnets in the Spring 2010 issue of Scythe Literary Journal: http://scytheliteraryjournal.com/
3 demi-sonnets in Kestrel (under Erin Murphy) http://www.fairmontstate.edu/kestrel/issue-24-spring-2010
Demi-sonnet in Tattoo Highway
Poetic forms |
The 2002 Romania rugby union tour of British Isles was a series of matches played in September and November 2002 in Ireland, Scotland and Wales by the Romania national rugby union team. It was a tour in two phases with the first match in September against Ireland, and the remaining three matches in Wales and Scotland during November. After the Irish match Romania played two qualification matches for 2003 Rugby World Cup against Italy and Spain.
First test: Ireland
Ireland: 15. Girvan Dempsey, 14. John Kelly, 13. Brian O'Driscoll, 12. Kevin Maggs, 11. Denis Hickie, 10. Ronan O'Gara, 9. Peter Stringer, 8. Anthony Foley (c), 7. Keith Gleeson, 6. Simon Easterby, 5. Malcolm O'Kelly, 4. Gary Longwell, 3. John Hayes, 2. Shane Byrne, 1. Reggie Corrigan – Replacements: 17. Paul Wallace, 18. Leo Cullen, 19. Victor Costello, 20. Guy Easterby, 21. David Humphreys, 22. Rob Henderson – Unused: 16. Paul Shields
Romania: 15. Gabriel Brezoianu, 14. Cristian Săuan, 13. Valentin Maftei, 12. Romeo Gontineac (c), 11. Mihai Vioreanu, 10. Ionuț Tofan, 9. Lucian Sîrbu, 8. Alin Petrache , 7. Alex Manta, 6. George Chiriac, 5. Cristian Petre, 4. Marius Dragomir, 3. Marius Țincu , 2. Răzvan Mavrodin, 1. Mihai Dumitru – Replacements: 16. Marius Picoiu, 17. Roland Vusec, 18. Petrișor Toderașc, 19. Dan Tudosa, 20. Augustin Petrechei, 21. Cristian Podea
Second Test: Wales
Wales: 15. Rhys Williams, 14. Mark Jones, 13. Tom Shanklin, 12. Sonny Parker, 11. Gareth Thomas, 10. Neil Jenkins, 9. Dwayne Peel, 8. Scott Quinnell, 7. Colin Charvis (c), 6. Michael Owen, 5. Steve Williams, 4. Robert Sidoli, 3. Martyn Madden, 2. Mefin Davies, 1. Gethin Jenkins – Replacements: 16. Andrew Lewis, 17. Ben Evans, 18. Gareth Llewellyn, 19. Gavin Thomas, 21. Stephen Jones, 22. Craig Morgan – Unused: 20. Ryan Powell
Romania: 15. Dănuț Dumbravă, 14. Vasile Ghioc, 13. Gabriel Brezoianu, 12. Romeo Gontineac (c), 11. Marius Picoiu, 10. Ionuț Tofan, 9. Petre Mitu, 8. Ovidiu Tonița, 7. Alin Petrache , 6. Florin Corodeanu, 5. Cristian Petre, 4. Sorin Socol, 3. Silviu Florea, 2. Răzvan Mavrodin, 1. Petrișor Toderașc – Replacements: 16. Nicolae Dragoș Dima, 17. Marian Constantin, 18. Marcel Socaciu, 19. George Chiriac, 21. Remus Lungu, 22. Marius Coltuneac – Unused: 20. Cristian Podea
Mid week game against "Scotland A"
Third Test: Scotland
Scotland: 15. Stuart Moffat, 14. Nikki Walker, 13. Andy Craig, 12. Brendan Laney, 11. Chris Paterson, 10. Gordon Ross, 9. Bryan Redpath (c), 8. Simon Taylor, 7. Budge Pountney, 6. Martin Leslie, 5. Stuart Grimes, 4. Scott Murray, 3. Bruce Douglas, 2. Gordon Bulloch, 1. Tom Smith – Replacements: 16. Steve Scott, 17. Mattie Stewart, 18. Nathan Hines, 19. Jon Petrie, 21. Gregor Townsend, 22. Ben Hinshelwood – Unused: 20. Graeme Beveridge
Romania: 15. Gabriel Brezoianu, 14. Ion Teodorescu, 13. Valentin Maftei, 12. Romeo Gontineac (c), 11. Vasile Ghioc, 10. Ionuț Tofan, 9. Petre Mitu, 8. Alin Petrache, 7. George Chiriac, 6. Florin Corodeanu, 5. Cristian Petre, 4. Augustin Petrechei, 3. Nicolae Dragoș Dima, 2. Marius Țincu, 1. Petru Bălan – Replacements: 16. Petrișor Toderașc, 17. Marcel Socaciu, 18. Stefan Dragnea, 19. Costica Mersoiu, 22. Lucian Sîrbu – Unused: 20. Cristian Podea, 21. Marius Coltuneac
References
2002 rugby union tours
tour
2002
2002–03 in British rugby union
2002–03 in Irish rugby union
2002–03 in Welsh rugby union
2002–03 in Scottish rugby union
Rugby union tours of Ireland
Rugby union tours of Scotland
Rugby union tours of Wales |
Iglesia de Santa María (Limanes) is a church in Asturias, Spain.
References
Churches in Asturias |
Say Uncle is an independently produced 2005 black comedy film written and directed by Peter Paige. It stars Paige, Kathy Najimy, Anthony Clark, Melanie Lynskey, Gabrielle Union, and Lisa Edelstein. It began a limited theatrical release in the United States on June 23, 2006.
Plot
Paul (Peter Paige), a childlike artist, becomes upset when his godson's family moves from Oregon to Japan. Paul tries to compensate for his feeling of loss with visits to the neighborhood playground.
Paul's best friend Russell (Anthony Clark) tries to warn him what people might think if they see him hanging around their kids, but Paul doesn't quite see it that way.
As Russell predicted, soon Maggie (Kathy Najimy), a somewhat bigoted local mom, launches a crusade against the naive Paul, with an army of furious parents in town.
Cast
Peter Paige as Paul Johnson
Kathy Najimy as Maggie Butler
Anthony Clark as Russell Trotter
Melanie Lynskey as Susan
Gabrielle Union as Elise Carter
Lisa Edelstein as Sarah Faber
Jim Ortlieb as David Berman
Notes
Say Uncle was filmed in Portland, Oregon during the summer of 2005. It had a tight production schedule of 18 days, and filming took place at 19 different locations.
New York Times reviewer Jeannette Catsoulis notes that the film's R rating is based on "two boys kissing, one naked-toddler photograph, some naughty words and a lot of bad art", although the MPAA's rating reads simply "Rated R for some language".
The film was distributed on a theater-by-theater basis. It opened in Los Angeles on June 23, 2006, and in Manhattan on June 30, 2006.
External links
In Say Uncle, an Adult With an Unhealthy Attachment to the Playground, New York Times
2005 films
2005 comedy-drama films
Films set in Portland, Oregon
Films shot in Portland, Oregon
American black comedy films
American comedy-drama films
American independent films
2000s English-language films
2000s American films |
```xml
<?xml version="1.0" encoding="utf-8"?>
<menu xmlns:android="path_to_url"
xmlns:app="path_to_url">
<item android:id="@+id/search"
app:showAsAction="ifRoom"
android:icon="@drawable/ic_search_white_24dp"
android:title="@string/search"
app:actionViewClass="androidx.appcompat.widget.SearchView"/>
<item android:id="@+id/feed_menu"
app:showAsAction="ifRoom"
android:icon="@drawable/ic_rss_feed_white_24dp"
android:title="@string/feed" />
<item android:id="@+id/pause_all_menu"
app:showAsAction="ifRoom"
android:icon="@drawable/ic_pause_white_24dp"
android:title="@string/pause_all" />
<item android:id="@+id/resume_all_menu"
app:showAsAction="ifRoom"
android:icon="@drawable/ic_play_arrow_white_24dp"
android:title="@string/resume_all" />
<item android:id="@+id/log_menu"
android:title="@string/log_journal" />
<item android:id="@+id/settings_menu"
android:icon="@drawable/ic_settings_white_24dp"
android:title="@string/settings" />
<item android:id="@+id/about_menu"
android:icon="@drawable/ic_info_white_24dp"
android:title="@string/about" />
<item android:id="@+id/shutdown_app_menu"
android:icon="@drawable/ic_power_settings_new_white_24dp"
android:title="@string/shutdown" />
</menu>
``` |
Samuel W. Kinnaird (May 2, 1840 – April 20, 1923) was a Union Navy sailor in the American Civil War and a recipient of the U.S. military's highest decoration, the Medal of Honor, for his actions at the Battle of Mobile Bay.
Kinnaird's Background
Born on May 2, 1840, in New York City, Kinnaird was still living in the state of New York when he joined the Navy. He served during the Civil War as a landsman on the . At the Battle of Mobile Bay on August 5, 1864, Lackawanna engaged the at close range and Kinnaird displayed "presence of mind and cheerfulness" which helped maintain his shipmates' morale. For this action, he was awarded the Medal of Honor four months later, on December 31, 1864.
Citation
Kinnaird's official Medal of Honor citation reads:
Served as a landsman on board the U.S.S. Lackawanna during successful attacks against Fort Morgan, rebel gunboats and the ram Tennessee in Mobile Bay, 5 August 1864. Showing a presence of mind and cheerfulness that had much to do with maintaining the crew's morale, Kinnaird served gallantly through the action which resulted in the capture of the prize rebel ram Tennessee and in the destruction of batteries at Fort Morgan.
Kinnaird died on April 20, 1923, at age 82 and was buried in the New York City neighborhood of Woodside, Queens.
References
External links
1840 births
1923 deaths
Military personnel from New York City
People of New York (state) in the American Civil War
Union Navy sailors
United States Navy Medal of Honor recipients
American Civil War recipients of the Medal of Honor |
Y4 may refer to:
Pancreatic polypeptide receptor 1, a protein that in humans is encoded by the PPYR1 gene
a Mazda diesel engine
IATA airline designator for Volaris
LNER Class Y4, a class of British steam |
Joseph Michael Castanon (born August 19, 1997), better known by his stage name Sir Castanon, is an American actor and singer-songwriter. He was also known for his role as Ben Newman in the comedy Click (2006).
Acting
He has appeared in several television series, including Jericho, NCIS, I Hate My 30's, Crossing Jordan, Without A Trace, October Road, ER, a mini series Comanche Moon, and won the 2006 Young Artist Award for Guest Starring Young Actor in a TV series for an appearance on Ghost Whisperer. That same year, he made his feature film debut playing Ben Newman, son of Adam Sandler's character in the comedy Click.
Music career
Castanon became serious about music after he booked the starring role in the West Coast Ensemble stage production of "Big the Musical" in the fall of 2008. It was then he realized his love for performing in front of live audiences. He joined forces and began writing and recording with multi-award winning writer and producer Jonathan George. The two-year journey of development and work spawned the artist Sir Castanon. He released his debut album, Puppeteer, on iTunes and CD Baby on December 28, 2010.
References
External links
1997 births
American male child actors
American male film actors
American male television actors
Living people
Male actors from Denver
21st-century American male actors |
Lasiocercis parvula is a species of beetle in the family Cerambycidae. It was described by Stephan von Breuning in 1965.
References
Lasiocercis
Beetles described in 1965 |
St Clair is a suburb of Adelaide, South Australia, and administered by the City of Charles Sturt. St Clair is geographically located with in the Hundred of Yatala, and was first recorded as the name for the suburb on 6 November 2012 by the Surveyor General of South Australia. The suburb is bounded by Cheltenham Parade, Torrens Road, Woodville Road and the Outer Harbor train line. The Cheltenham Park Racecourse was located here up until the late 2000s and new houses were built in the years after that.
History
The name "St Clair" was chosen to reflect the history of the surrounding area, It was first used by Robert Richard Torrens as the name for the house he built in the area circa 1842. In 1850 the original house was demolished and a grander house also bearing the name "St Clair" was built adjacent the current Woodville road, this house survived into the mid 20th century.
In 2007 the South Australian Jockey Club signed a deal with developers AVJennings and Urban Pacific to develop the former Cheltenham Park Racecourse for housing. St Clair Village was opened on 1 May 2013 by the Premier of South Australia Jay Weatherill. The centre is home to a Coles Supermarket and 10 speciality shops. Construction work on the new St Clair station on the Outer Harbor railway line commenced in June 2013, with the station opening on 23 February 2014.
Homestead controversy
'St Clair' is also the name of the longstanding local park adjacent to the new suburb. The land was originally part of Bower's Estate, on which the St Clair homestead also stood on Woodville Road. The St Clair homestead was later compulsorily acquired by the council and demolished to make way for the St Clair Recreation Centre. In 2008 the Charles Sturt Council proposed a land swap between 4.7 hectares of the Reserve (including the St Clair Oval) with an adjoining contaminated site on the former Actil factory land. This was proposed to allow residential development on the parklands and Oval site. Despite community opposition, including a legal challenge by a group of local residents, the land swap proceeded in late 2009.
The Council voted 13 to 3 to proceed with the land swap and transfer the land to the State Government's Land Management Corporation (now known as Renewal SA). This was despite concerns raised by local residents over the unequal nature of the swap (in both land value and open space) and the loss of the park. As of July 2013, the original park remains undeveloped. The Parliament's Upper House has voted to launch another inquiry into the swap and the South Australian chapter of the Returned Service League has voted to support the motion to have the original park retained as a war memorial, both to realise the 1942 petition, and to honour the scattered ashes of war veterans.'
Politics
St Clair is part of Woodville Ward in the City of Charles Sturt local government area. It also lies in the state electoral district of Cheltenham and the federal electoral division of Port Adelaide.
Notable People
Some notable people include: Jay Weatherill, former premier of South Australia.
References
External links
Official St Clair Website
City of Charles Sturt
Suburbs of Adelaide |
```yaml
models:
- columns:
- name: id
tests:
- unique
- not_null
- relationships:
field: id
to: ref('node_0')
name: node_597
version: 2
``` |
Bentwitchen is a hamlet in Devon, England.
References
Hamlets in Devon |
Suthirat Wongtewan (), nicknamed Kung () (born 17 August 1979) is a famous Thai Likay actor, Luk thung singer and film actor. He has a popular song titled "Kor Pen Pra Ek Nai Hua Jai Ther" (ขอเป็นพระเอกในหัวใจเธอ), released in 1997.
Early life and career
His birthname is Suthirat Usupha and he was born on 17 August 1979, in Chai Nat Province. He is the son of Chainarong and Taweeb Usupha. He had a job as Likay actor since he was young, and he was espak muzzle player of his birthplace. He finished his secondary class from Kuru Prachasan school, and Bachelor's degree from Ramkhamhaeng University,
Faculty of Political Science.
He is the nephew of Jingreedkhaw Wongtewan, a famous Thai Luk thung singer, and has a younger sister named Wirada Wongtewan.
He started on stage in 1997 by persuasion of Pathin Khumprasert, and recorded his first album under the jurisdiction of record label Krung Thai Music Audio named Khor Pen Pra Ek Nai Hua Jai Ther (, in English named "Want to be the hero in your heart."), and became very popular. At present, he is an artist of R-Siam, and has many popular songs recorded by R-siam including, "Rieam Rae Rae Rai", "Tephee Ban Prai", etc.
Discography
Studio albums
Krung Thai Music Audio
R-Siam
Awards
2016 - Awards "Dao Mekhala"
References
1979 births
Living people
Suthirat Wongtewan
Suthirat Wongtewan
Suthirat Wongtewan
Suthirat Wongtewan |
William Clarence Matthews (January 7, 1877 – April 9, 1928) was an early 20th-century African-American pioneer in athletics, politics and law. Born in Selma, Alabama, Matthews was enrolled at the Tuskegee Institute and, with the help of Booker T. Washington (the principal of the institute), enrolled at the Phillips Academy in 1900 and Harvard University in 1901. At Harvard, he became one of the standout baseball players, leading the team in batting average for the 1903, 1904, and 1905 seasons.
Matthews, having come from poverty and with no living parent, had to financially support himself with multiple jobs, but still managed to graduate in 1905 and was accepted to Boston University School of Law. In the summer of 1905, Matthews joined the Burlington, Vermont baseball team of the Northern League, making him the only African-American in any white professional baseball league at the time. Halfway through the season there were rumors of Matthews joining the struggling Boston Beaneaters as the starting second baseman, but possible backlash throughout the National League stopped the rumors. Matthews joined the Bar association in 1908 and became one of the first African-American Assistant District Attorneys in the country. He worked as legal counsel to Marcus Garvey before getting active in Republican Party politics and helping get Calvin Coolidge elected President in 1924. He died in 1928 while serving in Washington, D.C., as a U.S. Assistant Attorney General. For challenging the color line in professional baseball he is considered by his main biographer, Karl Lindholm, to be "the Jackie Robinson of his day".
Early life
William Clarence Matthews was born the third oldest child to William Matthews, a tailor, and Elizabeth Matthews in Selma, Alabama on January 7, 1877. He had two siblings, Fannie, the oldest, and Walter (or Buddy), the second oldest. His father died in the 1890s and his family moved to Montgomery, Alabama.
He was enrolled at the Tuskegee Institute from 1893 until 1897 where he graduated second in his class, was a standout athlete (organizing the first football team and being the captain of the baseball team), and became a student of Booker T. Washington. Matthews was the first head football coach at Tuskegee and he held that position for two seasons, 1893 and 1895; there was no team in 1894. His coaching record at Tuskegee was 0–2. Matthews also played on at least one of the teams he coached, serving as the captain. Washington arranged for Matthews to continue his study in the north, first at the Phillips Andover Academy, where he was the only African-American in his class of 97 students, and then in the fall of 1901 at Harvard University.
Harvard baseball
Matthews was a recognized baseball standout at both the Tuskegee Institute and at Phillips Andover, and thus was able to walk on to the Harvard varsity baseball team as a Freshman. The tryouts for the Harvard Baseball team had over 140 people for only 12 spots, and Matthews was one of the first ones selected for the team. His joining the team caused some controversy, as one of a few African-American baseball players in American colleges at this point, and he had to be held out of games occasionally because of protests by other teams. During his sophomore year the team cancelled a tour through the southern states entirely.
The Harvard baseball team was one of the best in the country (coached in 1902 by Cy Young and Willie Keeler) and Matthews was the star shortstop for the team, lettering all four years (1902–1905). Matthews made an important contribution his first season by scoring the winning run in the final game of the series against Yale in front of 9,000 fans at the Polo Grounds in New York City. He led the team in hitting his final three years (batting a high .400 and stealing 25 bases during his senior year) as the Harvard team won 78 games and lost 18 with him over that span.
On the Harvard Baseball team, he played alongside of Eddie Grant (second baseman) and Walter Clarkson (pitcher), both of whom would go on to careers in professional baseball. However, Matthews was considered by one local paper to be the "greatest big league prospect" on the Harvard team. Matthews was highly lauded as a member of the Harvard Baseball team with the Boston Post dubbing him "no doubt the greatest colored athlete of all time" and "the best infielder Harvard ever had."
Matthews, as he had done at Tuskegee and Andover, also played football. He played as the varsity quarterback for the first games of the 1901 season (his Freshman season) until he suffered an injury in the Harvard-Army game and became a backup for the rest of the undefeated 1901 Harvard season. He played his last three years for Harvard but was moved primarily to the left end position. In 1904, he was mentioned as a potential All-American.
While at Harvard, his mentor was William Henry Lewis who at that point was the coach of the Harvard football team and the first African-American Assistant United States Attorney in the country.
Burlington baseball
On July 4, 1905, Matthews became the starting second baseman for the Burlington, Vermont team in the Northern League. Taking the field that day in a doubleheader against a team from Rutland, Matthews became the only African-American playing in white professional baseball leagues at the time. He got three hits in his first game and fielded excellently. He played well for the whole season with the Burlington team taking second place and narrowly missing first place.
In mid-1905, a rumor was published by the Boston Evening Traveller that coach Fred Tenney of the Boston National League team was thinking of signing Matthews to a contract. The Boston second baseman was Fred Raymer who was batting .211 for the season and Tenney needed a replacement. Interviewed about the rumor, Matthews was reported to have said that "Negroes should not be shut out because their skin is black." The rumor quickly dissipated with some claiming that the southern teams of the National League had threatened to leave and form a new league if Matthews played and others contending that National League President Harry Pulliam had intervened to prevent signing Matthews.
While playing in the Northern League, Matthews faced discrimination from fans and other players. Sam Appcrious, who like Matthews was from Selma, refused to play against Matthews when their teams played each other. At some points in the season, he was moved to the outfield in order to prevent his opponents from spiking him (injuring him with their metal cleats when sliding at him).
The Burlington team, like most of the Northern League teams, was staffed by a number of "kangaroos" or players from the National League or American League upset with their contracts who would jump from league to league. These players would often return to those leagues and leave the Burlington team leading to regular turnover of players. Thus, Matthews was one of only four players who played for the entire season for the team. This would be his only year in professional baseball as he entered Boston University School of Law to work on his law degree in Fall 1905.
Law and politics
Matthews passed the bar exam and married Pamela Belle Lloyd from Hayneville, Alabama in 1908. He coached Boston high school baseball teams for a few years during this period in order to put himself through law school (Boston Latin School, Dorchester High School, and Noble and Greenough School). However, Matthews eventually replaced his mentor at Harvard William Henry Lewis as the Assistant U.S. Attorney for the Boston area. From 1920 to 1923, Matthews became the chief legal counsel for the Marcus Garvey founded Universal Negro Improvement Association and African Communities League.
During the 1924 Presidential election, Matthews became an important supporter of the Republican Party and Calvin Coolidge. Although both Matthews and his mentor at Harvard William Henry Lewis were active Republicans, Lewis decided to support John W. Davis, the Democratic candidate for the Presidency because he felt the Republicans were not taking a strong enough stance against the Ku Klux Klan. Matthews, in contrast, became the Head of the Colored Division of the Republican National Committee in 1924. Matthews' position was the first time that a major U.S. political party put an African-American in charge of efforts to organize the African-American vote. Matthews criticized Lewis for leaving the Republican party and because of his efforts African-Americans in the North voted overwhelmingly for Coolidge. Following the 1924 election, Matthews delivered a list of seventeen demands to improve the position of African-Americans in the Coolidge administration.
When Coolidge won, Matthews moved to Washington, D.C., and became an Assistant Attorney General. He was assigned to cases in Nebraska (October 1925), Illinois (December 1925), and finally to deal with water issues in California (June 1926).
Death and legacy
Matthews died on April 9, 1928 (51 years old) of a perforated ulcer. Obituaries for Matthews ran in most of the major newspapers in the country. The New York Times called him "one of the most prominent Negro members of the bar in America." His funeral in Boston was attended by over 1,500 people with William Henry Lewis serving as an honorary pallbearer. Clarence Matthews was interred in Cambridge Cemetery in Cambridge Massachusetts.
Harold Kaese wrote in the Boston Globe in 1965 that Matthews was "the Jackie Robinson of his age." Since 2006, the Ivy League baseball team to win the conference title receives the William Clarence Matthews Trophy.
See also
Baseball color line
Jimmy Claxton
Frank Grant
References
1877 births
1928 deaths
19th-century American lawyers
Boston University School of Law alumni
Harvard Crimson baseball players
Massachusetts lawyers
National College Baseball Hall of Fame inductees
Phillips Academy alumni
Tuskegee Golden Tigers football coaches
Tuskegee University alumni
Sportspeople from Selma, Alabama
Baseball players from Alabama
African-American baseball players
African-American coaches of American football
20th-century African-American people
19th-century African-American lawyers |
Thadée Cisowski (16 February 1927 – 24 February 2005), originally Tadeusz Cisowski, was a French former footballer who played as a striker. A son of Polish immigrants, he was regarded one of the best goalscorers in Championnat de France.
In the World Cup qualifying match against Belgium in 1956, he scored five goals, equaling the France record set by Eugène Maës in 1913.
Injuries prevented him from playing in the 1954 and 1958 World Cups.
Career statistics
Club
International
References
External links
1927 births
2005 deaths
People from Hrubieszów County
Footballers from Lublin Voivodeship
People from Lublin Voivodeship (1919–1939)
Men's association football forwards
French men's footballers
France men's international footballers
FC Metz players
Racing Club de France Football players
Valenciennes FC players
FC Nantes players
Ligue 1 players
Ligue 2 players
Polish emigrants to France |
Strahinja Karišić (; born 3 July 1997) is a Serbian professional footballer who plays as a midfielder for OFK Bačka.
Career
In 2015, Karišić joined the youth academy of Spanish La Liga side Granada.
He was included on the extended roster of Watford for the 2017–18 Premier League as an under-21 player, but did not make any appearances or call-ups to the senior squad.
In 2017, he joined the youth academy of Fluminense in Brazil on loan, but left that December.
In mid-2018, his rights were acquired by Partizan. For the 2018–19 season, Karišić was loaned to Serbian second division club Teleoptik, where he made 20 league appearances and scored 1 goal.
In 2019, he signed for Voždovac in the Serbian top flight.
In 2020, Karišić signed for Slovenian second division team Primorje.
References
External links
Strahinja Karišić at playmakerstats.com
Living people
1997 births
Footballers from Pristina
Serbian men's footballers
Men's association football midfielders
Club Recreativo Granada players
FK Rad players
FK Teleoptik players
FK Voždovac players
FK Sinđelić Beograd players
ND Primorje players
OFK Žarkovo players
OFK Bačka players
Segunda División B players
Serbian SuperLiga players
Serbian First League players
Slovenian Second League players
Serbian expatriate men's footballers
Expatriate men's footballers in Spain
Serbian expatriate sportspeople in Spain
Expatriate men's footballers in England
Serbian expatriate sportspeople in England
Expatriate men's footballers in Brazil
Serbian expatriate sportspeople in Brazil
Expatriate men's footballers in Slovenia
Serbian expatriate sportspeople in Slovenia |
Parviz Moin ( Parviz Mo'in from Terhan, Iran) is a fluid dynamicist. He is the Franklin P. and Caroline M. Johnson Professor of Mechanical Engineering at Stanford University. Moin has been listed as an ISI Highly Cited author in engineering.
Biography
Moin is from Iran, and now lives in California. He received his Bachelor's degree in mechanical engineering from the University of Minnesota in 1974, his Master's degree in mathematics and his Master's and Ph.D degrees in mechanical engineering from Stanford in 1978. Moin became a naturalized U.S. citizen in 1981. He held the posts of National Research Council Fellow, Staff Scientist and Senior Staff Scientist at NASA Ames Research Center. He joined the Stanford faculty in September 1986.
Research
Moin pioneered the use of direct numerical simulation and large eddy simulation techniques for the study of turbulence physics, control and modelling concepts and has written widely on the structure of turbulent shear flows. His current interests include: interaction of turbulent flows and shock waves, aerodynamic noise and hydroacoustics, turbulence control, large eddy simulation and parallel computing.
Moin is the founding director of the Center for Turbulence Research at Stanford and Ames. Established in 1987 as a research consortium between NASA and Stanford, the Center for Turbulence Research is devoted to fundamental studies of turbulent flows.
He has been an Editor of the Annual Review of Fluid Mechanics since 2002.
Awards and honors
Moin has been awarded NASA Exceptional Scientific Achievement Medal (1985), Space Act Award, the Lawrence Sperry Award of the American Institute of Aeronautics and Astronautics, and the Humboldt Prize of the Federal Republic of Germany. Moin is a Fellow of the American Physical Society and an elected member of the National Academy of Engineering. He is the recipient of Fluid Dynamics Prize of APS in 1996.
In 2010 he was elected a Fellow of the American Academy of Arts and Sciences and in 2011 he was elected to the United States National Academy of Sciences.
References
1952 births
American people of Iranian descent
American mechanical engineers
Computational fluid dynamicists
Fellows of the American Academy of Arts and Sciences
Iranian expatriate academics
Living people
Members of the United States National Academy of Engineering
Members of the United States National Academy of Sciences
Stanford University School of Engineering alumni
Stanford University School of Engineering faculty
University of Minnesota College of Science and Engineering alumni
Fluid dynamicists
Annual Reviews (publisher) editors |
Borkovići () is a village in the municipality of Banja Luka, Republika Srpska, Bosnia and Herzegovina.
Demographics
Ethnic groups in the village include:
587 Serbs (98.82%)
7 Others (1.18%)
References
Villages in Republika Srpska
Populated places in Banja Luka |
Saifuzzaman Chowdhury (born 18 February 1969) is a Bangladesh Awami League politician and the Minister of Land since 2019. He is a member of parliament.
Early life
Saifuzzaman Chowdhury was born on 18 February 1969 in Anwara, Chattogram. His father was freedom fighter and senior Awami League leader Akhtaruzzaman Chowdhury and his mother was Noor Nahar Jaman. His wife, Rukhmila Zaman, is the chairperson of United Commercial Bank.
Career
Chowdhury was elected to the parliament from Chittagong-13 in 2014. He is a member of the executive committee of United Commercial bank and Chairman of the Arameet group. He was thrice elected President of Chittagong Chamber of Commerce.
In 2020, Chowdhury received the UN Public Service award for digitalising services of the Ministry of Land.
Controversy
Saifuzzaman Chowdhury, under the leadership of his father Akhtaruzzaman Chowdhury Babu forced into the United Commercial Bank (Bangladesh) with 50 to 60 armed cadres in 1999 and captured the leadership of the bank putting the directors at gunpoint.
References
Living people
People from Anwara Upazila
Politicians from Chittagong Division
1969 births
Awami League politicians
9th Jatiya Sangsad members
10th Jatiya Sangsad members
11th Jatiya Sangsad members
Land ministers of Bangladesh |
Moscow Heat () is a 2004 Russian action film directed by Jeff Celentano.
Cast
Michael York as Roger Chambers
Alexander Nevsky (actor) as Vlad Stepanov
Richard Tyson as Nikolay Klimov
Robert Madrid as Rudi Souza
Andrew Divoff as Edward Weston
Joanna Pacula as Sasha
Adrian Paul as Andrew Chambers
Alexander Izotov as Podpolkovnik
Mariya Golubkina as Masha
Aleksandr Belyavskiy as Dedushka Vlada
Sergey Gorobchenko as Oleg
Gennadi Vengerov as Shishov
Jeff Celentano as Denis
References
External links
2004 films
Russian action drama films
2004 multilingual films
English-language Russian films
Films set in Moscow
2004 action drama films
Russian films about revenge
Russian multilingual films
American multilingual films
2000s English-language films
Films directed by Jeff Celentano |
Hexany Audio is an audio post-production studio based in the Greater Los Angeles area. It provides custom sound, original music, voice over, audio programming, and sound branding for video games, virtual reality (VR) and interactive media.
History
Hexany Audio was founded in Boston in 2012 by Berklee College of Music graduates Richard Ludlow, Juan Sebastian Cortés Arango, Richard Gould, and Andy Forsberg. The company was initially developed while the founders were still students at Berklee. The company is known for sound design and music production for notable video games including John Wick: Chronicles, Star Wars: Millennium Falcon – Smugglers Run, League of Legends and Just Shapes & Beats.
Projects
Notable projects of Hexany Audio include John Wick: Chronicles, Star Wars: Millennium Falcon – Smugglers Run, League of Legends, Just Shapes & Beats, Blade Runner: Revelations, Splitgate: Arena Warfare, VR Studios Men in Black: Galactic Getaway, Tencent's Arena of Valor and VRstudios' Star Trek: Dark Remnant. In October 2018, the company released the soundtracks of Chance6 Studios’ horror video game COLINA: Legacy, which were composed by Matthew Carl Earl and Jason Walsh.
Awards and recognition
In 2017, Hexany Audio won the Game Audio Network Guild Awards under the category Best Music in a Casual/Social Game for their work on Strike of Kings / Realm of Valor. In 2018, the company received the Hollywood Music in Media Awards under the category Best Original Song/Score for a Mobile Video Game for their work on Arena of Valor and in 2021, it received the same award under the category Best Song/Score for a Mobile Video Game for their work on Call of Duty: Mobile.
In 2019, their work for the Star Wars: Millennium Falcon - Smuggler's Run attraction was nominated for a MPSE Golden Reel Award under the category Outstanding Achievement in Sound Design.
In 2020, Hexany Audio was featured in the Global Game Music Market report, a report that provides a detailed analysis of global game music market size and competitive landscape.
References
Music production companies
Music publishing companies of the United States
Companies based in Los Angeles County, California
Video game design |
Thita philippinensis is a species of beetle in the family Cerambycidae. It was described by Stephan von Breuning in 1973.
References
Pteropliini
Beetles described in 1973 |
```c++
// This file was automatically generated on Mon Aug 25 18:12:27 2014
// by libs/config/tools/generate.cpp
// Use, modification and distribution are subject to the
// LICENSE_1_0.txt or copy at path_to_url
// See path_to_url for the most recent version.//
// Revision $Id$
//
// Test file for macro BOOST_NO_CXX11_FIXED_LENGTH_VARIADIC_TEMPLATE_EXPANSION_PACKS
// This file should compile, if it does not then
// BOOST_NO_CXX11_FIXED_LENGTH_VARIADIC_TEMPLATE_EXPANSION_PACKS should be defined.
// See file boost_no_fixed_len_variadic_templates.ipp for details
// Must not have BOOST_ASSERT_CONFIG set; it defeats
// the objective of this file:
#ifdef BOOST_ASSERT_CONFIG
# undef BOOST_ASSERT_CONFIG
#endif
#include <boost/config.hpp>
#include "test.hpp"
#ifndef BOOST_NO_CXX11_FIXED_LENGTH_VARIADIC_TEMPLATE_EXPANSION_PACKS
#include "boost_no_fixed_len_variadic_templates.ipp"
#else
namespace boost_no_cxx11_fixed_length_variadic_template_expansion_packs = empty_boost;
#endif
int main( int, char *[] )
{
return boost_no_cxx11_fixed_length_variadic_template_expansion_packs::test();
}
``` |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.