text stringlengths 1 22.8M |
|---|
```php
<?php
/*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
*/
namespace Google\Service\CloudKMS;
class Operation extends \Google\Model
{
/**
* @var bool
*/
public $done;
protected $errorType = Status::class;
protected $errorDataType = '';
/**
* @var array[]
*/
public $metadata;
/**
* @var string
*/
public $name;
/**
* @var array[]
*/
public $response;
/**
* @param bool
*/
public function setDone($done)
{
$this->done = $done;
}
/**
* @return bool
*/
public function getDone()
{
return $this->done;
}
/**
* @param Status
*/
public function setError(Status $error)
{
$this->error = $error;
}
/**
* @return Status
*/
public function getError()
{
return $this->error;
}
/**
* @param array[]
*/
public function setMetadata($metadata)
{
$this->metadata = $metadata;
}
/**
* @return array[]
*/
public function getMetadata()
{
return $this->metadata;
}
/**
* @param string
*/
public function setName($name)
{
$this->name = $name;
}
/**
* @return string
*/
public function getName()
{
return $this->name;
}
/**
* @param array[]
*/
public function setResponse($response)
{
$this->response = $response;
}
/**
* @return array[]
*/
public function getResponse()
{
return $this->response;
}
}
// Adding a class alias for backwards compatibility with the previous class name.
class_alias(Operation::class, 'Google_Service_CloudKMS_Operation');
``` |
The Cottage is the oldest home in Thorpe, Surrey, and dates from 1490 when Henry VII was king of England. Built when there was a plentiful supply of timber, it is a substantial timber-framed house with brick panels and during the last 500 years it has evolved and grown to what is now a quintessential English Chocolate Box Cottage.
Elevated above the surrounding fields, bounded by rich woodlands and close to the river, the site of the Cottage is a perfect location for a nobleman of 1490 and the Cottage is the heart of the village. It had the village forge and blacksmiths in its garden, next door is The Red Lion Inn and opposite is the old post office.
History
The original house
In 1490 the left hand side of the house was built using timber framing, brick panels and strong diagonal braces. A similar type of construction was used in one of the houses at the Weald and Downland Museum, Sussex. Because bricks were a relatively new way of building they were not yet trusted to take the whole weight of the house; this is why timber was used for the main strength of the house.
The original timbers are thought to come from an earlier house on the site. The same type of carpenters' marks are on the rear timber frame and one of the main cross braces, suggesting that they were crafted by the same carpenter.
The original front door led into a large open room with a fire in the centre for cooking. This was open all the way to the roof. There is evidence of soot covering some of the timbers on the first floor. To the left were two domestic rooms and a room above.
North extension
About 50 to 100 years later came the extension on the right hand side of the house. To the right of the porch is a double timber post - the left part of the post is the original Cottage, and the right part of the post marks where another whole house was added as the extension.
This second building was dismantled from elsewhere and rebuilt onto the Cottage as its extension. It is built in an earlier style - no cross bracing, just simple squares created from timber. This is likely to have been built much earlier before it was brought to the Cottage.
The original layout of this smaller house can be guessed from marks on the timbers - a two bay farmer's cottage with an internal jetty (overhanging first floor). In the corner would have been a ladder to get to the first floor, which had a single bedroom with a crown post roof. Another timber-framed house from the Weald and Downland museum has a similar construction with little or no diagonal bracing.
Looking at the Cottage from the front shows clearly the two different construction methods - bracing on the left, no bracing on the right.
Improvements added in the 1500s
More improvements were added in the 1500s. Two fireplaces were built around a central chimney, providing one fire for the kitchen and one for a snug. Around this time, a staircase was at the back and floors were built to give more bedrooms upstairs.
Improvements added in the 1800s
Later the front porch was added. A 19th-century sales particular mentions that the front porch could easily be converted into an entrance hall. This added symmetry to the building and improved the layout.
Improvements added in the 1900s
A bathroom was created inside. This may have been earlier but it is shown on early plans with Runnymede Council Planning Portal. A rear extension was made to the ground floor kitchen, with catslide roof. The roof space was converted, and a conservatory was added.
English Heritage listing
In 1951 the Cottage was entered into the English Heritage list as a Grade II* listed building. The entry is:
Cottage. C16 with C18 additions. Timber framed hipped tiled roof. Two chimney stacks. Brick panels white painted. Two storeys. Projecting two storey gabled porch in centre. Double timber post to right. Large panels and braces. Plain boarded door. To left, three-light, 6-pane casement and two-light casement. To right, two 2-light casements. Above - 4-pane casement, to right and left two 3-light casements. Catslide roof at rear.
Thorpe Village
Thorpe is a village in Surrey, England, between Egham and Chertsey and has been settled since the Bronze and Iron Ages. It has 28 listed buildings with three being of particular interest: St Mary's Church, Thorpe House and the Cottage are designated Grade II*.
References
. THORPE. A Surrey Village in Maps. Egham-by-Runnymede Historical Society. Front page shows the Cottage
. The Thorpe Picture Book. Jill Williams in collaboration with Mercer Bolds. Page 5 shows the Cottage.
Grade II* listed buildings in Surrey
Houses in Surrey |
```javascript
import _ from 'lodash'
export default function parseShowTagValues(response) {
// Currently only supports SHOW TAG VALUES responses that explicitly specify a measurement,
// Ceaning we can safely work with just the first result from the response.
const result = response.results[0]
if (result.error) {
return {errors: [], tags: []}
}
const tags = {}
;(result.series || []).forEach(({columns, values}) => {
values.forEach(v => {
const tagKey = v[columns.indexOf('key')]
const tagValue = v[columns.indexOf('value')]
if (!tags[tagKey]) {
tags[tagKey] = []
}
tags[tagKey].push(tagValue)
})
})
// uniqueness of tag values are no longer guaranteed see showTagValueSpec for example
_.each(tags, (v, k) => {
tags[k] = _.uniq(v).sort()
})
return {errors: [], tags}
}
``` |
```python
from ray.util.annotations import PublicAPI
@PublicAPI(stability="stable")
class RayServeException(Exception):
pass
@PublicAPI(stability="alpha")
class BackPressureError(RayServeException):
"""Raised when max_queued_requests is exceeded on a DeploymentHandle."""
def __init__(self, *, num_queued_requests: int, max_queued_requests: int):
self._message = (
f"Request dropped due to backpressure "
f"(num_queued_requests={num_queued_requests}, "
f"max_queued_requests={max_queued_requests})."
)
super().__init__(self._message)
@property
def message(self) -> str:
return self._message
``` |
During the 2004–05 English football season, Wigan Athletic F.C. competed in the Football League Championship.
Season summary
After only 27 years as a Football League club, Wigan Athletic won promotion to English football's top flight for the first time in their history, securing promotion on the final day of the Championship league campaign as runners-up in their division. This was also their highest-ever finish in the Football League in their history. It was also only Wigan's second season in the second tier of the English league, having just missed out on the playoffs a year earlier.
Wigan's league success did not translate to the domestic cup competitions: they only played one match in each cup before being knocked out. This may have turned out to be beneficial to Wigan, as it allowed the club to focus on the league rather than a cup run.
First-team squad
Squad at end of season
Left club during season
Transfers In
Transfers Out
Statistics
Starting 11
Considering starts in all competitions
GK: #1, John Filan, 47
RB: #19, Nicky Eaden, 34
CB: #4, Matt Jackson, 36
CB: #6, Ian Breckin, 43
LB: #26, Leighton Baines, 42
RM: #20, Gary Teale, 30
CM: #14, Alan Mahon, 23
CM: #21, Jimmy Bullard, 47
LM: #10, Lee McCulloch, 43
CF: #9, Nathan Ellington, 43
CF: #30, Jason Roberts, 46
References
Wigan Athletic F.C. seasons
Wigan Athletic |
```kotlin
import com.android.build.gradle.internal.tasks.factory.dependsOn
plugins {
id("com.android.application")
id("kotlin-android")
id("com.google.gms.google-services")
}
tasks {
check.dependsOn("assembleDebugAndroidTest")
}
android {
namespace = "com.google.samples.quickstart.config"
compileSdk = 35
defaultConfig {
applicationId = "com.google.samples.quickstart.config"
minSdk = 21
targetSdk = 35
versionCode = 1
versionName = "1.0"
multiDexEnabled = true
testInstrumentationRunner = "androidx.test.runner.AndroidJUnitRunner"
}
buildTypes {
getByName("release") {
isMinifyEnabled = false
proguardFiles(getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro")
}
}
compileOptions {
sourceCompatibility = JavaVersion.VERSION_17
targetCompatibility = JavaVersion.VERSION_17
}
kotlinOptions {
jvmTarget = "17"
}
buildFeatures {
viewBinding = true
}
}
dependencies {
implementation(project(":internal:lintchecks"))
implementation(project(":internal:chooserx"))
implementation("com.google.android.material:material:1.12.0")
// Import the Firebase BoM (see: path_to_url#bom)
implementation(platform("com.google.firebase:firebase-bom:33.1.2"))
// Firebase Remote Config
implementation("com.google.firebase:firebase-config")
// For an optimal experience using Remote Config, add the Firebase SDK
// for Google Analytics. This is recommended, but not required.
implementation("com.google.firebase:firebase-analytics")
androidTestImplementation("androidx.test.espresso:espresso-core:3.6.1")
androidTestImplementation("androidx.test:rules:1.6.1")
androidTestImplementation("androidx.test:runner:1.6.2")
androidTestImplementation("androidx.test.ext:junit:1.2.1")
}
``` |
```go
package user
import (
"testing"
"code.gitea.io/gitea/models/db"
"code.gitea.io/gitea/modules/setting"
"code.gitea.io/gitea/modules/test"
"github.com/stretchr/testify/assert"
)
func TestUserAvatarLink(t *testing.T) {
defer test.MockVariableValue(&setting.AppURL, "path_to_url")()
defer test.MockVariableValue(&setting.AppSubURL, "")()
u := &User{ID: 1, Avatar: "avatar.png"}
link := u.AvatarLink(db.DefaultContext)
assert.Equal(t, "path_to_url", link)
setting.AppURL = "path_to_url"
setting.AppSubURL = "/sub-path"
link = u.AvatarLink(db.DefaultContext)
assert.Equal(t, "path_to_url", link)
}
``` |
William A. Pearson is a New Hampshire politician.
Education
Pearson earned a B.A. in political science from Keene State College.
Career
On November 8, 2016, Pearson was again elected to the New Hampshire House of Representatives where he represented the Cheshire 4 district. Pearson assumed office on November 4, 2014 and ended his term in 2016. On November 8, 2016, Pearson was again elected to the New Hampshire House of Representatives where he represented the Cheshire 16 district. Pearson assumed office in 2016. Pearson is a Democrat.
Personal life
Pearson resides in Keene, New Hampshire.
References
Living people
People from Keene, New Hampshire
Keene State College alumni
Democratic Party members of the New Hampshire House of Representatives
21st-century American politicians
Year of birth missing (living people) |
Monica Lăzăruț (born 13 July 1977) is a Romanian cross-country skier. She competed in four events at the 1998 Winter Olympics.
References
External links
1977 births
Living people
Romanian female cross-country skiers
Olympic cross-country skiers for Romania
Cross-country skiers at the 1998 Winter Olympics
People from Bistrița-Năsăud County |
James McGill (October 6, 1744 – December 19, 1813) was a Scottish-Canadian businessman, fur trader, land speculator, and philanthropist best known for being the founder of McGill University in Montreal. He was elected to the Legislative Assembly of Lower Canada for Montreal West and appointed to the Executive Council of Lower Canada in 1792. He was the honorary Lieutenant-Colonel of the 1st Battalion, Montreal Militia, a predecessor unit of The Canadian Grenadier Guards. He was also a prominent member of the Château Clique and one of the original founding members of the Beaver Club. His summer home stood within the Golden Square Mile.
McGill was a highly influential and record breaking trader (specifically with furs) within Canada during his life, with it being argued that McGill was "the richest man in Montreal" at the time of his death by his business contemporaries in reflection. Two prime examples of McGill's status as a record-breaking and influential trader are: 1) McGill (along with a group of some four other merchants) sending 12 canoes to a port in modern day Minnesota which "appeared to mark the beginning of large-scale trade" both in the north-west territory (of North America) and "of the North West Company (in Canada)" and 2) McGill being the largest investor of the fur trade within Lower Canada and Montreal in 1782, with some 26,000 Pound Sterling not adjusted for inflation.
Biography
The McGill family originated in Ayrshire and had been living in Glasgow for two generations by the time James was born at the family home on Stockwell Street. The McGills were metalworkers and, from 1715 onward, burgesses of the city and members of the Hammermen's Guild, James' father having served as deacon.
James McGill was educated at the University of Glasgow, and soon afterwards left for North America to explore the business opportunities there. By 1766, he was in Montreal, whose trade opportunities had recently been laid open following the British Conquest of New France. He entered the fur trade south of the Great Lakes, at first as a clerk or agent for the Quebec merchant, William Grant of St. Roch. By the next year, the firm of "James McGill & Co." was trading at Michilimackinac.
In 1773, McGill joined with Isaac Todd (who would remain a close lifelong friend) in a trading venture beyond Grand Portage, which was renewed under the name Todd & McGill in 1776. In 1775, McGill (along with Todd, Benjamin, and Joseph Frobisher, and Maurice-Regis Blondeau) sent 12 canoes to a port in Grand Portage (near modern Grand Portage, Minnesota) - this shipment in particular proves important for Canadian history as it (according to historian Harold Adams Innis) "appeared to mark the beginning of large-scale trade to the Northwest (of Canada)...and of the Northwest Company". Grand Portage would be visited by McGill in 1778, the farthest point west that McGill likely travelled to. This partnership was important in the formation of what would become the North West Company. Todd & McGill prospered, as one of the main firms supplied by the London commission merchant, John Strettell. The partnership did not participate in the North West Company after 1783, but it continued in the so-called "Southwest trade" in the Mississippi valley until Michilimackinac was handed over to the Americans in 1796. It was also involved in other enterprises, but few business papers have survived, making a detailed account difficult.
In November 1775, McGill was a member of the representation for the citizens of Montreal at the drafting of the articles of capitulation for the city to the invading American army. McGill was elected to the Legislative Assembly of Lower Canada for Montreal West in 1792 and appointed to the Executive Council in 1792. He was elected again in 1800 and in Montreal East in 1804. He was the first honorary lieutenant-colonel of the 1st Battalion, Montreal Militia, a unit which later evolved into the Canadian Grenadier Guards, as commemorated by the replicated cairn that stands before the Arts building of McGill University.
In 1782, McGill would be responsible with making the largest investment in Lower Canada within the fur trade in history at that time, some 26,000 Pound Sterling.
Family life and Burnside Place
In 1776, James McGill married Marie-Charlotte (1747-1818), the widow of Joseph-Amable Trottier Desrivières (1732-1771). Educated at the Ursuline Convent, Quebec, she was the daughter of Guillaume Guillimin (1713-1750), Member of the Sovereign Council of New France and Judge of the Courts of Admiralty. Her mother, Marie-Geneviève Foucault, was the daughter of François Foucault (1690-1766), the owner of one of the largest seigneuries in New France and a member of the Sovereign Council. McGill had previously adopted Charlotte, the youngest daughter of his deceased friend John Porteous, and through his marriage (after the death of their uncle and legal guardian) he became the step-father of two sons,
Lt.-Col. François-Amable Trottier Desrivières (1764-1830), J.P., was particularly close to McGill and became like a son to him, following him into business with the firm of McGill & Todd. He married his first cousin, Marguerite-Thérèse Trottier Desrivières-Beaubien. On McGill's death he received £23,000 and a substantial amount of land in Stanbridge.
Lt. Thomas-Hippolyte Trottier Desrivières (b.1769). McGill purchased a commission for him into the 60th Royal American Regiment, but he predeceased his step-father in a "foolish" duel fought with a fellow German officer while on service in Jamaica. When the German boasted of his death to Desrivières' friend, Charles de Salaberry, after finishing his breakfast, the French-Canadian challenged the German. After a long, obstinate contest fought with swords, the much younger de Salaberry killed the "rough bully" who had murdered his friend. Desrivières had married the sister of Joseph Bouchette and was the father of James McGill Trottier Desrivières, who inherited £60,000 from McGill and married a daughter of Joseph Frobisher.
In 1777, at Montreal, McGill purchased the former home of the Baron de Becancourt for his new family on Notre-Dame Street, next to the Château Ramezay. In about 1797, he was said to have purchased the farm he called Burnside which he used as a summer home. Burnside was near a farm belonging to the Desrivières family to the east, and the McTavish estate to the north and west. A burn ran through the property, from which McGill gave it its name. The land was used for orchards, vegetable farming and cattle-grazing. In 1787, an elm took root in the upper meadow of Burnside which grew into the Founder's Elm and survived until 1976 when it became dangerous and had to be felled.
Burnside was a gentleman's country house as opposed to a working farmhouse. The ground floor was taken up with servants' rooms, with a kitchen at the front and cellars going into the hill at the back. Steps led up to the front door and into the entrance hall with spacious front rooms on either side. Each of the two front rooms had three windows facing south. The high sloping roof had dormer windows for the third floor rooms, of which only two (each measuring twenty four square feet) had ceilings, while the rest of the area was a large open attic.
Legacy
It is noted within McGill patchwork biography that his death was sudden and shocking - even for McGill himself - with "(McGill) having no Idea of his going off half an Hour before he died" on December 19th, 1813.
Alexander Henry somehow found it necessary to mention that McGill's fortune upon his death was "going to strangers...and his wife's children. Mrs. McGill is left comfortable {a typical expression at the time for having no mortgage or rent to pay off nor worry or concern for money in any way following the death of one's partner} but young Desrivieres (McGill's son) will have 60,000 Pound Sterling". The importance for a stranger (and apparent need for Henry) to communicate where and how someone else's money should be spent upon their death is not made mention of.
A fur trader, slaveholder and land owner, McGill further diversified his activities into land speculation and the timber trade. By 1810, he had abandoned the fur trade altogether. At his death, he was one of the richest men in Montreal, leaving an estate well in excess of £100,000. McGill's business contemporaries even mentioned after his death that he may have been "the richest man in Montreal...one who could command more cash than anyone" and it is noted that those contemporaries "savoured the elevated stations (that McGill possessed upon his untimely demise)". The executors of his will were all close personal friends: John Richardson, Bishop John Strachan, Chief Justice James Reid and James Dunlop.
McGill's major assets included real estate in Lower and Upper Canada and investments in Britain; the latter not specified as to character or amount. There were also extensive mortgage holdings. In his will, old friends were remembered, the Montreal poor, the Hôtel-Dieu de Montréal, the Grey Nuns, the Hôpital-Général de Québec and two Glasgow charities. Even though Alexander Henry grumbled that McGill's fortune, "went to strangers... (and) his wife's children, Mrs McGill is left comfortable, but young Desrivières (the son of McGill's youngest stepson) will have £60,000".
McGill's most important legacy was the £10,000 and his summer home that he left to the Royal Institution for the Advancement of Learning. The bequest not only funded McGill University, but it also stretched to establish several other colleges and universities, including the University of British Columbia, which was known as the McGill University College of British Columbia until 1915; the University of Victoria, an affiliated junior college of McGill until 1916; and, Dawson College which began in 1945 as a satellite campus of McGill to absorb the anticipated influx of students after World War II.
James McGill was buried, alongside his fur-trading associate John Porteous, in the old Protestant "Dufferin Square Cemetery". When the cemetery was eradicated in 1875, his remains were reinterred in front of the Arts Building on the McGill University campus. Plaques are displayed on Stockwell Street, Glasgow commemorating his birthplace and his foundation of the university, in the undercroft of Bute Hall at the University of Glasgow, recognizing the historic link between Glasgow and McGill universities and in McGill Metro station, in Montreal.
McGill Primary School in Pollok, Glasgow, was named after James McGill. It is now closed.
See also
List of universities named after people
Scots-Quebecer
References
Further reading
External links
McGill University - Who was James McGill?
James McGill's Will
1744 births
1813 deaths
Canadian Anglicans
Canadian philanthropists
Pre-Confederation Canadian businesspeople
McGill University people
Members of the Legislative Assembly of Lower Canada
Businesspeople from Glasgow
Businesspeople from Montreal
Pre-Confederation Quebec people
Scottish emigrants to pre-Confederation Quebec
Anglophone Quebec people
Immigrants to the Province of Quebec (1763–1791)
Alumni of the University of Glasgow
Canadian slave owners |
Esimene Eesti Põlevkivitööstus (literally: First Estonian Oil Shale Industry) was an oil shale company located in Kohtla-Järve, Estonia. It was a predecessor of Viru Keemia Grupp, a shale oil extraction company.
On 24 November 1918, the company was established as Riigi Põlevkivitööstus (), a department of the Ministry for Trade and Industry. It took over all existing open-pit mines. New underground mines were opened at Kukruse and Käva in 1920 and 1924 respectively. In 1921 it was the company to start shale oil production in Estonia. It built 14 experimental oil shale processing retorts in Kohtla-Järve. These vertical retorts used the method developed by Julius Pintsch AG that would later evolve into the current Kiviter processing technology. Each retort processed 40 tonnes of oil shale per day and produced an oil yield of 18%. Along with the shale oil extraction plant, an oil shale research laboratory was founded in 1921. Following the experimental retorts, the first commercial shale oil plant was put into operation on 24 December 1924.
In October 1936, Riigi Põlevkivitööstus was reorganized as the government-owned joint stock company and was renamed Esimene Eesti Põlevkivitööstus. In 1939, it was the second-largest shale oil producer after Eesti Kiviõli with 61,000 tonnes. It operated three shale oil extraction plants and was constructing the fourth plant. After occupation of Estonia by the Soviet Union, the company was subordinated to the Soviet authorities in December 1940.
See also
Eesti Küttejõud
Eestimaa Õlikonsortsium
New Consolidated Gold Fields
Oil shale in Estonia
References
Bibliography
Oil shale companies of Estonia
Synthetic fuel companies
Estonia
Kohtla-Järve
1918 establishments in Estonia
Non-renewable resource companies established in 1918
Non-renewable resource companies disestablished in 1940
Defunct energy companies of Estonia
Defunct oil companies
Defunct mining companies
Energy companies established in 1918
1940 disestablishments in Estonia |
Hatamabad (, also Romanized as Ḩātamābād) is a village in Barez Rural District, Manj District, Lordegan County, Chaharmahal and Bakhtiari Province, Iran. At the 2006 census, its population was 257, in 45 families.
References
Populated places in Lordegan County |
Short Trip Home is an album of classical chamber music by a quartet unusual both for its membership and its instrumentation. Double bassist Edgar Meyer wrote the majority of the compositions recorded on the album for a quartet of violin, double bass, mandolin, and guitar. Classical violinist Joshua Bell joins bluegrass musicians Sam Bush and Mike Marshall and Meyer on the album. In addition to classical music in an American vernacular, the quartet occasionally breaks out on more traditional instrumental bluegrass tunes.
Track listing
"Short Trip Home" (Edgar Meyer)
"Hang Hang" (Meyer, Mike Marshall)
"BT" (Meyer)
"In the Nick of Time" (Meyer)
Concert Duo. Prequel (Meyer)
"BP" (Meyer)
"If I Knew" (Meyer)
"OK, All Right" (Meyer)
"Death by Triple Fiddle" (Meyer, Sam Bush, Marshall, Joshua Bell)
Concert Duo. 1 (all movements by Meyer)
Concert Duo. 2
Concert Duo. 3
Concert Duo. 4
Personnel
Joshua Bell, violin
Edgar Meyer, bass
Sam Bush, mandolin; violin on "Death by Triple Fiddle"
Mike Marshall, guitar; mandola on "BT"; violin on "Death by Triple Fiddle"
In popular culture
The track "Short Trip Home" is heard in the Richard Proenneke documentary Alone in the Wilderness.
The tracks “In the Nick of Time” and "Concert Duo. 1" are heard in the Ken Burns documentary The War (miniseries).
The track "BT" was used as the theme song for WUNC (FM)'s The State of Things (radio show) from 2004 until 2010.
References
1999 albums
Classical crossover albums |
Vitan () is a settlement northeast of Ormož in northeastern Slovenia. It lies on the regional road from Središče ob Dravi to Miklavž pri Ormožu. The area belongs to the traditional region of Styria. It is now included in the Drava Statistical Region.
References
External links
Vitan on Geopedia
Populated places in the Municipality of Ormož |
Montia australasica is a species of flowering plant in the genus Montia.
Description
Range
Habitat
Ecology
Etymology
Taxonomy
References
australasica
Flora of Australia
Flora of New Zealand |
```javascript
/**
* @author Marton Csordas
* See LICENSE file in root directory for full license.
*/
'use strict'
const path = require('path')
const casing = require('../utils/casing')
const utils = require('../utils')
const RESERVED_NAMES_IN_VUE3 = new Set(
require('../utils/vue3-builtin-components')
)
module.exports = {
meta: {
type: 'suggestion',
docs: {
description: 'require component names to be always multi-word',
categories: ['vue3-essential', 'vue2-essential'],
url: 'path_to_url
},
schema: [
{
type: 'object',
properties: {
ignores: {
type: 'array',
items: { type: 'string' },
uniqueItems: true,
additionalItems: false
}
},
additionalProperties: false
}
],
messages: {
unexpected: 'Component name "{{value}}" should always be multi-word.'
}
},
/** @param {RuleContext} context */
create(context) {
/** @type {Set<string>} */
const ignores = new Set()
ignores.add('App')
ignores.add('app')
for (const ignore of (context.options[0] && context.options[0].ignores) ||
[]) {
ignores.add(ignore)
if (casing.isPascalCase(ignore)) {
// PascalCase
ignores.add(casing.kebabCase(ignore))
}
}
let hasVue = utils.isScriptSetup(context)
let hasName = false
/**
* Returns true if the given component name is valid, otherwise false.
* @param {string} name
* */
function isValidComponentName(name) {
if (ignores.has(name) || RESERVED_NAMES_IN_VUE3.has(name)) {
return true
}
const elements = casing.kebabCase(name).split('-')
return elements.length > 1
}
/**
* @param {Expression | SpreadElement} nameNode
*/
function validateName(nameNode) {
if (nameNode.type !== 'Literal') return
const componentName = `${nameNode.value}`
if (!isValidComponentName(componentName)) {
context.report({
node: nameNode,
messageId: 'unexpected',
data: {
value: componentName
}
})
}
}
return utils.compositingVisitors(
utils.executeOnCallVueComponent(context, (node) => {
hasVue = true
if (node.arguments.length !== 2) return
hasName = true
validateName(node.arguments[0])
}),
utils.executeOnVue(context, (obj) => {
hasVue = true
const node = utils.findProperty(obj, 'name')
if (!node) return
hasName = true
validateName(node.value)
}),
utils.defineScriptSetupVisitor(context, {
onDefineOptionsEnter(node) {
if (node.arguments.length === 0) return
const define = node.arguments[0]
if (define.type !== 'ObjectExpression') return
const nameNode = utils.findProperty(define, 'name')
if (!nameNode) return
hasName = true
validateName(nameNode.value)
}
}),
{
/** @param {Program} node */
'Program:exit'(node) {
if (hasName) return
if (!hasVue && node.body.length > 0) return
const fileName = context.getFilename()
const componentName = path.basename(fileName, path.extname(fileName))
if (
utils.isVueFile(fileName) &&
!isValidComponentName(componentName)
) {
context.report({
messageId: 'unexpected',
data: {
value: componentName
},
loc: { line: 1, column: 0 }
})
}
}
}
)
}
}
``` |
```python
#
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing, software
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# ==============================================================================
"""SSDFeatureExtractor for Keras MobilenetV1 features."""
import tensorflow.compat.v1 as tf
from object_detection.meta_architectures import ssd_meta_arch
from object_detection.models import feature_map_generators
from object_detection.models.keras_models import mobilenet_v1
from object_detection.utils import ops
from object_detection.utils import shape_utils
class SSDMobileNetV1KerasFeatureExtractor(
ssd_meta_arch.SSDKerasFeatureExtractor):
"""SSD Feature Extractor using Keras MobilenetV1 features."""
def __init__(self,
is_training,
depth_multiplier,
min_depth,
pad_to_multiple,
conv_hyperparams,
freeze_batchnorm,
inplace_batchnorm_update,
use_explicit_padding=False,
use_depthwise=False,
num_layers=6,
override_base_feature_extractor_hyperparams=False,
name=None):
"""Keras MobileNetV1 Feature Extractor for SSD Models.
Args:
is_training: whether the network is in training mode.
depth_multiplier: float depth multiplier for feature extractor.
min_depth: minimum feature extractor depth.
pad_to_multiple: the nearest multiple to zero pad the input height and
width dimensions to.
conv_hyperparams: A `hyperparams_builder.KerasLayerHyperparams` object
containing convolution hyperparameters for the layers added on top of
the base feature extractor.
freeze_batchnorm: Whether to freeze batch norm parameters during
training or not. When training with a small batch size (e.g. 1), it is
desirable to freeze batch norm update and use pretrained batch norm
params.
inplace_batchnorm_update: Whether to update batch norm moving average
values inplace. When this is false train op must add a control
dependency on tf.graphkeys.UPDATE_OPS collection in order to update
batch norm statistics.
use_explicit_padding: Use 'VALID' padding for convolutions, but prepad
inputs so that the output dimensions are the same as if 'SAME' padding
were used.
use_depthwise: Whether to use depthwise convolutions. Default is False.
num_layers: Number of SSD layers.
override_base_feature_extractor_hyperparams: Whether to override
hyperparameters of the base feature extractor with the one from
`conv_hyperparams`.
name: A string name scope to assign to the model. If 'None', Keras
will auto-generate one from the class name.
"""
super(SSDMobileNetV1KerasFeatureExtractor, self).__init__(
is_training=is_training,
depth_multiplier=depth_multiplier,
min_depth=min_depth,
pad_to_multiple=pad_to_multiple,
conv_hyperparams=conv_hyperparams,
freeze_batchnorm=freeze_batchnorm,
inplace_batchnorm_update=inplace_batchnorm_update,
use_explicit_padding=use_explicit_padding,
use_depthwise=use_depthwise,
num_layers=num_layers,
override_base_feature_extractor_hyperparams=
override_base_feature_extractor_hyperparams,
name=name)
self._feature_map_layout = {
'from_layer': ['Conv2d_11_pointwise', 'Conv2d_13_pointwise', '', '',
'', ''][:self._num_layers],
'layer_depth': [-1, -1, 512, 256, 256, 128][:self._num_layers],
'use_explicit_padding': self._use_explicit_padding,
'use_depthwise': self._use_depthwise,
}
self.classification_backbone = None
self._feature_map_generator = None
def build(self, input_shape):
full_mobilenet_v1 = mobilenet_v1.mobilenet_v1(
batchnorm_training=(self._is_training and not self._freeze_batchnorm),
conv_hyperparams=(self._conv_hyperparams
if self._override_base_feature_extractor_hyperparams
else None),
weights=None,
use_explicit_padding=self._use_explicit_padding,
alpha=self._depth_multiplier,
min_depth=self._min_depth,
include_top=False)
conv2d_11_pointwise = full_mobilenet_v1.get_layer(
name='conv_pw_11_relu').output
conv2d_13_pointwise = full_mobilenet_v1.get_layer(
name='conv_pw_13_relu').output
self.classification_backbone = tf.keras.Model(
inputs=full_mobilenet_v1.inputs,
outputs=[conv2d_11_pointwise, conv2d_13_pointwise])
self._feature_map_generator = (
feature_map_generators.KerasMultiResolutionFeatureMaps(
feature_map_layout=self._feature_map_layout,
depth_multiplier=self._depth_multiplier,
min_depth=self._min_depth,
insert_1x1_conv=True,
is_training=self._is_training,
conv_hyperparams=self._conv_hyperparams,
freeze_batchnorm=self._freeze_batchnorm,
name='FeatureMaps'))
self.built = True
def preprocess(self, resized_inputs):
"""SSD preprocessing.
Maps pixel values to the range [-1, 1].
Args:
resized_inputs: a [batch, height, width, channels] float tensor
representing a batch of images.
Returns:
preprocessed_inputs: a [batch, height, width, channels] float tensor
representing a batch of images.
"""
return (2.0 / 255.0) * resized_inputs - 1.0
def _extract_features(self, preprocessed_inputs):
"""Extract features from preprocessed inputs.
Args:
preprocessed_inputs: a [batch, height, width, channels] float tensor
representing a batch of images.
Returns:
feature_maps: a list of tensors where the ith tensor has shape
[batch, height_i, width_i, depth_i]
"""
preprocessed_inputs = shape_utils.check_min_image_dim(
33, preprocessed_inputs)
image_features = self.classification_backbone(
ops.pad_to_multiple(preprocessed_inputs, self._pad_to_multiple))
feature_maps = self._feature_map_generator({
'Conv2d_11_pointwise': image_features[0],
'Conv2d_13_pointwise': image_features[1]})
return list(feature_maps.values())
``` |
Abraham Mapu (1808 in Vilijampolė, Kaunas1867 in Königsberg, Prussia) was a Lithuanian novelist. He wrote in Hebrew as part of the Haskalah (enlightenment) movement. His novels, with their lively plots encompassing heroism, adventure and romantic love in Biblical settings, contributed to the rise of the Zionist movement.
Biography
Born into a Jewish family, as a child Mapu studied in a cheder where his father served as a teacher. He married in 1825.
For many years he was an impoverished, itinerant schoolmaster. Mapu gained financial security when he was appointed teacher in a government school for Jewish children. He worked as a teacher in various towns and cities, joined the Haskalah movement, and studied German, French and Russian. He also studied Latin from a translation of the Bible to that language, given to him by his local rabbi.
He returned in 1848 to Kaunas and self-published his first historical novel, Ahavat Zion. This is considered one of the first Hebrew novels. He began work on it in 1830 but completed it only in 1853. Unable to fully subsist on his book sales, he relied on the support of his brother, Matisyahu. In 1867 he moved to Königsberg due to illness, published his last book, Amon Pedagogue (Amon means something like Mentor), and died there.
Evaluation
Mapu is considered to be the first Hebrew novelist. Influenced by French Romanticism, he wrote intricately plotted stories about life in ancient Israel, which he contrasted favourably with 19th-century Jewish life. His style is fresh and poetic, almost Biblical in its simple grandeur.
Legacy
The romantic-nationalistic ideas in his novels later inspired David Ben-Gurion and others active in the leadership of the modern Zionist movement that led to the establishment of the state of Israel. The American Hebrew poet, Gabriel Preil, references Mapu in one of his works and focuses on the two writers' native Lithuania.
Novels
Ahavat Zion (1853) (Amnon, Prince and Peasant as translated by F. Jaffe in 1887)
Ayit Tzavua (1858) (Hypocrite Eagle)
Ashmat Shomron (1865) (Guilt of Samaria)
Commemorations
Streets bearing his name are found in the Kaunas Old Town and in the Israeli cities of Jerusalem, Tel Aviv, and Kiriat Ata. A well-known Israeli novel called "The Children from Mapu Street" ("הילדים מרחוב מאפו") also celebrates his name. In Kaunas A. Mapu Street a joyful statue of A. Mapu with a book in his hand was established by the sculptor Martynas Gaubas in 2019.
References
External links
Mapu's works (Hebrew) at Project Ben-Yehuda
Abraham Mapu (English) at the Institute for the Translation of Hebrew Literature
1808 births
1867 deaths
Jewish novelists
Lithuanian male writers
Lithuanian Jews
Modern Hebrew writers
19th-century novelists
Lithuanian novelists
Male novelists
19th-century Lithuanian writers
19th-century male writers
Writers of historical fiction set in antiquity
Writers of historical romances
Historical novelists
Writers from Kaunas
People of the Haskalah |
The enzyme (+)-δ-cadinene synthase (EC 4.2.3.13) catalyzes the chemical reaction
(2E,6E)-farnesyl diphosphate (+)-δ-cadinene + diphosphate
This enzyme belongs to the family of lyases, specifically those carbon-oxygen lyases acting on phosphates. The systematic name of this enzyme class is (2E,6E)-farnesyl-diphosphate diphosphate-lyase (cyclizing, (+)-δ-cadinene-forming). This enzyme participates in terpenoid biosynthesis. It employs one cofactor, magnesium.
δ-Cadinene synthase, a sesquiterpene cyclase, is an enzyme expressed in plants that catalyzes a cyclization reaction in terpenoid biosynthesis. The enzyme cyclizes farnesyl diphosphate to δ-cadinene and releases pyrophosphate.
δ-Cadinene synthase is one of the key steps in the synthesis of gossypol, a toxic terpenoid produced in cotton seeds. Recently, cotton plants that stably underexpress the enzyme in seeds have been developed using RNA interference techniques, producing a plant that had been proposed as a rich source of dietary protein for developing countries.
External links
BRENDA entry
SwissProt entry
References
EC 4.2.3
Magnesium enzymes
Enzymes of unknown structure |
Rymań () is a village in Kołobrzeg County, West Pomeranian Voivodeship, in north-western Poland. It is the seat of the gmina (administrative district) called Gmina Rymań. It lies approximately south of Kołobrzeg and north-east of the regional capital Szczecin.
For the history of the region, see History of Pomerania.
The village has a population of 1,214.
References
Villages in Kołobrzeg County |
Peter Lee (born 14 October 1955) is an Irish retired Gaelic footballer who played as a centre-back with the Galway senior team.
Honours
Galway
Connacht Senior Football Championship (2): 1983, 1984
National Football League (1): 1980-81
References
1955 births
Living people
Caherlistrane Gaelic footballers
Galway inter-county Gaelic footballers |
Gilmer Neely Capps (January 18, 1932 – August 27, 2019) was an American politician in the state of Oklahoma. His parents were J. Gilmer and Mary Neely Capps of Tipton, Oklahoma. He was raised in Snyder, Oklahoma, where he graduated from high school.
Capps was a farmer/rancher and alumnus of Oklahoma State University. He was elected to the Oklahoma State Senate in 1969 for the 26th district and served until he retired in 2006. While serving in the Senate, he had also served as Chair of the Southern Legislative Conference. He had been named as Dean of the Oklahoma Senate prior to his retirement.
Capps was married to Wanda Lou Miller from January 27, 1951, until her death in December 2007. Gilmer and Wanda had two children who survived their parents, Cynda C. Ottoway (Larry D.) and Gilmer John Capps (Darcy).
In 2008, Capps married Shirley Griffin, who survived him, and the couple moved from Snyder to Frederick, Oklahoma. Besides Shirley, other family survivors included his daughter and son, one granddaughter, and one great granddaughter.
He died on August 27, 2019. After a funeral at the First Baptist Church of Snyder, he was buried in Fairlawn Cemetery at Snyder.
Notes
References
1932 births
2019 deaths
Democratic Party Oklahoma state senators
People from Tillman County, Oklahoma
People from Kiowa County, Oklahoma |
Hogg may refer to:
Persons with the surname Hogg:
Hogg (surname)
In fiction:
Boss Hogg from the television show Dukes of Hazzard, with many fictional Hogg relatives
Wernham Hogg, the fictional paper company from the British TV series The Office
Hogg (novel), a novel by Samuel R. Delany
Other:
Head on, gilled and gutted, a term used in the fishing industry.
Hogg Robinson Group (HRG), an international company specializing in corporate services
Hogg (crater), on the Moon
Hogg, a young sheep of either sex from about 9 to 18 months of age (until it cuts two teeth).
Jim Hogg County, Texas |
Mian Channu () is an administrative subdivision (tehsil) of Khanewal District in the Punjab province of Pakistan. Its capital is Mian Channu city.
Administration
The tehsil of Mian Channu is administratively subdivided into 29 union councils:
Large rural populations include 102/15.L (most populated village in Mian Channu tehsil), 96/15.L and 105/15.L (Vanjari).
References
Khanewal District
Tehsils of Punjab, Pakistan |
```php
<?php
/*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
*/
namespace Google\Service\Apigee\Resource;
use Google\Service\Apigee\GoogleCloudApigeeV1DeveloperSubscription;
use Google\Service\Apigee\GoogleCloudApigeeV1ExpireDeveloperSubscriptionRequest;
use Google\Service\Apigee\GoogleCloudApigeeV1ListDeveloperSubscriptionsResponse;
/**
* The "subscriptions" collection of methods.
* Typical usage is:
* <code>
* $apigeeService = new Google\Service\Apigee(...);
* $subscriptions = $apigeeService->organizations_developers_subscriptions;
* </code>
*/
class OrganizationsDevelopersSubscriptions extends \Google\Service\Resource
{
/**
* Creates a subscription to an API product. (subscriptions.create)
*
* @param string $parent Required. Email address of the developer that is
* purchasing a subscription to the API product. Use the following structure in
* your request: `organizations/{org}/developers/{developer_email}`
* @param GoogleCloudApigeeV1DeveloperSubscription $postBody
* @param array $optParams Optional parameters.
* @return GoogleCloudApigeeV1DeveloperSubscription
* @throws \Google\Service\Exception
*/
public function create($parent, GoogleCloudApigeeV1DeveloperSubscription $postBody, $optParams = [])
{
$params = ['parent' => $parent, 'postBody' => $postBody];
$params = array_merge($params, $optParams);
return $this->call('create', [$params], GoogleCloudApigeeV1DeveloperSubscription::class);
}
/**
* Expires an API product subscription immediately. (subscriptions.expire)
*
* @param string $name Required. Name of the API product subscription. Use the
* following structure in your request: `organizations/{org}/developers/{develop
* er_email}/subscriptions/{subscription}`
* @param GoogleCloudApigeeV1ExpireDeveloperSubscriptionRequest $postBody
* @param array $optParams Optional parameters.
* @return GoogleCloudApigeeV1DeveloperSubscription
* @throws \Google\Service\Exception
*/
public function expire($name, GoogleCloudApigeeV1ExpireDeveloperSubscriptionRequest $postBody, $optParams = [])
{
$params = ['name' => $name, 'postBody' => $postBody];
$params = array_merge($params, $optParams);
return $this->call('expire', [$params], GoogleCloudApigeeV1DeveloperSubscription::class);
}
/**
* Gets details for an API product subscription. (subscriptions.get)
*
* @param string $name Required. Name of the API product subscription. Use the
* following structure in your request: `organizations/{org}/developers/{develop
* er_email}/subscriptions/{subscription}`
* @param array $optParams Optional parameters.
* @return GoogleCloudApigeeV1DeveloperSubscription
* @throws \Google\Service\Exception
*/
public function get($name, $optParams = [])
{
$params = ['name' => $name];
$params = array_merge($params, $optParams);
return $this->call('get', [$params], GoogleCloudApigeeV1DeveloperSubscription::class);
}
/**
* Lists all API product subscriptions for a developer.
* (subscriptions.listOrganizationsDevelopersSubscriptions)
*
* @param string $parent Required. Email address of the developer. Use the
* following structure in your request:
* `organizations/{org}/developers/{developer_email}`
* @param array $optParams Optional parameters.
*
* @opt_param int count Number of API product subscriptions to return in the API
* call. Use with `startKey` to provide more targeted filtering. Defaults to
* 100. The maximum limit is 1000.
* @opt_param string startKey Name of the API product subscription from which to
* start displaying the list of subscriptions. If omitted, the list starts from
* the first item. For example, to view the API product subscriptions from
* 51-150, set the value of `startKey` to the name of the 51st subscription and
* set the value of `count` to 100.
* @return GoogleCloudApigeeV1ListDeveloperSubscriptionsResponse
* @throws \Google\Service\Exception
*/
public function listOrganizationsDevelopersSubscriptions($parent, $optParams = [])
{
$params = ['parent' => $parent];
$params = array_merge($params, $optParams);
return $this->call('list', [$params], GoogleCloudApigeeV1ListDeveloperSubscriptionsResponse::class);
}
}
// Adding a class alias for backwards compatibility with the previous class name.
class_alias(OrganizationsDevelopersSubscriptions::class, your_sha256_hashons');
``` |
David Melville may refer to:
David Melville (academic) (born 1944), British physicist and former vice-chancellor of the University of Kent
David Melville, 3rd Earl of Leven or David Leslie (1660–1728), Scottish aristocrat
David Melville, 6th Earl of Leven or David Leslie (1722–1802), Scottish aristocrat and Freemason
David Leslie-Melville, 8th Earl of Leven (1785–1860), Scottish peer and admiral
David Melville (inventor) (1773–1856), American inventor
David Melville, minister and candidate in the United States House of Representatives elections in Louisiana, 2010
David Melville (priest) (1813–1904), British priest and academic
David Melville (footballer), Scottish footballer |
There are also several persons called Opperman, listed at Opperman (disambiguation)
S E Opperman was a tractor manufacturer in England. After he saw the Bond Minicar he decided to build his own four-wheel microcar at a factory in Elstree, Hertfordshire.
Unicar T
The first model was the Unicar T, designed by Lawrie Bond, and built between 1956 and 1959. It looked like a miniature two door saloon with 2+2 seating and was the cheapest car at the 1956 London Motor Show, but it was even cheaper if built as a kit when it could be had without engine for £170. A complete car cost £400. The body was made in fibreglass mounted on a steel tube chassis and had neither separate bonnet nor boot lid. The engine was placed in the middle of the rear seating area giving two small seats on either side of the engine. Since it had no differential for the rear wheels they were placed close together. The front suspension was independent using coil springs and struts and at the rear trailing arms were used. The brakes were mechanically operated. It was powered by a 328 cc Excelsior twin-cylinder, air-cooled, two-stroke engine producing and a top speed of . Some early models had a 322 cc Anzani engine. About 200 were made.
Stirling
The only other Opperman was the Stirling, but only two were made, built between 1958 and 1959. Much more stylish than the Unicar, the first had a larger 424 cc Excelsior engine and the second had a Steyr 500 cc unit. The brakes were hydraulic and the rear wheels further apart. The launch of the Mini in 1959 wiped out the rationale for the Opperman and the Stirling never went into full production.
See also
Opperman Motocart
References
A–Z of Cars 1945–1970. Michael Sedwick and Mark Gillies. Bay View Books 1993.
Auto-Parade. Publisher – Arthur Logoz, Zurich. 1958
Motor Cycle Data Book, Newnes, 1960
External links
An Opperman in the Bruce Weiner Microcar Museum
Microcars
Mid-engined vehicles
Kit car manufacturers
Defunct motor vehicle manufacturers of England
Tractor manufacturers of the United Kingdom
Companies based in Hertsmere
Cars introduced in 1956 |
Anđela Tošković (born 19 August 2004) is a Montenegrin footballer who plays as a midfielder for 1. ŽFL club ŽFK Crvena Zvezda and the Montenegro women's national team.
International goals
References
2004 births
Living people
Women's association football midfielders
Montenegrin women's footballers
Montenegro women's international footballers
ŽFK Budućnost Podgorica players |
Caitlin Maxwell (born 2 May 1999) is an English sabre fencer.
She began fencing at the age of 8, at school and at her local club in Truro.
She has won the British sabre national title on six occasions at the British Fencing Championships from 2016 to 2022.
References
British female sabre fencers
Living people
1999 births
21st-century English women
European Games competitors for Great Britain
Fencers at the 2023 European Games |
```protocol buffer
// Protocol Buffers for Go with Gadgets
//
// path_to_url
//
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are
// met:
//
// * Redistributions of source code must retain the above copyright
// notice, this list of conditions and the following disclaimer.
// * Redistributions in binary form must reproduce the above
// copyright notice, this list of conditions and the following disclaimer
// in the documentation and/or other materials provided with the
// distribution.
//
// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
syntax = "proto2";
package unmarshalmerge;
import "github.com/gogo/protobuf/gogoproto/gogo.proto";
option (gogoproto.equal_all) = true;
option (gogoproto.verbose_equal_all) = true;
option (gogoproto.stringer_all) = true;
option (gogoproto.gostring_all) = true;
option (gogoproto.goproto_stringer_all) = false;
option (gogoproto.testgen_all) = true;
option (gogoproto.populate_all) = true;
option (gogoproto.benchgen_all) = true;
message Big {
option (gogoproto.unmarshaler) = true;
optional Sub Sub = 1;
optional int64 Number = 2;
}
message BigUnsafe {
option (gogoproto.unsafe_unmarshaler) = true;
optional Sub Sub = 1;
optional int64 Number = 2;
}
message Sub {
option (gogoproto.unmarshaler) = true;
optional int64 SubNumber = 1;
}
message IntMerge {
option (gogoproto.unmarshaler) = true;
required int64 Int64 = 1 [(gogoproto.nullable) = false];
optional int32 Int32 = 2 [(gogoproto.nullable) = false];
required sint32 Sint32 = 3 [(gogoproto.nullable) = false];
optional sint64 Sint64 = 4 [(gogoproto.nullable) = false];
optional uint64 Uint64 = 5 [(gogoproto.nullable) = false];
required uint32 Uint32 = 6 [(gogoproto.nullable) = false];
optional fixed64 Fixed64 = 7 [(gogoproto.nullable) = false];
optional fixed32 Fixed32 = 8 [(gogoproto.nullable) = false];
required sfixed32 Sfixed32 = 9 [(gogoproto.nullable) = false];
optional sfixed64 Sfixed64 = 10 [(gogoproto.nullable) = false];
optional bool Bool = 11 [(gogoproto.nullable) = false];
}
``` |
```scss
//
// !!! THIS FILE WAS AUTOMATICALLY GENERATED !!!
// !!! DO NOT MODIFY IT BY HAND !!!
// Design system display name: Google Material 3
// Design system version: v0.132
//
@use 'sass:map';
@use './md-sys-color';
@use './md-sys-elevation';
@use './md-sys-shape';
@use './md-sys-state';
$_default: (
'md-sys-color': md-sys-color.values-light(),
'md-sys-elevation': md-sys-elevation.values(),
'md-sys-shape': md-sys-shape.values(),
'md-sys-state': md-sys-state.values(),
);
@function values($deps: $_default, $exclude-hardcoded-values: false) {
@return (
'container-color': map.get($deps, 'md-sys-color', 'secondary-container'),
'container-elevation': map.get($deps, 'md-sys-elevation', 'level3'),
'container-height': if($exclude-hardcoded-values, null, 56px),
'container-shadow-color': map.get($deps, 'md-sys-color', 'shadow'),
'container-shape': map.get($deps, 'md-sys-shape', 'corner-large'),
'container-width': if($exclude-hardcoded-values, null, 56px),
'focus-container-elevation': map.get($deps, 'md-sys-elevation', 'level3'),
'focus-icon-color': map.get($deps, 'md-sys-color', 'on-secondary-container'),
'focus-state-layer-color':
map.get($deps, 'md-sys-color', 'on-secondary-container'),
'focus-state-layer-opacity':
map.get($deps, 'md-sys-state', 'focus-state-layer-opacity'),
'hover-container-elevation': map.get($deps, 'md-sys-elevation', 'level4'),
'hover-icon-color': map.get($deps, 'md-sys-color', 'on-secondary-container'),
'hover-state-layer-color':
map.get($deps, 'md-sys-color', 'on-secondary-container'),
'hover-state-layer-opacity':
map.get($deps, 'md-sys-state', 'hover-state-layer-opacity'),
'icon-color': map.get($deps, 'md-sys-color', 'on-secondary-container'),
'icon-size': if($exclude-hardcoded-values, null, 24px),
'lowered-container-elevation': map.get($deps, 'md-sys-elevation', 'level1'),
'lowered-focus-container-elevation':
map.get($deps, 'md-sys-elevation', 'level1'),
'lowered-hover-container-elevation':
map.get($deps, 'md-sys-elevation', 'level2'),
'lowered-pressed-container-elevation':
map.get($deps, 'md-sys-elevation', 'level1'),
'pressed-container-elevation': map.get($deps, 'md-sys-elevation', 'level3'),
'pressed-icon-color':
map.get($deps, 'md-sys-color', 'on-secondary-container'),
'pressed-state-layer-color':
map.get($deps, 'md-sys-color', 'on-secondary-container'),
'pressed-state-layer-opacity':
map.get($deps, 'md-sys-state', 'pressed-state-layer-opacity')
);
}
``` |
```objective-c
/*
==============================================================================
ActionUI.h
Created: 28 Oct 2016 8:05:24pm
Author: bkupe
==============================================================================
*/
#pragma once
class ActionUI :
public ProcessorUI,
public Action::AsyncListener,
public ConsequenceManager::AsyncListener,
public UITimerTarget
{
public:
ActionUI(Action*, bool showMiniModeBT = false);
virtual ~ActionUI();
Action* action;
std::unique_ptr<TriggerButtonUI> triggerUI;
std::unique_ptr<FloatSliderUI> progressionUI;
std::unique_ptr<FloatSliderUI> staggerUI;
virtual void paint(Graphics& g) override;
void controllableFeedbackUpdateInternal(Controllable* c) override;
void updateStaggerUI();
virtual void resizedInternalHeader(Rectangle<int>& r) override;
virtual void paintOverChildren(Graphics& g) override;
virtual void itemDropped(const SourceDetails& details) override;
void newMessage(const Action::ActionEvent& e) override;
void newMessage(const ConsequenceManager::ConsequenceManagerEvent& e) override;
void handlePaintTimerInternal();
virtual void addContextMenuItems(PopupMenu& p) override;
virtual void handleContextMenuResult(int result) override;
JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR(ActionUI)
};
``` |
Henry Armstrong (1912–1988) was an American boxer
Henry Armstrong may also refer to:
Henry W. Armstrong (1879–1951), American boxer and composer
Henry Edward Armstrong (1848–1937), English chemist
Henry Armstrong (umpire) (died 1945), Australian cricket Test match umpire
Henry Bruce Armstrong (1844–1943), Northern Irish politician
See also
Harry Armstrong (disambiguation) |
Andrew John Smith (born 11 September 2001) is an English professional footballer who plays as a defender for EFL Championship club Hull City.
Career
Smith was born in Banbury and grew up in the East Riding of Yorkshire. He began his career at Hull City in 2011, and made his first-team debut on 10 August 2021 in the EFL Cup. He moved on loan to Salford City later that month.
On 14 January 2022, Smith was recalled from his loan at Salford City by parent club Hull City and immediately loaned to Grimsby Town for the remainder of the season. Smith played the full 90 minutes of the 2022 National League play-off final as Grimsby beat Solihull Moors 2–1 at the London Stadium to return to the Football League.
On 28 July 2022, Smith signed a new two-year contract with Hull City, That same day Smith returned to Grimsby Town on a season-long loan deal.
Smith was part of the Grimsby team that reached the FA Cup quarter final for the first time since 1939, an unused substitute in the victory over Premier League side Southampton that secured that achievement, he did play the full 90 minutes of the quarter final defeat against Brighton & Hove Albion.
Career statistics
Honours
Grimsby Town
National League play-offs: 2022
References
2001 births
Living people
Footballers from the East Riding of Yorkshire
English men's footballers
Men's association football defenders
Hull City A.F.C. players
Salford City F.C. players
Grimsby Town F.C. players
National League (English football) players
English Football League players |
Eucamptognathus badeni is a species of ground beetle in the subfamily Pterostichinae. It was described by Jules Putzeys in 1877.
References
Eucamptognathus
Beetles described in 1877 |
```python
"""
If a user uses Trainer API directly with wandb integration, they expect to see
* train_loop_config to show up in wandb.config.
This test uses mocked call into wandb API.
"""
import pytest
import ray
from ray.air.integrations.wandb import WANDB_ENV_VAR
from ray.air.tests.mocked_wandb_integration import WandbTestExperimentLogger
from ray.train import RunConfig, ScalingConfig
from ray.train.examples.pytorch.torch_linear_example import (
train_func as linear_train_func,
)
from ray.train.torch import TorchTrainer
@pytest.fixture
def ray_start_4_cpus():
address_info = ray.init(num_cpus=4)
yield address_info
# The code after the yield will run as teardown code.
ray.shutdown()
CONFIG = {"lr": 1e-2, "hidden_size": 1, "batch_size": 4, "epochs": 3}
@pytest.mark.parametrize("with_train_loop_config", (True, False))
def test_trainer_wandb_integration(
ray_start_4_cpus, with_train_loop_config, monkeypatch
):
monkeypatch.setenv(WANDB_ENV_VAR, "9012")
def train_func(config=None):
config = config or CONFIG
result = linear_train_func(config)
assert len(result) == config["epochs"]
assert result[-1]["loss"] < result[0]["loss"]
scaling_config = ScalingConfig(num_workers=2)
logger = WandbTestExperimentLogger(project="test_project")
if with_train_loop_config:
trainer = TorchTrainer(
train_loop_per_worker=train_func,
train_loop_config=CONFIG,
scaling_config=scaling_config,
run_config=RunConfig(callbacks=[logger]),
)
else:
trainer = TorchTrainer(
train_loop_per_worker=train_func,
scaling_config=scaling_config,
run_config=RunConfig(callbacks=[logger]),
)
trainer.fit()
config = list(logger.trial_logging_actor_states.values())[0].config
if with_train_loop_config:
assert "train_loop_config" in config
else:
assert "train_loop_config" not in config
if __name__ == "__main__":
import sys
import pytest
sys.exit(pytest.main(["-v", "-x", __file__]))
``` |
"September 1, 1939" is a poem by W. H. Auden written shortly after the German invasion of Poland, which would mark the start of World War II. It was first published in The New Republic issue of 18 October 1939, and in book form in Auden's collection Another Time (1940).
Description
The poem deliberately echoes the stanza form of W. B. Yeats's "Easter, 1916", another poem about an important historical event; like Yeats's poem, Auden's moves from a description of historical failures and frustrations to a possible transformation in the present or future.
Until the two final stanzas, the poem briefly describes the social and personal pathology that has brought about the outbreak of war: first the historical development of Germany "from Luther until now," next the internal conflicts in every individual person that correspond to the external conflicts of the war. Much of the language and content of the poem echoes that of C.G. Jung's Psychology and Religion (1938).
The final two stanzas shift radically in tone and content, turning to the truth that the poet can tell, "We must love one another or die," and to the presence in the world of "the Just" who exchange messages of hope. The poem ends with the hope that the poet, like "the Just", can "show an affirming flame" in the midst of the disaster.
History of the text
Auden wrote the poem in the first days of World War II while visiting the father of his lover Chester Kallman in New Jersey (according to a communication of Kallman to friends, see Edward Mendelson, Later Auden, p. 531).
Even before printing the poem for the first time, Auden deleted two stanzas from the latter section, one of them proclaiming his faith in an inevitable "education of man" away from war and division. The two stanzas are printed in Edward Mendelson's Early Auden (1981).
Soon after writing the poem, Auden began to turn away from it, apparently because he found it flattering to himself and to his readers. When he reprinted the poem in The Collected Poetry of W. H. Auden (1945) he omitted the famous stanza that ends "We must love one another or die." In 1957, he wrote to the critic Laurence Lerner, "Between you and me, I loathe that poem" (quoted in Edward Mendelson, Later Auden, p. 478). He resolved to omit it from his further collections, and it did not appear in his 1966 Collected Shorter Poems 1927–1957.
In the mid-1950s Auden began to refuse permission to editors who asked to reprint the poem in anthologies. In 1955, he allowed Oscar Williams to include it complete in The New Pocket Anthology of American Verse, but altered the most famous line to read "We must love one another and die." Later he allowed the poem to be reprinted only once, in a Penguin Books anthology Poetry of the Thirties (1964), with a note saying about this and four other early poems, "Mr. W. H. Auden considers these five poems to be trash which he is ashamed to have written."
Reception
Despite Auden's disapproval, the poem became famous and widely popular. E. M. Forster wrote, "Because he once wrote 'We must love one another or die' he can command me to follow him" (Two Cheers for Democracy, 1951).
A close echo of the line "We must love one another or die," spoken by Lyndon Johnson in a recording of one of his speeches, was used in the famous Johnson campaign commercial "Daisy" during the 1964 campaign. In the ad, the image of a young girl picks petals from a daisy, then is replaced by the image of a nuclear explosion, which serves as an apocalyptic backdrop to the audio of Johnson's speech. Johnson's version of the line, inserted into a speech by an unidentified speechwriter, was "We must either love each other, or we must die."
A reference to the poem titles Larry Kramer's 1985 play The Normal Heart.
In 2001, immediately after the 11 September 2001 attacks, the poem was read (with many lines omitted) on National Public Radio and was widely circulated and discussed for its relevance to recent events. Charles T. Matthews from the University of Virginia commented on the prescience of the 1939 poem reflecting the cultural sorrow experienced in response to 11 September by quoting the last two couplets of Auden's third stanza of the poem:
The American historian Paul N. Hehn used the phrase "A Low, Dishonest Decade" for the title of his book A Low, Dishonest Decade: The Great Powers, Eastern Europe, and the Economic Origins of World War II, 1930-1941 (2002) in which he argues that "economic rivalries … formed the essential and primary cause of World War II."
References
External links
Original text of the poem
Auden on Bin Laden, by Eric McHenry (Slate.com)
New York Times "Beliefs" column about the poem
Sleepwalking toward Baghdad, by Gary Kimaya (Salon.com)
The right poem for the wrong time, by Ian Sansom (The Guardian)
Poetry by W. H. Auden
1939 poems
Articles containing video clips
World War II and the media |
The Kiskatinaw Formation is a stratigraphical unit of Mississippian age in the Western Canadian Sedimentary Basin.
It takes the name from the Kiskatinaw River, and was first described in the Pacific Fort St. John No. 23 well (from 2302 to 2598 m) by H.L. Halbertsma in 1959. Kiskatinaw means "cutbank" in Cree.
Lithology
The Kiskatinaw Formation is composed mostly of quartz sandstone at the base, and shale with thin tight sandstone toward the top. In western Alberta it was deposited as a deltaic channel fill. Westwards it was deposited in a marine environment. Beach and near shore sediments can be found in north-eastern British Columbia, and the formation becomes transgressive at the top.
Distribution
The Kiskatinaw Formation occurs in north-eastern British Columbia and in the west of northern Alberta. It has a thickness of in the Peace River region and reaches more than in the Fort St. John area.
Relationship to other units
The Kiskatinaw Formation is generally conformably overlain by the Taylor Flat Formation (with some exceptions in the Peace River and Fort St. John areas) and unconformably underlain by Golata Formation due to pre-Kiskatinaw erosion. Some Kiskatinaw channels cut down into the Debolt Formation in the eastern parts of its extents. The Kiskatinaw Formation is correlated with the upper Mattson Formation in the Liard area, with the upper Etherington Formation in southern Alberta and with the Otter Formation in Montana.
References
Geologic formations of Alberta
Geologic formations of British Columbia
Carboniferous Alberta
Carboniferous British Columbia
Sandstone formations of Canada
Shale formations
Western Canadian Sedimentary Basin |
```go
package query
import (
"context"
"strings"
"sync"
"time"
"github.com/go-kit/log"
"github.com/opentracing/opentracing-go"
"github.com/pkg/errors"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/prometheus/model/labels"
"github.com/prometheus/prometheus/storage"
"github.com/prometheus/prometheus/util/annotations"
"github.com/thanos-io/thanos/pkg/dedup"
"github.com/thanos-io/thanos/pkg/extprom"
"github.com/thanos-io/thanos/pkg/gate"
"github.com/thanos-io/thanos/pkg/store"
"github.com/thanos-io/thanos/pkg/store/storepb"
"github.com/thanos-io/thanos/pkg/tenancy"
"github.com/thanos-io/thanos/pkg/tracing"
)
type seriesStatsReporter func(seriesStats storepb.SeriesStatsCounter)
var NoopSeriesStatsReporter seriesStatsReporter = func(_ storepb.SeriesStatsCounter) {}
func NewAggregateStatsReporter(stats *[]storepb.SeriesStatsCounter) seriesStatsReporter {
var mutex sync.Mutex
return func(s storepb.SeriesStatsCounter) {
mutex.Lock()
defer mutex.Unlock()
*stats = append(*stats, s)
}
}
// QueryableCreator returns implementation of promql.Queryable that fetches data from the proxy store API endpoints.
// If deduplication is enabled, all data retrieved from it will be deduplicated along all replicaLabels by default.
// When the replicaLabels argument is not empty it overwrites the global replicaLabels flag. This allows specifying
// replicaLabels at query time.
// maxResolutionMillis controls downsampling resolution that is allowed (specified in milliseconds).
// partialResponse controls `partialResponseDisabled` option of StoreAPI and partial response behavior of proxy.
type QueryableCreator func(
deduplicate bool,
replicaLabels []string,
storeDebugMatchers [][]*labels.Matcher,
maxResolutionMillis int64,
partialResponse,
skipChunks bool,
shardInfo *storepb.ShardInfo,
seriesStatsReporter seriesStatsReporter,
) storage.Queryable
// NewQueryableCreator creates QueryableCreator.
// NOTE(bwplotka): Proxy assumes to be replica_aware, see thanos.store.info.StoreInfo.replica_aware field.
func NewQueryableCreator(
logger log.Logger,
reg prometheus.Registerer,
proxy storepb.StoreServer,
maxConcurrentSelects int,
selectTimeout time.Duration,
) QueryableCreator {
gf := gate.NewGateFactory(extprom.WrapRegistererWithPrefix("concurrent_selects_", reg), maxConcurrentSelects, gate.Selects)
return func(
deduplicate bool,
replicaLabels []string,
storeDebugMatchers [][]*labels.Matcher,
maxResolutionMillis int64,
partialResponse,
skipChunks bool,
shardInfo *storepb.ShardInfo,
seriesStatsReporter seriesStatsReporter,
) storage.Queryable {
return &queryable{
logger: logger,
replicaLabels: replicaLabels,
storeDebugMatchers: storeDebugMatchers,
proxy: proxy,
deduplicate: deduplicate,
maxResolutionMillis: maxResolutionMillis,
partialResponse: partialResponse,
skipChunks: skipChunks,
gateProviderFn: func() gate.Gate {
return gf.New()
},
maxConcurrentSelects: maxConcurrentSelects,
selectTimeout: selectTimeout,
shardInfo: shardInfo,
seriesStatsReporter: seriesStatsReporter,
}
}
}
type queryable struct {
logger log.Logger
replicaLabels []string
storeDebugMatchers [][]*labels.Matcher
proxy storepb.StoreServer
deduplicate bool
maxResolutionMillis int64
partialResponse bool
skipChunks bool
gateProviderFn func() gate.Gate
maxConcurrentSelects int
selectTimeout time.Duration
shardInfo *storepb.ShardInfo
seriesStatsReporter seriesStatsReporter
}
// Querier returns a new storage querier against the underlying proxy store API.
func (q *queryable) Querier(mint, maxt int64) (storage.Querier, error) {
return newQuerier(q.logger, mint, maxt, q.replicaLabels, q.storeDebugMatchers, q.proxy, q.deduplicate, q.maxResolutionMillis, q.partialResponse, q.skipChunks, q.gateProviderFn(), q.selectTimeout, q.shardInfo, q.seriesStatsReporter), nil
}
type querier struct {
logger log.Logger
mint, maxt int64
replicaLabels []string
storeDebugMatchers [][]*labels.Matcher
proxy storepb.StoreServer
deduplicate bool
maxResolutionMillis int64
partialResponseStrategy storepb.PartialResponseStrategy
skipChunks bool
selectGate gate.Gate
selectTimeout time.Duration
shardInfo *storepb.ShardInfo
seriesStatsReporter seriesStatsReporter
}
// newQuerier creates implementation of storage.Querier that fetches data from the proxy
// store API endpoints.
func newQuerier(
logger log.Logger,
mint,
maxt int64,
replicaLabels []string,
storeDebugMatchers [][]*labels.Matcher,
proxy storepb.StoreServer,
deduplicate bool,
maxResolutionMillis int64,
partialResponse,
skipChunks bool,
selectGate gate.Gate,
selectTimeout time.Duration,
shardInfo *storepb.ShardInfo,
seriesStatsReporter seriesStatsReporter,
) *querier {
if logger == nil {
logger = log.NewNopLogger()
}
rl := make(map[string]struct{})
for _, replicaLabel := range replicaLabels {
rl[replicaLabel] = struct{}{}
}
partialResponseStrategy := storepb.PartialResponseStrategy_ABORT
if partialResponse {
partialResponseStrategy = storepb.PartialResponseStrategy_WARN
}
return &querier{
logger: logger,
selectGate: selectGate,
selectTimeout: selectTimeout,
mint: mint,
maxt: maxt,
replicaLabels: replicaLabels,
storeDebugMatchers: storeDebugMatchers,
proxy: proxy,
deduplicate: deduplicate,
maxResolutionMillis: maxResolutionMillis,
partialResponseStrategy: partialResponseStrategy,
skipChunks: skipChunks,
shardInfo: shardInfo,
seriesStatsReporter: seriesStatsReporter,
}
}
func (q *querier) isDedupEnabled() bool {
return q.deduplicate && len(q.replicaLabels) > 0
}
type seriesServer struct {
// This field just exist to pseudo-implement the unused methods of the interface.
storepb.Store_SeriesServer
ctx context.Context
seriesSet []storepb.Series
seriesSetStats storepb.SeriesStatsCounter
warnings annotations.Annotations
}
func (s *seriesServer) Send(r *storepb.SeriesResponse) error {
if r.GetWarning() != "" {
s.warnings.Add(errors.New(r.GetWarning()))
return nil
}
if r.GetSeries() != nil {
s.seriesSet = append(s.seriesSet, *r.GetSeries())
s.seriesSetStats.Count(r.GetSeries())
return nil
}
// Unsupported field, skip.
return nil
}
func (s *seriesServer) Context() context.Context {
return s.ctx
}
// aggrsFromFunc infers aggregates of the underlying data based on the wrapping
// function of a series selection.
func aggrsFromFunc(f string) []storepb.Aggr {
if f == "min" || strings.HasPrefix(f, "min_") {
return []storepb.Aggr{storepb.Aggr_MIN}
}
if f == "max" || strings.HasPrefix(f, "max_") {
return []storepb.Aggr{storepb.Aggr_MAX}
}
if f == "count" || strings.HasPrefix(f, "count_") {
return []storepb.Aggr{storepb.Aggr_COUNT}
}
// f == "sum" falls through here since we want the actual samples.
if strings.HasPrefix(f, "sum_") {
return []storepb.Aggr{storepb.Aggr_SUM}
}
if f == "increase" || f == "rate" || f == "irate" || f == "resets" {
return []storepb.Aggr{storepb.Aggr_COUNTER}
}
// In the default case, we retrieve count and sum to compute an average.
return []storepb.Aggr{storepb.Aggr_COUNT, storepb.Aggr_SUM}
}
func (q *querier) Select(ctx context.Context, _ bool, hints *storage.SelectHints, ms ...*labels.Matcher) storage.SeriesSet {
if hints == nil {
hints = &storage.SelectHints{
Start: q.mint,
End: q.maxt,
}
} else {
// NOTE(GiedriusS): need to make a copy here
// because the PromQL engine sorts these and
// we later on call String() the whole request (including this slice).
grouping := make([]string, 0, len(hints.Grouping))
grouping = append(grouping, hints.Grouping...)
hints.Grouping = grouping
}
matchers := make([]string, len(ms))
for i, m := range ms {
matchers[i] = m.String()
}
tenant := ctx.Value(tenancy.TenantKey)
// The context gets canceled as soon as query evaluation is completed by the engine.
// We want to prevent this from happening for the async store API calls we make while preserving tracing context.
// TODO(bwplotka): Does the above still is true? It feels weird to leave unfinished calls behind query API.
ctx = tracing.CopyTraceContext(context.Background(), ctx)
ctx = context.WithValue(ctx, tenancy.TenantKey, tenant)
ctx, cancel := context.WithTimeout(ctx, q.selectTimeout)
span, ctx := tracing.StartSpan(ctx, "querier_select", opentracing.Tags{
"minTime": hints.Start,
"maxTime": hints.End,
"matchers": "{" + strings.Join(matchers, ",") + "}",
})
promise := make(chan storage.SeriesSet, 1)
go func() {
defer close(promise)
var err error
tracing.DoInSpan(ctx, "querier_select_gate_ismyturn", func(ctx context.Context) {
err = q.selectGate.Start(ctx)
})
if err != nil {
promise <- storage.ErrSeriesSet(errors.Wrap(err, "failed to wait for turn"))
return
}
defer q.selectGate.Done()
span, ctx := tracing.StartSpan(ctx, "querier_select_select_fn")
defer span.Finish()
set, stats, err := q.selectFn(ctx, hints, ms...)
if err != nil {
promise <- storage.ErrSeriesSet(err)
return
}
q.seriesStatsReporter(stats)
promise <- set
}()
return &lazySeriesSet{create: func() (storage.SeriesSet, bool) {
defer cancel()
defer span.Finish()
// Only gets called once, for the first Next() call of the series set.
set, ok := <-promise
if !ok {
return storage.ErrSeriesSet(errors.New("channel closed before a value received")), false
}
return set, set.Next()
}}
}
func (q *querier) selectFn(ctx context.Context, hints *storage.SelectHints, ms ...*labels.Matcher) (storage.SeriesSet, storepb.SeriesStatsCounter, error) {
sms, err := storepb.PromMatchersToMatchers(ms...)
if err != nil {
return nil, storepb.SeriesStatsCounter{}, errors.Wrap(err, "convert matchers")
}
aggrs := aggrsFromFunc(hints.Func)
// TODO(bwplotka): Pass it using the SeriesRequest instead of relying on context.
ctx = context.WithValue(ctx, store.StoreMatcherKey, q.storeDebugMatchers)
// TODO(bwplotka): Use inprocess gRPC when we want to stream responses.
// Currently streaming won't help due to nature of the both PromQL engine which
// pulls all series before computations anyway.
resp := &seriesServer{ctx: ctx}
req := storepb.SeriesRequest{
MinTime: hints.Start,
MaxTime: hints.End,
Matchers: sms,
MaxResolutionWindow: q.maxResolutionMillis,
Aggregates: aggrs,
ShardInfo: q.shardInfo,
PartialResponseStrategy: q.partialResponseStrategy,
SkipChunks: q.skipChunks,
}
if q.isDedupEnabled() {
// Soft ask to sort without replica labels and push them at the end of labelset.
req.WithoutReplicaLabels = q.replicaLabels
}
if err := q.proxy.Series(&req, resp); err != nil {
return nil, storepb.SeriesStatsCounter{}, errors.Wrap(err, "proxy Series()")
}
warns := annotations.New().Merge(resp.warnings)
if !q.isDedupEnabled() {
return NewPromSeriesSet(
newStoreSeriesSet(resp.seriesSet),
q.mint,
q.maxt,
aggrs,
warns,
), resp.seriesSetStats, nil
}
// TODO(bwplotka): Move to deduplication on chunk level inside promSeriesSet, similar to what we have in dedup.NewDedupChunkMerger().
// This however require big refactor, caring about correct AggrChunk to iterator conversion and counter reset apply.
// For now we apply simple logic that splits potential overlapping chunks into separate replica series, so we can split the work.
set := NewPromSeriesSet(
dedup.NewOverlapSplit(newStoreSeriesSet(resp.seriesSet)),
q.mint,
q.maxt,
aggrs,
warns,
)
return dedup.NewSeriesSet(set, hints.Func), resp.seriesSetStats, nil
}
// LabelValues returns all potential values for a label name.
func (q *querier) LabelValues(ctx context.Context, name string, _ *storage.LabelHints, matchers ...*labels.Matcher) ([]string, annotations.Annotations, error) {
span, ctx := tracing.StartSpan(ctx, "querier_label_values")
defer span.Finish()
// TODO(bwplotka): Pass it using the SeriesRequest instead of relying on context.
ctx = context.WithValue(ctx, store.StoreMatcherKey, q.storeDebugMatchers)
pbMatchers, err := storepb.PromMatchersToMatchers(matchers...)
if err != nil {
return nil, nil, errors.Wrap(err, "converting prom matchers to storepb matchers")
}
req := &storepb.LabelValuesRequest{
Label: name,
PartialResponseStrategy: q.partialResponseStrategy,
Start: q.mint,
End: q.maxt,
Matchers: pbMatchers,
}
if q.isDedupEnabled() {
req.WithoutReplicaLabels = q.replicaLabels
}
resp, err := q.proxy.LabelValues(ctx, req)
if err != nil {
return nil, nil, errors.Wrap(err, "proxy LabelValues()")
}
var warns annotations.Annotations
for _, w := range resp.Warnings {
warns.Add(errors.New(w))
}
return resp.Values, warns, nil
}
// LabelNames returns all the unique label names present in the block in sorted order constrained
// by the given matchers.
func (q *querier) LabelNames(ctx context.Context, _ *storage.LabelHints, matchers ...*labels.Matcher) ([]string, annotations.Annotations, error) {
span, ctx := tracing.StartSpan(ctx, "querier_label_names")
defer span.Finish()
// TODO(bwplotka): Pass it using the SeriesRequest instead of relying on context.
ctx = context.WithValue(ctx, store.StoreMatcherKey, q.storeDebugMatchers)
pbMatchers, err := storepb.PromMatchersToMatchers(matchers...)
if err != nil {
return nil, nil, errors.Wrap(err, "converting prom matchers to storepb matchers")
}
req := &storepb.LabelNamesRequest{
PartialResponseStrategy: q.partialResponseStrategy,
Start: q.mint,
End: q.maxt,
Matchers: pbMatchers,
}
if q.isDedupEnabled() {
req.WithoutReplicaLabels = q.replicaLabels
}
resp, err := q.proxy.LabelNames(ctx, req)
if err != nil {
return nil, nil, errors.Wrap(err, "proxy LabelNames()")
}
var warns annotations.Annotations
for _, w := range resp.Warnings {
warns.Add(errors.New(w))
}
return resp.Names, warns, nil
}
func (q *querier) Close() error { return nil }
``` |
```go
//
//
// path_to_url
//
// Unless required by applicable law or agreed to in writing, software
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// Package credentials implements gRPC credential interface with etcd specific logic.
// e.g., client handshake with custom authority parameter
package credentials
import (
"context"
"crypto/tls"
"net"
"sync"
"go.etcd.io/etcd/clientv3/balancer/resolver/endpoint"
"go.etcd.io/etcd/etcdserver/api/v3rpc/rpctypes"
grpccredentials "google.golang.org/grpc/credentials"
)
// Config defines gRPC credential configuration.
type Config struct {
TLSConfig *tls.Config
}
// Bundle defines gRPC credential interface.
type Bundle interface {
grpccredentials.Bundle
UpdateAuthToken(token string)
}
// NewBundle constructs a new gRPC credential bundle.
func NewBundle(cfg Config) Bundle {
return &bundle{
tc: newTransportCredential(cfg.TLSConfig),
rc: newPerRPCCredential(),
}
}
// bundle implements "grpccredentials.Bundle" interface.
type bundle struct {
tc *transportCredential
rc *perRPCCredential
}
func (b *bundle) TransportCredentials() grpccredentials.TransportCredentials {
return b.tc
}
func (b *bundle) PerRPCCredentials() grpccredentials.PerRPCCredentials {
return b.rc
}
func (b *bundle) NewWithMode(mode string) (grpccredentials.Bundle, error) {
// no-op
return nil, nil
}
// transportCredential implements "grpccredentials.TransportCredentials" interface.
// transportCredential wraps TransportCredentials to track which
// addresses are dialed for which endpoints, and then sets the authority when checking the endpoint's cert to the
// hostname or IP of the dialed endpoint.
// This is a workaround of a gRPC load balancer issue. gRPC uses the dialed target's service name as the authority when
// checking all endpoint certs, which does not work for etcd servers using their hostname or IP as the Subject Alternative Name
// in their TLS certs.
// To enable, include both WithTransportCredentials(creds) and WithContextDialer(creds.Dialer)
// when dialing.
type transportCredential struct {
gtc grpccredentials.TransportCredentials
mu sync.Mutex
// addrToEndpoint maps from the connection addresses that are dialed to the hostname or IP of the
// endpoint provided to the dialer when dialing
addrToEndpoint map[string]string
}
func newTransportCredential(cfg *tls.Config) *transportCredential {
return &transportCredential{
gtc: grpccredentials.NewTLS(cfg),
addrToEndpoint: map[string]string{},
}
}
func (tc *transportCredential) ClientHandshake(ctx context.Context, authority string, rawConn net.Conn) (net.Conn, grpccredentials.AuthInfo, error) {
// Set the authority when checking the endpoint's cert to the hostname or IP of the dialed endpoint
tc.mu.Lock()
dialEp, ok := tc.addrToEndpoint[rawConn.RemoteAddr().String()]
tc.mu.Unlock()
if ok {
_, host, _ := endpoint.ParseEndpoint(dialEp)
authority = host
}
return tc.gtc.ClientHandshake(ctx, authority, rawConn)
}
// return true if given string is an IP.
func isIP(ep string) bool {
return net.ParseIP(ep) != nil
}
func (tc *transportCredential) ServerHandshake(rawConn net.Conn) (net.Conn, grpccredentials.AuthInfo, error) {
return tc.gtc.ServerHandshake(rawConn)
}
func (tc *transportCredential) Info() grpccredentials.ProtocolInfo {
return tc.gtc.Info()
}
func (tc *transportCredential) Clone() grpccredentials.TransportCredentials {
copy := map[string]string{}
tc.mu.Lock()
for k, v := range tc.addrToEndpoint {
copy[k] = v
}
tc.mu.Unlock()
return &transportCredential{
gtc: tc.gtc.Clone(),
addrToEndpoint: copy,
}
}
func (tc *transportCredential) OverrideServerName(serverNameOverride string) error {
return tc.gtc.OverrideServerName(serverNameOverride)
}
func (tc *transportCredential) Dialer(ctx context.Context, dialEp string) (net.Conn, error) {
// Keep track of which addresses are dialed for which endpoints
conn, err := endpoint.Dialer(ctx, dialEp)
if conn != nil {
tc.mu.Lock()
tc.addrToEndpoint[conn.RemoteAddr().String()] = dialEp
tc.mu.Unlock()
}
return conn, err
}
// perRPCCredential implements "grpccredentials.PerRPCCredentials" interface.
type perRPCCredential struct {
authToken string
authTokenMu sync.RWMutex
}
func newPerRPCCredential() *perRPCCredential { return &perRPCCredential{} }
func (rc *perRPCCredential) RequireTransportSecurity() bool { return false }
func (rc *perRPCCredential) GetRequestMetadata(ctx context.Context, s ...string) (map[string]string, error) {
rc.authTokenMu.RLock()
authToken := rc.authToken
rc.authTokenMu.RUnlock()
return map[string]string{rpctypes.TokenFieldNameGRPC: authToken}, nil
}
func (b *bundle) UpdateAuthToken(token string) {
if b.rc == nil {
return
}
b.rc.UpdateAuthToken(token)
}
func (rc *perRPCCredential) UpdateAuthToken(token string) {
rc.authTokenMu.Lock()
rc.authToken = token
rc.authTokenMu.Unlock()
}
``` |
```php
<?php
/*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
*/
namespace Google\Service\BeyondCorp;
class ListAppGatewaysResponse extends \Google\Collection
{
protected $collection_key = 'unreachable';
protected $appGatewaysType = AppGateway::class;
protected $appGatewaysDataType = 'array';
/**
* @var string
*/
public $nextPageToken;
/**
* @var string[]
*/
public $unreachable;
/**
* @param AppGateway[]
*/
public function setAppGateways($appGateways)
{
$this->appGateways = $appGateways;
}
/**
* @return AppGateway[]
*/
public function getAppGateways()
{
return $this->appGateways;
}
/**
* @param string
*/
public function setNextPageToken($nextPageToken)
{
$this->nextPageToken = $nextPageToken;
}
/**
* @return string
*/
public function getNextPageToken()
{
return $this->nextPageToken;
}
/**
* @param string[]
*/
public function setUnreachable($unreachable)
{
$this->unreachable = $unreachable;
}
/**
* @return string[]
*/
public function getUnreachable()
{
return $this->unreachable;
}
}
// Adding a class alias for backwards compatibility with the previous class name.
class_alias(ListAppGatewaysResponse::class, 'Google_Service_BeyondCorp_ListAppGatewaysResponse');
``` |
Daily Voice, formerly Main Street Connect, is an American community journalism company that says it "bridge[s] the 'news desert' between national and hyper-local, covering town, city, county, and state". It is based in Norwalk, Connecticut, and it operates town-based news websites in various places in New Jersey and in Fairfield County, Connecticut.
Founding and initial history
The company was founded in 2010 by Carll Tucker, a veteran of the community news business with Trader Publications (sold to Gannett Company in 1999), who described his new approach as a hybrid of The New York Times and Facebook. The company raised almost $4 million in its first round of private equity funding, an amount which made news in the journalism industry. The company's editorial director was financial commentator and author Jane Bryant Quinn, who is also a member of its board of directors. Others associated with the company included Peter Georgescu, Chairman Emeritus of the marketing and communications company Young & Rubicam, and John Falcone, former executive with mobile advertising company SmartReply.
Main Street Connect first appeared as town-centric news sites in Fairfield County, Connecticut, named "The Daily [Town]", such as the first one, The Daily Norwalk for Norwalk, Connecticut. Ten such sites were in operation by the end of 2010, and Main Street Connect had 44 full-time employees as of mid-2010.
The franchising structure of Main Street Connect was explicitly likened to that of the McDonald's fast food chain. It was intended to work via a local group hiring journalists to cover a community, with the national entity supplying a framework for website technical hosting and support, working capital, and guidance related to fundamental business strategies. There was to be no start-up fee, and Main Street Connect would get 17 percent of a site's revenue. The eventual goal was to provide an attractive platform for national brands to advertise on, and to support a higher advertising rate than local websites can typically charge and one that it closer to the level that used to support local print newspapers. The company's target for 2013 was to have 3,000 sites operating with some 10,000–15,000 journalists involved; existing community newspapers were not seen as potential franchisees.
Main Street Connect's start coincided with a renewed interest in local advertising among national companies. It competed most prominently with another national-local combination, AOL's Patch.com, but took a slower approach than Patch in rolling out new sites. It also competed with news aggregators such as Topix, event aggregators such as Eventful, and content creation sites such as Examiner.com and Yahoo's Associated Content.
Subsequent developments
In February 2011, Main Street Connect announced that the one million mark in visits to their websites had been passed, and subsequently said that the sites get about 110,000 unique visitors per month against an underlying population of some 420,000 people. By March 2011, the franchising model was restructured by Tucker, who instead referred to opening "pods" of about ten sites each. The company said it would launch three pods totaling 31 sites in Westchester County, New York on June 1. In May 2011, Main Street Connect acquired CentralMassNews, which owned ten local news sites in Central Massachusetts. On June 1, 2011, the company rolled out 32 (one more than expected) sites in Westchester.
In October 2011, Tucker was succeeded as CEO by Zohar Yardeni, formerly of Thomson Reuters and experienced with financial and information start-ups. Tucker stayed on as chair of the company. Main Street Connect also obtained $7 million in second round funding at this time. Total sites in October 2011 numbered 52.
In May 2012, the company rebranded themselves to become Daily Voice. Aside from the new name and logo, there were no other changes to business operations. The new name was purchased by Main Street Connect, and therefore was no longer affiliated with Keith Boykin or Malcolm J. Harris, the figures behind the 2008-begun The Daily Voice onsite news site for African Americans.
In March 2013, Yardeni suddenly resigned. The company underwent a major downsizing, closing all 11 of its Massachusetts sites and laying off those employees.
During 2018, the Daily Voice operation was taken over by Cantata Media, based in Norwalk, Connecticut. In 2019 Cantata Media formed an alliance with Westfair Communications, the publisher of the Fairfield County Business Journal, to form a subscription-based website, Daily Voice Plus, that would feature material from both organizations.
See also
List of companies based in Norwalk, Connecticut
References
External links
Daily Voice official site
Nieman Journalism Lab Encyclo entry on Main Street Connect
American news websites
Local mass media in the United States
Mass media in New York (state)
Mass media in New Jersey
Local mass media in Massachusetts
Mass media in Fairfield County, Connecticut
Companies based in Norwalk, Connecticut
Mass media companies established in 2010
2010 establishments in Connecticut |
The 1st Tank Brigade "Severia" () is a brigade of the Ukrainian Ground Forces formed in 1997.
History
The Brigade is a unit of the Armed Forces of Ukraine that was formed in 1997 from the 292nd Tank Regiment. In 2014, the brigade was deployed to the border with Russia in the Sumy region to protect the route to Kyiv. One battalion was also sent to support mechanized brigades in the Luhansk region, mainly around the Luhansk Airport. In 2015, the brigade supported the 30th Mechanized Brigade in Debaltseve, where they destroyed at least three enemy tanks.
At the onset of the 2022 Russian invasion of Ukraine, the brigade dispersed in anticipation of the imminent bombardment. Following the bombardment, the unit returned to Chernihiv to respond to Russian vanguard forces. Russian forces attempted to take the city, but were repelled. However, they eventually bypassed the city, resulting in the Siege of Chernihiv. Despite encirclement, the brigade maintained one supply route for communications and resupply. By 31 March 2022, the brigade had successfully defended the city against Russian attacks and the siege was lifted. Surviving elements of the Russian 41st CAA retreated north to Belarus.
The brigade recaptured surrounding Ukrainian towns and the M01 Highway connecting to Kyiv. Following rest and refit in May, elements of the brigade were deployed back to the battle of Donbas in the area of southern Donetsk and Kramatorsk. For its service in Chernihiv, the southern counteroffensive, and the Donbas region, the unit was awarded the recently established honorary award of "For Courage and Bravery" by Ukrainian President Volodymyr Zelenskyy. The president also stated that in six months, more than a thousand warriors of this brigade were awarded state awards.
Structure
As of 2023 the brigade's structure is as follows:
1st Tank Brigade Severia, Honcharivske, Chernihiv Oblast
Headquarters & Headquarters Company
1st Tank Battalion
2nd Tank Battalion
3rd Tank Battalion
4th Tank Battalion
1st Mechanized Battalion
1st Rifle Battalion
2nd Rifle Battalion
Artillery Group
Anti-Aircraft Defense Battalion
Reconnaissance Company
Engineer Battalion
Logistic Battalion
Maintenance Battalion
Signal Company
Radar Company
Medical Company
CBRN Protection Company.
UAV Strike Company Pegas.
References
Tank brigades of Ukraine
Military units and formations of Ukraine in the Russian invasion of Ukraine
Military units and formations of Ukraine in the war in Donbas |
```xml
export { ConfigureForm } from './ConfigureForm';
``` |
Peter Ware Higgs (born 29 May 1929) is an English theoretical physicist, Emeritus Professor at the University of Edinburgh, and Nobel Prize laureate for his work on the mass of subatomic particles.
In the 1960s, Higgs proposed that broken symmetry in electroweak theory could explain the origin of mass of elementary particles in general and of the W and Z bosons in particular. This so-called Higgs mechanism, which was proposed by several physicists besides Higgs at about the same time, predicts the existence of a new particle, the Higgs boson, the detection of which became one of the great goals of physics. On 4 July 2012, CERN announced the discovery of the boson at the Large Hadron Collider. The Higgs mechanism is generally accepted as an important ingredient in the Standard Model of particle physics, without which certain particles would have no mass.
Higgs has been honoured with a number of awards in recognition of his work, including the 1981 Hughes Medal from the Royal Society; the 1984 Rutherford Medal from the Institute of Physics; the 1997 Dirac Medal and Prize for outstanding contributions to theoretical physics from the Institute of Physics; the 1997 High Energy and Particle Physics Prize by the European Physical Society; the 2004 Wolf Prize in Physics; the 2009 Oskar Klein Memorial Lecture medal from the Royal Swedish Academy of Sciences; the 2010 American Physical Society J. J. Sakurai Prize for Theoretical Particle Physics; and a unique Higgs Medal from the Royal Society of Edinburgh in 2012. The discovery of the Higgs boson prompted fellow physicist Stephen Hawking to note that he thought that Higgs should receive the Nobel Prize in Physics for his work, which he finally did, shared with François Englert in 2013. Higgs was appointed to the Order of the Companions of Honour in the 2013 New Year Honours and in 2015 the Royal Society awarded him the Copley Medal, the world's oldest scientific prize.
Early life and education
Higgs was born in the Elswick district of Newcastle upon Tyne, England, to Thomas Ware Higgs (1898–1962) and his wife Gertrude Maude née Coghill (1895–1969). His father worked as a sound engineer for the BBC, and as a result of childhood asthma, together with the family moving around because of his father's job and later World War II, Higgs missed some early schooling and was taught at home. When his father relocated to Bedford, Higgs stayed behind in Bristol with his mother, and was largely raised there. He attended Cotham Grammar School in Bristol from 1941–46, where he was inspired by the work of one of the school's alumni, Paul Dirac, a founder of the field of quantum mechanics.
In 1946, at the age of 17, Higgs moved to City of London School, where he specialised in mathematics, then in 1947 to King's College London where he graduated with a first class honours degree in Physics in 1950 and achieved a master's degree in 1952. He was awarded an 1851 Research Fellowship from the Royal Commission for the Exhibition of 1851, and performed his doctoral research in molecular physics under the supervision of Charles Coulson and Christopher Longuet-Higgins. He was awarded a PhD degree in 1954 with a thesis entitled Some problems in the theory of molecular vibrations from King's College London.
Career and research
After finishing his doctorate, Higgs was appointed a Senior Research Fellow at the University of Edinburgh (1954–56). He then held various posts at Imperial College London, and University College London (where he also became a temporary lecturer in Mathematics). He returned to the University of Edinburgh in 1960 to take up the post of Lecturer at the Tait Institute of Mathematical Physics, allowing him to settle in the city he had enjoyed while hitchhiking to the Western Highlands as a student in 1949. He was promoted to Reader, became a Fellow of the Royal Society of Edinburgh (FRSE) in 1974 and was promoted to a Personal Chair of Theoretical Physics in 1980. He retired in 1996 and became Emeritus professor at the University of Edinburgh.
Higgs was elected Fellow of the Royal Society (FRS) in 1983 and Fellow of the Institute of Physics (FInstP) in 1991. He was awarded the Rutherford Medal and Prize in 1984. He received an honorary degree from the University of Bristol in 1997. In 2008 he received an Honorary Fellowship from Swansea University for his work in particle physics.
At Edinburgh Higgs first became interested in mass, developing the idea that particles – massless when the universe began – acquired mass a fraction of a second later as a result of interacting with a theoretical field (which became known as the Higgs field). Higgs postulated that this field permeates space, giving mass to all elementary subatomic particles that interact with it.
The Higgs mechanism postulates the existence of the Higgs field which confers mass on quarks and leptons. However this causes only a tiny portion of the masses of other subatomic particles, such as protons and neutrons. In these, gluons that bind quarks together confer most of the particle mass.
The original basis of Higgs' work came from the Japanese-born theorist and Nobel Prize laureate Yoichiro Nambu from the University of Chicago. Professor Nambu had proposed a theory known as spontaneous symmetry breaking based on what was known to happen in superconductivity in condensed matter; however, the theory predicted massless particles (the Goldstone's theorem), a clearly incorrect prediction.
Higgs is reported to have developed the fundamentals of his theory after returning to his Edinburgh New Town apartment from a failed weekend camping trip to the Highlands. He stated that there was no "eureka moment" in the development of the theory. He wrote a short paper exploiting a loophole in Goldstone's theorem (massless Goldstone particles need not occur when local symmetry is spontaneously broken in a relativistic theory) and published it in Physics Letters, a European physics journal edited at CERN, in Switzerland, in 1964.
Higgs wrote a second paper describing a theoretical model (now called the Higgs mechanism), but the paper was rejected (the editors of Physics Letters judged it "of no obvious relevance to physics"). Higgs wrote an extra paragraph and sent his paper to Physical Review Letters, another leading physics journal, which published it later in 1964. This paper predicted a new massive spin-zero boson (now known as the Higgs boson).
Other physicists, Robert Brout and François Englert and Gerald Guralnik, C. R. Hagen and Tom Kibble
had reached similar conclusions about the same time. In the published version Higgs quotes Brout and Englert and the third paper quotes the previous ones. The three papers written on this boson discovery by Higgs, Guralnik, Hagen, Kibble, Brout, and Englert were each recognised as milestone papers by Physical Review Letters 50th anniversary celebration. While each of these famous papers took similar approaches, the contributions and differences between the 1964 PRL symmetry breaking papers are noteworthy. The mechanism had been proposed in 1962 by Philip Anderson although he did not include a crucial relativistic model.
On 4 July 2012, CERN announced the ATLAS and Compact Muon Solenoid (CMS) experiments had seen strong indications for the presence of a new particle, which could be the Higgs boson, in the mass region around 126 gigaelectronvolts (GeV).
Speaking at the seminar in Geneva, Higgs commented "It's really an incredible thing that it's happened in my lifetime." Ironically, this probable confirmation of the Higgs boson was made at the same place where the editor of Physics Letters rejected Higgs' paper.
Awards and honours
Higgs has received numerous accolades including:
Civic awards
Higgs was the recipient of the Edinburgh Award for 2011. He is the fifth person to receive the Award, which was established in 2007 by the City of Edinburgh Council to honour an outstanding individual who has made a positive impact on the city and gained national and international recognition for Edinburgh.
Higgs was presented with an engraved loving cup by the Rt Hon George Grubb, Lord Provost of Edinburgh, in a ceremony held at the City Chambers on Friday 24 February 2012. The event also marked the unveiling of his handprints in the City Chambers quadrangle, where they had been engraved in Caithness stone alongside those of previous Edinburgh Award recipients.
Higgs was awarded with the Freedom of the City of Bristol in July 2013. In April 2014, he was also awarded the Freedom of the City of Newcastle upon Tyne. He was also honoured with a brass plaque installed on the Newcastle Quayside as part of the Newcastle Gateshead Initiative Local Heroes Walk of Fame.
Higgs Centre for Theoretical Physics
On 6 July 2012, Edinburgh University announced a new centre named after Professor Higgs to support future research in theoretical physics. The Higgs Centre for Theoretical Physics brings together scientists from around the world to seek "a deeper understanding of how the universe works". The centre is currently based within the James Clerk Maxwell Building, home of the University's School of Physics and Astronomy and the iGEM 2015 team (ClassAfiED). The university has also established a chair of theoretical physics in the name of Peter Higgs.
Nobel Prize in Physics
On 8 October 2013, it was announced that Higgs and François Englert would share the 2013 Nobel Prize in Physics "for the theoretical discovery of a mechanism that contributes to our understanding of the origin of mass of subatomic particles", and which recently was confirmed through the discovery of the predicted fundamental particle, by the ATLAS and CMS experiments at CERN’s Large Hadron Collider". Higgs admits he had gone out to avoid the media attention so he was informed he had been awarded the prize by an ex-neighbour on his way home, since he did not have a mobile phone.
Companion of Honour
Higgs turned down a knighthood in 1999, but in 2012 he accepted membership of The Order of the Companion of Honour. He later said that he only accepted the order because he was wrongly assured that the award was the gift of the Queen alone. He also expressed cynicism towards the honours system, and the way the system "is used for political purposes by the government in power". The order confers no title or precedence, but recipients of the order are entitled to use the post-nominal letters . In the same interview he also stated that when people ask what the after his name stands for, he replies "it means I'm an honorary Swiss." He received the order from the Queen at an investiture at Holyrood House on 1 July 2014.
Honorary Degrees
Higgs has been awarded honorary degrees from the following institutions:
DSc University of Bristol 1997
DSc University of Edinburgh 1998
DSc University of Glasgow 2002
DSc Swansea University 2008
DSc King's College London 2009
DSc University College London 2010
DSc University of Cambridge 2012
DSc Heriot-Watt University 2012
PhD SISSA, Trieste 2013
DSc University of Durham 2013
DSc University of Manchester 2013
DSc University of St Andrews 2014
DSc Free University of Brussels (ULB) 2014
DSc University of North Carolina at Chapel Hill 2015
DSc Queen's University Belfast 2015
ScD Trinity College Dublin 2016
A portrait of Higgs was painted by Ken Currie in 2008. Commissioned by the University of Edinburgh, it was unveiled on 3 April 2009 and hangs in the entrance of the James Clerk Maxwell Building of the School of Physics and Astronomy and the School of Mathematics. A large portrait by Lucinda Mackay is in the collection of the Scottish National Portrait Gallery in Edinburgh. Another portrait of Higgs by the same artist hangs in the birthplace of James Clerk Maxwell in Edinburgh, Higgs is the Honorary Patron of the James Clerk Maxwell Foundation. A portrait by Victoria Crowe was commissioned by the Royal Society of Edinburgh and unveiled in 2013.
Personal life and political views
Higgs married Jody Williamson, a fellow activist with the Campaign for Nuclear Disarmament (CND) in 1963. Their first son was born in August 1965. Higgs's family includes two sons: Chris, a computer scientist, and Jonny, a jazz musician. He has two grandchildren. The entire family lives in Edinburgh.
Higgs was an activist in the CND while in London and later in Edinburgh, but resigned his membership when the group extended its remit from campaigning against nuclear weapons to campaigning against nuclear power too. He was a Greenpeace member until the group opposed genetically modified organisms.
Higgs was awarded the 2004 Wolf Prize in Physics (sharing it with Robert Brout and François Englert), but he refused to fly to Jerusalem to receive the award because it was a state occasion attended by the then president of Israel, Moshe Katsav, and Higgs was opposed to Israel's actions in Palestine.
Higgs was actively involved in the Edinburgh University branch of the Association of University Teachers, through which he agitated for greater staff involvement in the management of the physics department.
Higgs is an atheist. He has described Richard Dawkins as having adopted a "fundamentalist" view of non-atheists. Higgs has expressed displeasure with the nickname the "God particle". Although it has been reported that he believes the term "might offend people who are religious", Higgs has stated that this is not the case, lamenting the letters he has received which claim the God particle was predicted in the Torah, the Qur'an and Buddhist scriptures. In a 2013 interview with Decca Aitkenhead, Higgs was quoted as saying:
Usually this nickname for the Higgs boson is attributed to Leon Lederman, the author of the book The God Particle: If the Universe Is the Answer, What Is the Question?, but the name is the result of the suggestion of Lederman's publisher: Lederman had originally intended to refer to it as the "goddamn particle".
References
Further reading
External links
Google Scholar List of Papers by PW Higgs
BBC profile of Peter Higgs
The god of small things – An interview with Peter Higgs in The Guardian
My Life as a Boson – A Lecture by Peter Higgs available in various formats
Physical Review Letters – 50th Anniversary Milestone Papers
In CERN Courier, Steven Weinberg reflects on spontaneous symmetry breaking
Physics World, Introducing the little Higgs
Englert-Brout-Higgs-Guralnik-Hagen-Kibble Mechanism on Scholarpedia
History of Englert-Brout-Higgs-Guralnik-Hagen-Kibble Mechanism on Scholarpedia
Sakurai Prize Videos
«I wish they hadn't dubbed it "The God Particle"» Interview with Peter Higgs
Peter Higgs: I wouldn't be productive enough for today's academic system
including the Nobel Lecture on 8 December 2013 Evading the Goldstone Theorem
1929 births
Academics of University College London
Academics of the University of Edinburgh
Alumni of the University of London
Alumni of King's College London
Living people
British Nobel laureates
British theoretical physicists
English atheists
English Nobel laureates
English physicists
English people of Scottish descent
Fellows of King's College London
Fellows of the Institute of Physics
Fellows of the Royal Society
Fellows of the Royal Society of Edinburgh
Nobel laureates in Physics
Particle physicists
People educated at the City of London School
People from Wallsend
Theoretical physicists
Wolf Prize in Physics laureates
Members of the Order of the Companions of Honour
J. J. Sakurai Prize for Theoretical Particle Physics recipients
Recipients of the Copley Medal
20th-century atheists
21st-century atheists |
```ruby
# typed: strict
# frozen_string_literal: true
require "abstract_command"
require "shell_command"
module Homebrew
module Cmd
class Update < AbstractCommand
include ShellCommand
cmd_args do
description <<~EOS
Fetch the newest version of Homebrew and all formulae from GitHub using `git`(1) and perform any necessary migrations.
EOS
switch "--merge",
description: "Use `git merge` to apply updates (rather than `git rebase`)."
switch "--auto-update",
description: "Run on auto-updates (e.g. before `brew install`). Skips some slower steps."
switch "-f", "--force",
description: "Always do a slower, full update check (even if unnecessary)."
switch "-q", "--quiet",
description: "Make some output more quiet."
switch "-v", "--verbose",
description: "Print the directories checked and `git` operations performed."
switch "-d", "--debug",
description: "Display a trace of all shell commands as they are executed."
end
end
end
end
``` |
Jilong Road () is a Shanghai Metro station located on Line 10 in Pudong, Shanghai, China. Located at North Fute Road and Jilong Road, within the Shanghai Waigaoqiao Free Trade Zone section of the Shanghai Free-Trade Zone, it serves as a terminus of Line 10, and opened as part of the second phase extension of the line into Pudong. The extension was expected to open in 2018, but due to construction delays, the station, along with the rest of the extension, opened on 26 December 2020. The station is the first Shanghai Metro station to be located within a free-trade zone in the country.
References
Shanghai Metro stations in Pudong
Line 10, Shanghai Metro
Railway stations in China opened in 2020 |
Scheemda () is a village with a population of 2,445 in the municipality of Oldambt in the province of Groningen in the Netherlands. Scheemda was a separate municipality until 2010, when it merged with Reiderland and Winschoten to form the municipality of Oldambt.
History
Until 2010, Scheemda was a separate municipality with the population centers Heiligerlee, Midwolda, Nieuw-Scheemda, Nieuwolda, Oostwold, Scheemda, 't Waar and Westerlee. On 1 January 2010, the municipality merged into Oldambt.
Transportation
The Scheemda railway station was opened in 1868 and has train services to Zuidbroek and Groningen in the west, and Winschoten, Bad Nieuweschans, and Leer (Germany) in the east.
Notable people
Pieter Smit (1963–2018), mayor of Oldambt (2010–2018), lived and died here
Gallery
References
External links
Municipalities of the Netherlands disestablished in 2010
Former municipalities of Groningen (province)
Populated places in Groningen (province)
Oldambt (municipality) |
Sisevac is a village in the municipality of Paraćin, Serbia. According to the 2002 census, the village has a population of 18 people.
References
External links
Sisevac
Populated places in Pomoravlje District |
The Major League Baseball logo was designed by Jerry Dior in 1968 and was included on all on-field uniforms of Major League Baseball (MLB) employees beginning in the 1969 season.
Creation
The logo was created in a single afternoon. Contrary to popular belief, the silhouette was not modeled on Hall of Famer Harmon Killebrew, or any specific player but was drawn with reference to photographs of several players. The silhouette was chosen specifically because of its ambiguity: the batter could be right- or left-handed and of any ethnic background.
The MLB "Batter" logo was commissioned by the Major League Baseball Centennial Committee, and was introduced by the new Baseball Commissioner, Bowie Kuhn, to be used in preparations for, and celebration of, the 1869–1969 Professional Baseball Centennial Celebration held July 21, 1969, in Washington, DC.
For many years, the authorship of the logo was a matter of some dispute as two graphic designers laid claim to creating the piece: Jerry Dior (working for the marketing firm of Sandgren & Murtha) and James Sherman, a comic book illustrator. In November 2008, ESPN writer Paul Lukas managed to clear the matter up and Dior's authorship is no longer in doubt. Upon closely examining the logo, Sherman declared:
That's not my logo, and I was totally unaware that it existed... The logo I created was very similar, but I designed it in the early 1980s. All I can say is that I was so sports-unaware that I didn't know about the earlier logo. I feel like a total idiot now that I didn't know about it. I'm flabbergasted.
Popularity and influence
The logo has not been changed in the years since its adoption, except for small variations in the shades of blue and red, and that individual teams sometimes alter the coloring to match their uniform colors. Since its adoption, the basic model of an athlete (or equipment used for the sport) in silhouette flanked by red and blue color blocks has also been incorporated in the logos of the National Basketball Association (with Jerry West as its player model), Minor League Baseball, Women's National Basketball Association, Arena Football League, U.S. Figure Skating, Hockey Canada, American Hockey League, PGA Tour, National Lacrosse League, Indy Racing League, and Major League Gaming. It has also been parodied in Major League Eating.
Alan Siegel, who oversaw Dior's logo, deliberately based his NBA logo design off MLB's in 1969 because NBA Commissioner J. Walter Kennedy wanted a family relationship between the sports seen as being All-American.
References
Symbols introduced in 1969
Trademarks
Silhouettes |
Dick Metz is an American former professional tennis player.
Metz, a native of California, played his junior and senior collegiate seasons at the UCLA Bruins, where he was a member of the 1979 NCAA championship team. A doubles silver medalist at the World University Games, Metz earned All-American honors for the Bruins in 1980. His time at UCLA included a win over future ATP top 10 player Tim Mayotte.
In 1982 he featured in the singles main draw of the Benson and Hedges Open in Auckland and made the final singles qualifying round of the Wimbledon Championships.
Metz was later the tour coach of WTA Tour player Patty Fendick.
References
External links
Year of birth missing (living people)
Living people
American male tennis players
UCLA Bruins men's tennis players
Medalists at the 1979 Summer Universiade
Universiade silver medalists for the United States
Universiade medalists in tennis
Tennis people from California
American tennis coaches |
The Kurdish population is estimated to be between 30 and 45 million. Most Kurdish people live in Kurdistan, which today is split between Iranian Kurdistan, Iraqi Kurdistan, Turkish Kurdistan, and Syrian Kurdistan.
Kurdistan
The bulk of Kurdish groups in Kurdistan are Sunni (mostly of the Shafi'i school), but there are significant minorities adhering to Shia Islam (especially Alevis), Yazidism, Yarsanism, Christianity and Judaism.
Turkey
According to a report by Turkish agency KONDA, in 2006, out of the total population of 73 million people in Turkey there were 11.4 million Kurds and Zazas living in Turkey (close to 15.68% of the total population). The Turkish newspaper Milliyet reported in 2008 that the Kurdish population in Turkey is 12.6 million; although this also includes 3 million Zazas. According to the World Factbook, Kurdish people make up 18% of Turkey's population (about 14 million, out of 77.8 million people). Kurdish sources put the figure at 10 to 15 million Kurds in Turkey.
Kurds mostly live in Northern Kurdistan, in Southeastern and Eastern Anatolia. But large Kurdish populations can be found in western Turkey due to internal migration. According to Rüstem Erkan, Istanbul is the province with the largest Kurdish population in Turkey.
Iran
From the 7 million Iranian Kurds, majority who are Sunni. Shia Kurds inhabit Kermanshah Province, except for those parts where people are Jaff, and Ilam Province Province; as well as some parts of Kurdistan, Hamadan and Zanjan provinces. The Kurds of Khorasan Province in northeastern Iran are also adherents of Shia Islam. During the Shia revolution in Iran the major Kurdish political parties were unsuccessful in absorbing Shia Kurds, who at that period had no interest in autonomy. However, since the 1990s Kurdish nationalism has seeped into the Shia Kurdish area partly due to outrage against government's violent suppression of Kurds farther north.
Iraq
Kurds constitute approximately 17% of Iraq's population. They are the majority in at least three provinces in northern Iraq which are together known as Iraqi Kurdistan. Kurds also have a presence in Kirkuk, Mosul, Khanaqin, and Baghdad. Around 300,000 Kurds live in the Iraqi capital Baghdad, 50,000 in the city of Mosul and around 100,000 elsewhere in southern Iraq.
Kurds led by Mustafa Barzani were engaged in heavy fighting against successive Iraqi regimes from 1960 to 1975. In March 1970, Iraq announced a peace plan providing for Kurdish autonomy. The plan was to be implemented in four years. However, at the same time, the Iraqi regime started an Arabization program in the oil-rich regions of Kirkuk and Khanaqin. The peace agreement did not last long, and in 1974, the Iraqi government began a new offensive against the Kurds. Moreover, in March 1975, Iraq and Iran signed the Algiers Accord, according to which Iran cut supplies to Iraqi Kurds. Iraq started another wave of Arabization by moving Arabs to the oil fields in Kurdistan, particularly those around Kirkuk. Between 1975 and 1978, 200,000 Kurds were deported to other parts of Iraq.
Syria
Kurds are the largest ethnic minority in Syria and make up nine percent of the country's population. Syrian Kurds have faced routine discrimination and harassment by the government.
Syrian Kurdistan is an unofficial name used by some to describe the Kurdish inhabited regions of northern and northeastern Syria. The northeastern Kurdish inhabited region covers the greater part of Hasakah Governorate. The main cities in this region are Qamishli and Hasakah. Another region with significant Kurdish population is Kobanê (Ayn al-Arab) in the northern part of Syria near the town of Jarabulus and also the city of Afrin and its surroundings along the Turkish border.
Many Kurds seek political autonomy for the Kurdish inhabited areas of Syria, similar to Iraqi Kurdistan in Iraq, or outright independence as part of Kurdistan. The name "Western Kurdistan" (Kurdish: Rojavayê Kurdistanê) is also used by Kurds to name the Syrian Kurdish inhabited areas in relation to Kurdistan. Since the Syrian civil war, Syrian government forces have abandoned many Kurdish-populated areas, leaving the Kurds to fill the power vacuum and govern these areas autonomously.
Transcaucasus
Armenia
According to the 2011 Armenian Census, 37,470 Kurds live in Armenia. They mainly live in the western parts of Armenia. The Kurds of the former Soviet Union first began writing Kurdish in the Armenian alphabet in the 1920s, followed by Latin in 1927, then Cyrillic in 1945, and now in both Cyrillic and Latin.
The Kurds in Armenia established a Kurdish radio broadcast from Yerevan and the first Kurdish newspaper Riya Teze. There is a Kurdish Department in the Yerevan State Institute of Oriental studies. The Kurds of Armenia were the first exiled country to have access to media such as radio, education and press in their native tongue but many Kurds, from 1939 to 1959 were listed as the Azeri population or even as Armenians.
Georgia
According to the 2002 Georgian Census, 20,843 Kurds live in Georgia The Kurds in Georgia mainly live in the capital of Tbilisi and Rustavi. According to a United Nations High Commissioner for Refugees report from 1998, about 80% of the Kurdish population in Georgia are assimilated Kurds.
Diaspora
There were also many Kurds among the Kurdish diaspora and in Red Kurdistan.
Russia
According to the 2010 Russian Census, 63,818 Kurds live in Russia. Russia has maintained warm relations with the Kurds for a long time, During the early 19th century, the main goal of the Russian Empire was to ensure the neutrality of the Kurds, in the wars against Persia and the Ottoman Empire. In the beginning of the 19th century, Kurds settled in Transcaucasia, at a time when Transcaucasia was incorporated into the Russian Empire. In the 20th century, Kurds were persecuted and exterminated by the Turks and Persians, a situation that led Kurds to move to Russia.
Lebanon
The existence of a community of at least 125,000 Kurds is the product of several waves of immigrants, the first major wave was in the period of 1925–1950 when thousands of Kurds fled violence and poverty in Turkey. Kurds in Lebanon go back far as the twelfth century A.D. when the Ayyubids arrived there. Over the next few centuries, several other Kurdish families were sent to Lebanon by a number of powers to maintain rule in those regions, others moved as a result of poverty and violence in Kurdistan. These Kurdish groups settled in and ruled many areas of Lebanon for a long period of time. Kurds of Lebanon settled in Lebanon because of Lebanon's pluralistic society.
European Union
The Kurdish diaspora in the European Union is most significant in Germany, France, Sweden, Belgium and the Netherlands. Kurds from Turkey went to Germany and France during the 1960s as immigrant workers. Thousands of Kurdish refugees and political refugees fled from Turkey to Sweden during the 1970s and onward, and from Iraq during the 1980s and 1990s.
In France, the Iranian Kurds make up the majority of the community. However, thousands of Iraqi Kurds also arrived in the mid-1990s. More recently, Syrian Kurds have been entering France illegally
In the United Kingdom, Kurds first began to immigrate between 1974 and 1975 when the rebellion of Iraqi Kurds against the Iraqi government was repressed. The Iraqi government began to destroy Kurdish villages and forced many Kurds to move to barren land in the south. These events resulted in many Kurds fleeing to the United Kingdom. Thus, the Iraqi Kurds make up a large part of the community. In 1979, Ayatollah Khomeini came to power in Iran and installed Islamic law. There was widespread political oppression and persecution of the Kurdish community. Since the late 1970s the number of people from Iran seeking asylum in Britain has remained high. In 1988, Saddam Hussein launched the Anfal campaign in the northern Iraq. This included mass executions and disappearances of the Kurdish community. The use of chemical weapons against thousands of towns and villages in the region, as well as the town of Halabja increased the number of Iraq Kurds entering the United Kingdom. A large number of Kurds also came to the United Kingdom following the 1980 military coup in Turkey. More recently, immigration has been due to the continued political oppression and the repression of ethnic and religious minorities in Iraq and Iran. Estimates of the Kurdish population in the United Kingdom are as high as 200–250,000.
In Denmark, there is a significant number of Iraqi political refugees, many of which are Kurds.
In Finland, most Kurds arrived in the 1990s as Iraqi refugees. Kurds in Finland have no great attachment to the Iraqi state because of their position as a persecuted minority. Thus, they feel more accepted and comfortable in Finland, many wanting to get rid of their Iraqi citizenship.
From 1994 to 1999, 43,759 Kurds entered Greece illegally and of the 9,797 who applied for asylum 524 were granted it.
North America
In the United States, estimates of the Kurdish population vary from 15,000 to 20,000 to 58,000. During the 1991 Persian Gulf War, about 10,000 Iraqi refugees were admitted to the United States, most of which were Kurds and Shiites who had assisted or were sympathisers of the U.S –led war. Nashville, Tennessee has the nation's largest population of Kurdish people, with an estimated 8,000–11,000. There are also Kurds in Southern California, Los Angeles, San Diego, and Dallas, Texas.
In Canada, the Kurdish community is 11,685 based on the Canadian Census 2011, among which the Iraqi Kurds make up the largest group of Kurds in Canada, exceeding the numbers of Kurds from Turkey, Iran and Syria. Kurdish immigration was largely the result of the Iran–Iraq War, the Gulf War and Syrian Civil War. Thus, many Iraqi Kurds immigrated to Canada due to the constant wars and suppression of Kurds and Shiites by the Iraqi government.
Oceania
In Australia, Kurdish migrants first arrived in the second half of the 1960s, mainly from Turkey. However, in the late 1970s families from Syria and Lebanon were also present in Australia. Since the second half of the 1980s, the majority of Kurds arriving in Australia have been from Iraq and Iran; many of them were accepted under the Humanitarian Programme. However, Kurds from Lebanon, Armenia and Georgia have also migrated to Australia. The majority live in Melbourne and Sydney.
Japan
The Japanese government has not granted refugee status. While 3,415 Kurds have so far applied for refugee status, none has yet received it.
Statistics by country
Autochthonous community
Transcaucasus
Europe
Middle East
Asia
Americas and Oceania
Notes
See also
Kurdification
References
Bibliography
.
Baser, Bahar.“Kurdish Diaspora Political Activism in Europe with a Particular Focus on Great Britain.”, Diaspora Dialogues for Development and Peace Project, Berlin: Berghof Peace Support, June 2011.
.
.
.
.
.
.
.
.
.
.
.
.
Kurdish diaspora |
Rafalus is a genus of jumping spiders that was first described by Jerzy Prószyński in 1999.
Species
it contains twelve species, found only in Africa and Asia:
Rafalus arabicus Wesolowska & van Harten, 2010 – United Arab Emirates
Rafalus christophori Prószyński, 1999 (type) – Egypt, Israel
Rafalus desertus Wesolowska & van Harten, 2010 – United Arab Emirates
Rafalus feliksi Prószyński, 1999 – Egypt, United Arab Emirates
Rafalus insignipalpis (Simon, 1882) – Yemen (mainland, Socotra)
Rafalus karskii Prószyński, 1999 – Israel
Rafalus lymphus (Próchniewicz & Hęciak, 1994) – Kenya, Tanzania, Ethiopia, Yemen
Rafalus minimus Wesolowska & van Harten, 2010 – United Arab Emirates
Rafalus nigritibiis (Caporiacco, 1941) – Ethiopia
Rafalus stanislawi Prószyński, 1999 – Israel
Rafalus variegatus (Kroneberg, 1875) – Iran, Central Asia
Rafalus wittmeri (Prószyński, 1978) – Bhutan
References
External links
Photograph of R. insignipalpis
Invertebrates of the Middle East
Salticidae
Salticidae genera
Spiders of Africa
Spiders of Asia |
Hanne Marie Svendsen (née Jensen, born 1933) is a Danish writer and former broadcasting executive. She has written works on Danish literature, plays and novels, including the award-winning Guldkuglen (1985), published in English as The Gold Ball in 1989.
Early life and education
Born in Skagen in the north of Jutland on 27 August 1933, Svendsen was the daughter of the schoolteacher Ditlev Magnus Jensen and Ingeborg Bruun, a librarian. After matriculating in Frederikshavn in 1951, she studied Danish and German at the University of Copenhagen, receiving her cand.mag. in 1958. While at university, in 1954 she married the publisher and university lecturer Werner Svendsen (born 1930) with whom she was to have three children.
Career
From 1960, Svendsen worked for the Danish broadcasting authority, Danmarks Radio, first as a programming assistant, later as deputy head of the Drama and Literature Department. From 1965 to 1970, she served as a lecturer at the University of Copenhagen. As a result of her work for Danmarks Radio, in 1962 she published a collection of essays titled På rejse ind i romanen (A Journey into the Novel) intended as an educational work for adults.
From the mid-1970s, Svendsen turned to fiction, publishing Mathildes drømmebog (Mathilde's Book of Dreams) in 1977. It was printed on paper in two shades, one for the day-to-day routine, the other for dreams and aspirations that gradually disappeared. It fitted nicely into the evolving women's literature of the decade, as did Dans under frostmånen (Dance under the Frosty Moon, 1979) and Klovnefisk (Clownfish, 1980), both of which took advantage of the move from inhibition.
Svendsen's reputation for fiction was finally sealed in 1985 with Guldkuglen (The Golden Ball) which brought her the Danish Critics Prize for Literature as well as a nomination for the Nordic Council's Literature Prize. It depicts the fantasy world of a mythical Danish island which grows from an isolated fishing village into a thriving marketplace, finally deteriorating into a wasteland overcome with pollution and red tides.
She went on to write the play Rosmarin og heksevin (Rosmarin and Witches Wine, 1987) in which a man's dreams of his partner deteriorate into an erotic relationship. In the novel Under solen (Under the Sun, 1991), the female protagonist murders her lover who is bent on transforming nature into a commercial centre for shopping and entertainment. Her accounts of deteriorating relationships between men and women or their aspirations to escape from everyday routine are repeated in Kaila på fyret (Kaila at the Lighthouse, 1987) and Karantæne (Quarantine, 1995).
Slightly more positive is her 1996 novel Rejsen med Emma in which the female narrator recounts a journey to South America on a cargo ship. She wants to sort out a love affair and write a novel based on a dialogue with one of Henrik Ibsen's plays but the trip is so eventful that the work is never completed. She then wrote two children's books, Den røde sten (The Red Stone, 1990) and Spejlsøster (Mirror Sister, 1995). The latter tells us the story of Naja, a little girl who spends the summer with her grandmother in Skagen where she becomes part of the world of the Skagen Painters, especially the paintings of Anna and Michael Ancher and their daughter Helga.
Her next book, the novel Ingen genvej til Paradis (No Shortcult to Paradise, 1999) describes the evolving relationships between members of a large family which contains has autobiographical connections with Svendsen's family and her upbringing in the north of Jutland. Considerable attention is given to the narrator's feelings for her mother. Set in the 15th century, Unn fra Stjernestene (2003) is about a girl in Greenland who is sent to a nunnery where she develops an interest in literature. She gets to know an explorer who travels to the far north of the country but she also shows considerable interest in the local sagas. Like Guldkuglen, it is one of her most successful novels.
Svendsen's most recent novel, Rudimenter af R (Rudiments of R, 2009), is about a Danish linguist "R" who, lying on his deathbed in Copenhagen, reflects on his past life. It is based on the diaries of Rasmus Rask (1787–1832) who in his day gained quite a reputation for his language research.
Awards
Svendsen has received a number of awards, including:
1985: Danish Critics Prize for Literature
1985: Nomination for the Nordic Council Literature Prize
1987: Tagea Brandt Scholarship
1987: Herman Bangs Mindelegat (Hermann Bang Scholarship)
1998: Dansk Litteraturpris for Kvinder (Danish Literature Prize for Women)
2004: Danmarks Radios Romanpris (Danish Radio's Novel Prize)
2004: Drachmannlegatet
References
1933 births
Living people
People from Skagen
20th-century Danish novelists
21st-century Danish novelists
Danish women novelists
University of Copenhagen alumni
Academic staff of the University of Copenhagen
Danish women academics
21st-century Danish women writers
20th-century Danish women writers |
The Saint Paul Police Department (SPPD) is the main law enforcement agency with jurisdiction over the City of Saint Paul, Minnesota, United States. It was established in 1854, making it the oldest police organization in the state. The SPPD is the second largest law enforcement agency in Minnesota, after the Minneapolis Police Department. The department consists of 575 sworn officers and 200 non-sworn officials. The current Chief of Police is Axel Henry.
He is the 42nd chief in the history of the St.Paul Police Department and was sworn in November of 2022.
History
In 1920 St. Paul Councilman and Public Safety Commissioner Aloysius Smith, requested that the St. Paul Police start a Police program for the youth. Sergeant Frank Hetznecke was selected to create the program. In its first year, 750 students signed up for the training program and in February 1921 the first student monitored crossing took place with students from Cathedral school on Kellogg Blvd. Sergeant Hetznecke is credited with introducing the Sam Browne belt and badge that became synonymous with school patrol across the country and administering St. Paul's program for 30 years.
During the Prohibition era, the department was remarkably corrupt. In 1936, the chief, Thomas Brown was fired after an investigation showed he had protected criminals including the Dillinger and the Barker-Karpis gangs.
An arrest outside of a bar on 26 September 2010 is the subject of a lawsuit that claims excessive force. In March 2011, the elite Gang Strike Force was disestablished when a state audit could not account for 13 vehicles and over $18,000 in cash the unit had seized. The auditor's report indicated that Officer Ron Ryan had sold property his detail had retained. Press reports indicated the unit used money taken from gang members to attend a 2009 professional conference held in Hawaii. The SPPD had two prominent incidents of misconduct in relation to their dogs in 2016 and 2017.
Command structure
NOTE: By contract, all investigators (detectives) hold the rank of sergeant.
The time that a uniformed sergeant holds this rank is shown by arcs below the chevrons, one for each 5 years after promotion. After three are obtained the next 5 year periods give progressively a diamond and then a star in the field between the arcs and chevrons. Although this is analogous to the uniforms of the United States Army, no additional command authority is granted.
Department awards
The department has only issued medals / awards since 1971. The current medals are:
Medal of Valor Class A
Medal of Merit Class B
Medal of Commendation
Life Saving Award
Chief's Award For Valor
Chief's Award For Merit
Chief's Award
Officer of the Year
Detective of the Year
Civilian Employee of the year
Department size
Like most major cities, the city of St. Paul saw a population decline beginning in the late 1960s. However, the department continued to grow.
See also
List of law enforcement agencies in Minnesota
Homer Van Meter
References
External links
Saint Paul Police Department
Saint Paul Police Historical Society
Saint Paul Police Foundation
Saint Paul Police Federation
Saint Paul Police Reserves
Rare 1941 stop-motion animation color film entitled, "St. Paul Police Detectives and Their Work: A Color Chartoon"
Government of Saint Paul, Minnesota
Municipal police departments of Minnesota
1854 establishments in Minnesota Territory
Government agencies established in 1854 |
```javascript
/* eslint-env jest */
import { nextBuild, nextServer, startApp, stopApp } from 'next-test-utils'
import webdriver from 'next-webdriver'
import { join } from 'path'
jest.setTimeout(1000 * 60 * 2)
let appPort
let app
let server
describe('Top Level Error', () => {
;(process.env.TURBOPACK_DEV ? describe.skip : describe)(
'production mode',
() => {
beforeAll(async () => {
const appDir = join(__dirname, '../')
await nextBuild(appDir)
app = nextServer({
dir: appDir,
dev: false,
quiet: true,
})
server = await startApp(app)
appPort = server.address().port
})
afterAll(() => stopApp(server))
it('should render error page', async () => {
const browser = await webdriver(appPort, '/')
try {
const text = await browser.waitForElementByCss('#error-p').text()
expect(text).toBe('Error Rendered')
} finally {
await browser.close()
}
})
}
)
})
``` |
Puran Chand Joshi (14 April 1907 – 9 November 1980), one of the early leaders of the communist movement in India. He was the general secretary of the Communist Party of India from 1935 to 1947.
Early years
Joshi was born on 14 April 1907, in a Kumaoni Hindu Brahmin family of Almora, in Uttarakhand. His father Harinandan Joshi was a teacher. In 1928, he passed his M.A. examination from the Allahabad University. He was arrested soon after completion of postgraduation. He became a leading organizer of the Youth Leagues during 1928-29, along with Jawaharlal Nehru, Yusuf Meherally and others. Soon, he became the General secretary of the Workers and Peasants Party of Uttar Pradesh, formed at Meerut in October 1928. In 1929, at the age of 22, the British Government arrested him as one of the suspects of the Meerut Conspiracy Case. The other early communist leaders who were arrested along with him included Shaukat Usmani, Muzaffar Ahmed, S.A. Dange and S.V. Ghate.
Joshi was given six years of transportation to the penal settlement of Andaman Islands. Considering his age, the punishment was later reduced to three. After his release in 1933, Joshi worked towards bringing a number of groups under the banner of the Communist Party of India (CPI). In 1934 the CPI was admitted to the Third International or Comintern.
As the General Secretary
After the sudden arrest of Somnath Lahiri, then Secretary of CPI, during end-1935, Joshi became the new General Secretary. He thus became the first general secretary of Communist Party of India, for a period from 1935 to 1947. At that time the left movement was steadily growing and the British government banned communist activities from 1934 to 1938. In February 1938, when the Communist Party of India started in Bombay its first legal organ, the National Front, Joshi became its editor. The Raj re-banned the CPI in 1939, for its initial anti-War stance. When, in 1941, Nazi Germany attacked the Soviet Union, the CPI proclaimed that the nature of the war has changed to a people's war against fascism.
Ideological-political hegemony and cultural renaissance
An outstanding contribution of PC Joshi
to the theory and practice of Communist
movement was his initiation of politico-
ideological hegemony and cultural
renaissance. One rightly talks of Gramsci’s
contributions, but PCJ’s contributions have
not been given proper attention; they left
deep imprint on mass consciousness. Even
today people become Communist or demo-
crats when they delve deep into political,
ideological and cultural contributions of
his time.
PC Joshi, firstly, rendered political move-
ment of his times revolutionary as none else.
His slogan of ‘National Front’ against im-
perialism, colonialism and fascism fully
accorded with times and aspirations of
educated masses. People were attracted in
huge numbers to Communist Party even
if they all did not join it. Students, youth,
teachers, professionals, artists, enlightened
bourgeoisie and many others accepted
aspects of Marxism in their broadest mean-
ing.
During his leadership, Communists
transformed the Congress into a broad front
with strong left influence. Formation of CSP,
WPP, Left Consolidation and joint mass
organizations radicalized vast sections of
conscious people far beyond the confines
of the CPI. Key policy making centres were
operated by the Communists, such as on
industry and agriculture. Several PCCs
were directly led or participated in by Communists such as Sohan Singh Josh, S. A. Dange, S. V. Ghate, S. S. Mirajkar, Malayapuram Singaravelu, Z.A. Ahmed,
etc. there were at least 20 Communists in
the AICC, establishing a working relationship with Mahatma Gandhi, Nehru, Bose
and others. Influence of Marxism spread far
beyond Communist movement, and was
broadly accepted as the most advanced
ideology, though interpretations varied. In
fact Marxism became a ‘fashion’. By the end
of 1930s and early ‘40s, huge number of
people converted to Marxism, leaving a
deep imprint on ideology of the national
movement: Congress, CSP, HSRA, Ghadar,
Chittagong group etc. Marxism won ideo-
logical victories. Congress almost became
a left organization after the election of
Subhash Bose as Congress president, much
of whose credit should go to PC Joshi. If Bose
had not left Congress, perhaps we would
have seen a different Congress at the time
of freedom.
Secondly, art and culture were given a
mass democratic and revolutionary form
by PCJ. Songs, drama, poetry, literature,
theatre, cinema etc became vehicle of mass
consciousness and radicalization. The
printed word became mass force. All this
created a renaissance on the national scene.
Their deep effects can be seen long after freedom. Communists were the first to use these media on such scale with telling impact.
Important figures filled the socio-cul-
tural scene in literature, art, culture, films
etc, radicalizing generations. CPI, IPTA,
PWA,AISF etc inspired real progressive
movements. Many youths became Commu-
nists reading Premchand’s and Rahul’s
books and participating in mass culture.
Communist Party exercised considerable
ideological and cultural hegemony, even
though it was relatively small. There is much
contemporary lesson.
Culture became an effective means to
politicize and awaken the masses.
PCJ effortlessly combined political cul-
ture of the masses with national aspirations.
First CPI congress, 1943
The congress was as much a cultural
event as it was political. Vast number of non-party people joined the proceedings and
waited for results. PCJ’s speech was eagerly
awaited and heard with rapt attention.
Multi-faceted struggles
Joshi was a man of masses and knew when
to move and what slogans to give. His work
in Bengal famine is unparalleled. IPTA was
born of it. His analysis of roots of famine
is profoundly scientific Marxist. His correspondence with Mahatma Gandhi
convinced the ‘Father of the Nation’ of many
views of the Communists.
It is often presented as
if PCJ was a compromiser, a class
collaborationist. This
view is a legacy of the
B.T. Ranadive period when he was
much maligned.
PCJ not
only led peaceful mass
struggles and the party
in various elections including those of 1946; he
also led the party successfully in armed
struggles. It was during
his leadership that
armed struggles like
those of Kayyur,
Punnapra-Vayalar, RIN
revolt, Tebhaga and
Telangana took place.
This is sought to be underplayed. It was he who
gave the green signal for
the Telangana armed
struggle in 1946, as part
of anti-Nizam struggle and not as part of socialist revolution in India.
The two are different.
During his stewardship, several
Communists were sent to
the legislatures, even
though voting was highly
restricted.
Expulsion and rehabilitation
In the post-freedom period, the Communist Party of India, after the second congress in Calcutta (new spelling: Kolkata) adopted a path of taking up arms. Joshi was advocating unity with Indian National Congress under the leadership of Jawaharlal Nehru. He was severely criticized in the Calcutta congress of the CPI in 1948 and was removed from the general secretaryship. Subsequently, he was suspended from the Party on 27 January 1949, expelled in December 1949 and readmitted to the Party on 1 June 1951. Gradually he was sidelined, though rehabilitated through making him the editor of the Party weekly, New Age. After the Communist Party of India split, he was with the CPI. Though he explained the policy of the CPI in the 7th congress in 1964, he was never brought in the leadership directly.
Last days
In his last days, he kept himself busy in research and publication works in Jawaharlal Nehru University to establish an archive on the Indian communist movement.
Personal life
In 1943, he married Kalpana Datta (1913–1995), a revolutionary, who participated in the Chittagong armoury raid. They had two sons, Chand and Suraj. Chand Joshi (1946-2000) was a noted journalist, who worked for the Hindustan Times. He was also known for his work, Bhindranwale: Myth and Reality (1985). Chand's second wife Manini (née Chatterjee, b 1961) is also a journalist, who works for The Telegraph. Manini Chatterjee penned a book on the Chittagong armoury raid, titled, Do and Die: The Chittagong Uprising 1930-34 (1999).
See also
Kumaon
Kumauni People
References
Further reading
Chakravartty, Gargi (2007). P.C. Joshi: A Biography, New Delhi: National Book Trust, .
External links
The Hindu report on P.C. Joshi denying split in CPI
Biography of Puran Chand Joshi
1907 births
Communist Party of India politicians from Uttarakhand
People from Almora
Indian independence activists from Uttarakhand
1980 deaths
Indian communists
Indian independence activists
Prisoners and detainees of British India |
```java
package jvmgo.book.ch10;
public class ExceptionTest1 {
public static void main(String[] args) {
test(0);
test(1);
test(2);
test(3);
}
private static void test(int x) {
try {
if (x == 0) {
throw new IllegalArgumentException("0!");
}
if (x == 1) {
throw new RuntimeException("1!");
}
if (x == 2) {
throw new Exception("2!");
}
} catch (IllegalArgumentException e) {
System.out.println(e.getMessage());
} catch (RuntimeException e) {
System.out.println(e.getMessage());
} catch (Exception e) {
System.out.println(e.getMessage());
} finally {
System.out.println(x);
}
}
}
``` |
```objective-c
/* -*- mode: objc -*- */
//
// Project: Workspace
//
// Description: The FileOperation main function.
//
//
// This application is free software; you can redistribute it and/or
// modify it under the terms of the GNU General Public
//
// This application is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
//
// You should have received a copy of the GNU General Public
// Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111 USA.
//
#import <Foundation/Foundation.h>
#import "../Communicator.h"
#import "Copy.h"
#import "Move.h"
#import "Link.h"
#import "Delete.h"
BOOL isStopped;
void PrintHelp(void)
{
printf("Usage: FileOperation <options>\n\n"
"Options:"
" -Operation Copy|Move|Link|Delete \n"
" -Source directory \n"
" -Files (Source, Filename, Array) \n"
" -Destination directory \n");
}
void SignalHandler(int sig)
{
// if (sig == SIGTERM)
// fprintf(stderr, "FileOperation.tool: received TERMINATE signal\n");
if (sig == SIGINT) {
fprintf(stderr, "FileMover.tool: received INTERRUPT signal\n");
StopOperation();
}
}
void StopOperation() { isStopped = YES; }
int main(int argc, const char **argv)
{
NSString *op;
NSString *source;
NSString *dest;
NSArray *files;
NSUserDefaults *df;
BOOL argsOK = YES;
CREATE_AUTORELEASE_POOL(pool);
// Signals
signal(SIGINT, SignalHandler);
// signal(SIGTERM, SignalHandler);
// Get args
df = [NSUserDefaults standardUserDefaults];
op = [df objectForKey:@"Operation"];
source = [df objectForKey:@"Source"];
dest = [df objectForKey:@"Destination"];
// files = [df objectForKey:@"Files"];
files = [[[[NSProcessInfo processInfo] environment] objectForKey:@"Files"] propertyList];
NSDebugLLog(@"Tools", @"FileMover.tool: files: %@", files);
NSDebugLLog(@"Tools", @"FileMover.tool: files count: %lu", [files count]);
// Check args
if (op == nil || ![op isKindOfClass:[NSString class]]) {
printf("FileMover.tool: unknown operation type (-Operation)!\n");
argsOK = NO;
} else if (source == nil || ![source isKindOfClass:[NSString class]]) {
printf("FileMover.tool: incorrect source path (-Source)!\n");
argsOK = NO;
} else if (![op isEqualToString:@"Delete"] && ![op isEqualToString:@"Duplicate"]) {
if (dest == nil || ![dest isKindOfClass:[NSString class]]) {
printf("FileMover.tool: incorrect destination path (-Destination)!\n");
argsOK = NO;
} else if (files == nil || ![files isKindOfClass:[NSArray class]]) {
printf("FileMover.tool: incorect file list (-Files)!\n");
argsOK = NO;
}
}
if (argsOK == NO) {
PrintHelp();
return 1;
}
isStopped = NO;
if ([op isEqualToString:@"Copy"]) {
CopyOperation(source, files, dest, CopyOp);
} else if ([op isEqualToString:@"Move"]) {
MoveOperation(source, files, dest);
} else if ([op isEqualToString:@"Link"]) {
LinkOperation(source, files, dest);
} else if ([op isEqualToString:@"Duplicate"]) {
DuplicateOperation(source, files); // located in Copy.m
} else if ([op isEqualToString:@"Delete"]) {
DeleteOperation(source, files);
} else {
printf("FileMover.tool: unknown operation type!\n");
PrintHelp();
return 1;
}
[[Communicator shared] finishOperation:op stopped:isStopped];
DESTROY(pool);
return 0;
}
``` |
Chun Myung-hoon (born April 6, 1978) is a South Korean singer, rapper, actor and television presenter. He is a member of boy band NRG. He released his single, Welcome To The Jungle on October 19, 2012. He is well known as a cast member on several TV shows, including Girl Spirit.
Career
Early years
Chun's passion for dance began early and he had been part of a break-dancing crew during his teenage years. Despite his father's opposition to him entering show business, Chun began his career as a backup dancer and debuted in 1996 as one-half of the dance-pop duo Hamo Hamo (ko) with Lee Sung-jin, while Noh Yoo-min and Moon Sung-hoon served as their backup dancers. The foursome would go on to form NRG. As they debuted around the same time as H.O.T., Chun quipped on Handsome Boys of the 20th Century that NRG would not have been formed had Hamo Hamo not been overshadowed by the massive success of H.O.T.
1997–2009: NRG, military service and disbandment
In 1997, the four members of Hamo Hamo and new addition Kim Hwan-sung (died in 2000) were formed into a boy band called NRG, which stood for "New Radiancy Group". The group had their big break with the 2003 single "Hit Song", composed by Chun, and won their first ever #1 on a music program. With Moon having left the group in 2004, the group took a break before releasing their seventh album One of Five. They went on hiatus while Chun and Noh served their mandatory military service from 2007 to 2009. However their future plans of a comeback were put on hold due to Lee's fraud and gambling investigation and they eventually agreed to go their separate ways.
2009–2016: Solo activities
After NRG's disbandment, Chun was the only member who remained in the entertainment industry; Noh and Moon had both entered the business world while Lee stayed out of the public eye due to his legal troubles. Chun began his career as a solo singer and a cast member on various variety shows. He was a main cast member on the variety-reality show Handsome Boys of the 20th Century which featured his fellow first-generation counterparts Moon Hee-jun and Tony An of H.O.T., Sechs Kies leader and rapper Eun Ji-won and rapper Danny Ahn of g.o.d, all of whom were born in the year 1978. The five entertainers formed a "group" called HOTSechgodRG, a combination of all their idol group names, and remade NRG's debut song "I Can Do It" (할 수 있어).
2017: NRG's comeback
On October 22, 2016, Chun reunited with Noh Yoo-min and Lee Sung-jin to announce that NRG would be returning the following year to celebrate the 20th anniversary of their debut.
Discography
As a featured artist
Filmography
Variety shows
Music videos
References
External links
1978 births
Living people
South Korean male singers
South Korean male rappers
South Korean male idols
South Korean pop singers
South Korean hip hop dancers
South Korean television presenters
Kyung Hee University alumni
Singers from Seoul
Myung-hoon
Mr Trot participants |
Feel It is the debut album by Philadelphia-based Fat Larry's Band.
Track listing
"Feel It" - (Larry James, Ronnie Walker, Vincent Montana, Jr.) 5:14
"Nighttime Boogie" - (Erskine Williams, Larry James, Larry M. LaBes, Ted Cohen) 5:17
"Down on the Avenue" - (Charles Kelly, Larry James, Larry M. LaBes) 5:18
"Music Maker" - (Larry James, Larry M. LaBes, Ted Cohen, William Kimes) 3:43
"Center City" - (Doris Hall, Larry James, Ronnie Walker, Vincent Montana, Jr.) 3:38
"Fascination" - (David Bowie, Luther Vandross) 6:55
"Life of an Entertainer" - (Charles Kelly, Erskine Williams, Larry James) 4:41
"We Just Want to Play for You" - (C. Gunner, Larry James, Larry M. LaBes) 5:15
Personnel
Larry James - Drums, Vocals
Larry LaBes - Bass, Vocals
Erskine Williams - Keyboards, Vocals
Ted Cohen - Guitar, Vocals
Dennis Locantore - Bass
Ronnie James, Ronnie Walker - Guitar
Dennis Henderson - Timbales
James Walker - Congas, Timbales
Darryl Grant - Percussion, Vocals
Greg Moore - Congas
John Bonnie - Alto Saxophone
Doug Khalif Jones - Alto, Soprano, Tenor Saxophone, Vocals
Jimmy Lee - Trombone, Alto Saxophone, Vocals
Art Capehart - Trumpet, Flute, Vocals
Chestine Murph, Joan Hanson, Mharlyn Merrit - Backing Vocals arranged by Doris Hall
References
External links
Fat Larry's Band-Feel It at Discogs
1976 debut albums
Albums recorded at Sigma Sound Studios |
Veerabhadran is a 1979 Indian Malayalam film, directed by N. Sankaran Nair and produced by L. N. Potti. The film stars Sukumari, Hari, Ambika and Lalu Alex in the lead roles. The film has musical score by G. Devarajan.
Cast
Sukumari
Hari
Ambika
Lalu Alex
Nellikode Bhaskaran
Rama
Soundtrack
The music was composed by G. Devarajan and the lyrics were written by L. N. Potti.
References
External links
1979 films
1970s Malayalam-language films
Films directed by N. Sankaran Nair |
The red-headed manakin (Ceratopipra rubrocapilla) is a species of bird in the family Pipridae. It is found in Bolivia, Brazil, and Peru. Its natural habitat is subtropical or tropical moist lowland forest.
References
red-headed manakin
Birds of the Amazon rainforest
Birds of the Atlantic Forest
red-headed manakin
Birds of Brazil
Taxonomy articles created by Polbot |
Pieter Helbert Damsté (August 10, 1860 – February 5, 1943) was a Dutch classical scholar.
Biography
Damsté was born in Wilsum as the son of preacher Barteld Roelof Damsté and Richardina Jacoba Gesina Gallé. His 1885 dissertation was called Adversaria critica ad C. Valerii Flacci Argonautica. He taught Latin at Utrecht University.
External links
Biography and list of publications
Biography
1860 births
1943 deaths
People from Kampen, Overijssel
Dutch classical scholars
Classical scholars of Utrecht University |
Victor de Buck ( de "book"), (21 April 1817, Oudenaarde, Belgium – 23 May 1876, Brussels) was a Belgian Jesuit priest and theologian. He is credited with relaunching the work of the Bollandists in the 19th century, after the restoration of the Society of Jesus.
Life
His family was one of the most distinguished in the city of Oudenaarde (Audenarde). After a course in the humanities, begun at the College of Soignies and the petit seminaire of Roeselare and completed in 1835 at the college of the Society of Jesus at Aalst, he entered the Society of Jesus on 11 October 1835. After two years in the novitiate, then at Nivelles, and a year at Tronchiennes reviewing and finishing his literary studies, he went to Namur in September 1838 to study philosophy and the natural sciences. De Buck wrote with ease in Flemish, French, and Latin.
The work of the Bollandists had just been revived and, in spite of his youth, Victor de Buck was summoned to act as assistant to the hagiographers. He remained at this work in Brussels from September 1840, to September 1845. After devoting four years to theological studies at Louvain where he was ordained priest in 1848, and making his third year of probation in the Society of Jesus, he was permanently assigned to the Bollandist work in 1850. He remained engaged in it until his death, living in a room at St. Michael's College, Brussels, which also served as his study. He had already published in Vol. VII of the October Acta Sanctorum, which appeared in 1845, sixteen commentaries or notices that are easily distinguishable because they are without a signature, unlike those written by the Bollandists. In the early years, he would periodically take a brief respite to preach a country mission in Flemish.
He composed in collaboration with scholastic Antoine Tinnebroek an able refutation of a book published by the professor of canon law at the University of Leuven, in which the rights of the regular clergy were assailed and repudiated. This refutation, which fills an octavo volume of 640 pages, was ready for publication within four months. It was to have been supplemented by a second volume that was almost completed but could not be published because of the political disturbances of the year, the prelude to the revolutions of 1848. The work was never resumed.
Besides the numerous commentaries in Vols. IX, X, XI, XII, and XIII of the October Acta Sanctorum, which won much praise, Father de Buck published in Latin, French and Dutch a large number of little works of piety and dissertations on devotion to the saints, church history, and Christian archaeology. The partial enumeration of these works fills two folio columns of his eulogy, in the forepart of vol. II of the November Acta. Because of his extensive learning and investigating turn of mind he was naturally bent upon probing abstruse and perplexing questions. Thus in 1862 he was led to publish in the form of a letter to his brother Remi, then professor of church history at the theological college of Louvain and soon afterwards his colleague on the Bollandist work, a Latin dissertation, De solemnitate praecipue paupertatis religiosae. This was followed in 1863 and 1864 by two treatises in French, one under the title Solution amiable de la question des couvents and the other De l'état religieux, treating of the religious life in Belgium in the nineteenth century.
De Buck was part of an international scholarly community, researching, studying, and sharing citations with colleagues. He maintained a frequent correspondence with Agostino Morini, O.S.M.
Relics controversy
In order to satisfy the many requests made to Rome by churches and religious communities for relics of saints, it had become customary to take from the catacombs of Rome the bodies of unknown personages believed to have been honored as martyrs in the early Church. The sign by which they were to be recognized was a glass vial sealed up in the plaster outside the loculus that contained the body, and bearing traces of a red substance that had been enclosed and was supposed to have been blood. Doubts had arisen as to the correctness of this interpretation and, after careful study, Victor de Buck felt convinced that it was false and that what had been taken for blood was probably the sediment of consecrated wine. The conclusion, together with its premises, was set forth in a dissertation published in 1855 under the title De phialis rubricatis quibus martyrum romanorum sepulcra dignosci dicuntur. Naturally it raised lively protestations, particularly on the part of those who were responsible for distributing the relics of the saints, the more so, as the cardinal vicar of Rome in 1861 strictly forbade any further transportation of these relics.
De Buck had only a few copies of his work printed, these being intended for the cardinals and prelates particularly interested in the question. As none were put on the market, it was rumored that de Buck's superiors had suppressed the publication of the book and that all the copies printed, save five or six, had been destroyed. This was untrue; no copy had been destroyed and his superiors had laid no blame upon the author. Then, in 1863, a decree was obtained from the Congregation of Rites, renewing an older decree, whereby it was declared that a vial of blood placed outside of a sepulchral niche in the catacombs was an unmistakable sign by which the tomb of a martyr might be known, and it was proclaimed that Victor de Buck's opinion was formally disapproved and condemned by Rome. This too was false, as Father De Buck had never intimated that the placing of the vial of blood did not indicate the resting-place of a martyr, when it could be proved that the vial contained genuine blood, such as was supposed by the decree of the congregation.
Finally, there appeared in Paris a large quarto volume written by the Roman prelate, Monsignor Sconamiglio, Reliquiarum custode. It was filled with caustic criticisms of the author of De phialis rubricatis and relegated him to the rank of notorious heretics who had combated devotion to the saints and the veneration of their relics. Victor de Buck seemed all but insensible to the attacks and contented himself with opposing to Monsignor Sconamiglio's book a protest in which he rectified the more or less unconscious error of his enemies by proving that neither the decree of 1863 nor any other decision emanating from ecclesiastical authority had affected his thesis.
Ecumenism
Opinions were attributed to de Buck which, if not formally heretical, at least openly defied ideas generally accepted by Catholics. What apparently gave rise to these accusations were the amicable relations established, principally through correspondence, between Victor de Buck and such men as the celebrated Edward Pusey in England, and Montalembert, in France. Through contacts with foreign hagiographers and the English Jesuits in Louvain, de Buck developed an interest in a possible reunification of the Churches. During the 1850s he expressed this interest in a number of publications, including the Études Religieuses and The Rambler. De Buck's opinion regarding the views of Pusey were closer to those of Newman than Cardinal Manning.
A shared interest in the lives of the saints brought him in contact with Alexander Forbes, the learned Anglican bishop, with whom he corresponded at length. De Buck was also a friend of Bishop Félix Dupanloup. These relations were brought about by the reputation for deep learning, integrity, and scientific independence that de Buck's works had earned for him, by his readiness to oblige those who addressed questions to him, and by his earnestness and skill in elucidating the most difficult questions. Grave and direct accusations were made against de Buck and reported to the pope.
In a Latin letter addressed to Cardinal Patrizzi, and intended to come to the notice of the pope, Father de Buck repudiated the calumnies in a manner that betrayed how deeply he had been affected. His protest was supported by the testimony of four of his principal superiors, former provincials, and rectors who eagerly vouched for the sincerely of his declarations and the genuineness of his religious spirit. With the consent of his superiors he published this letter in order to communicate with those of his friends who might have been disturbed by these accusations.
De Buck had hoped for an Anglican presence at the First Vatican Council as a step toward rapprochement, but doctrinal differences proved an impediment; the doctrine of infallibility.
Father Peter Jan Beckx, Father General of the Society, summoned him to Rome to act as official theologian at the First Vatican Council. Father de Buck assumed these new duties with his accustomed ardor and, upon his return, showed the first symptoms of arteriosclerosis, which finally ended his life. Toward the end of his life, Father de Buck lost his sight, but dictated from memory, material previously compiled regarding saints of the early Celtic Church in Ireland, to his brother, Fr. Remi de Buck, also a Bollandist.
Works
De phialis rubricatis quibus martyrum romanorum sepulcra dignosci dicuntur (1855)
Les Saints Martyrs Japonais de La Compagnie de Jesus Paul Miki, Jean Soan de Gotto Et Jacques Kisai (1863)
Le Gesù de Rome: Notice Descriptive et Historique (1871)
Notes
Further reading
Jurich, James P. The Ecumenical Relations of Victor de Buck, S.J., with Anglican Leaders on the Eve of Vatican I, Université catholique de Louvain, 1988
1817 births
1876 deaths
19th-century Belgian Jesuits
19th-century Belgian Roman Catholic theologians
KU Leuven alumni
People from Oudenaarde |
```java
/*
*
* This file is part of LibreTorrent.
*
* LibreTorrent is free software: you can redistribute it and/or modify
* (at your option) any later version.
*
* LibreTorrent is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*
* along with LibreTorrent. If not, see <path_to_url
*/
package org.proninyaroslav.libretorrent.core.model.session;
import androidx.core.util.Pair;
import org.apache.commons.io.IOUtils;
import org.junit.Test;
import java.io.InputStream;
import java.util.List;
import static org.junit.Assert.*;
public class IPFilterParserTest
{
private String dat_file =
"# Accept this ranges\n" +
"000.000.000.000 - 000.255.255.255 , 000 , Bogon\n" +
"2002:0000:0000:0:0:0:0:0 - 2002:00ff:ffff:0:0:0:0:0 , 000 , Bogon\n" +
"001.002.004.000 - 001.002.004.255 , 000 , China Internet Information Center (CNNIC)\n" +
"001.002.008.000 - 001.002.008.255 , 000 , China Internet Information Center (CNNIC)\n" +
"001.009.096.105 - 001.009.096.105 , 000 , Botnet on Telekom Malaysia\n" +
"001.009.102.251 - 001.009.102.251 , 000 , Botnet on Telekom Malaysia\n" +
"001.009.106.186 - 001.009.106.186 , 000 , Botnet on Telekom Malaysia\n" +
"001.016.000.000 - 001.019.255.255 , 000 , Korea Internet & Security Agency (KISA) - IPv6 Policy\n" +
"001.055.241.140 - 001.055.241.140 , 000 , Botnet on FPT Telecom\n" +
"// Ignore this ranges\n" +
"1.093.021.147-001.093.021.147,200,SMSHoax FakeAV Fraud Trojan\n" +
"001.093.026.097-001.093.026.97,200,SMSHoax FakeAV Fraud Trojan\n";
private String p2p_file =
"# This is a comment\n" +
"Bogon : 000.000.000.000 - 000.255.255.255\n" +
"China Internet Information Center (CNNIC) : 001.002.004.000 - 001.002.004.255\n" +
"China Internet Information Center (CNNIC) : 001.002.008.000 - 001.002.008.255\n" +
"Botnet on Telekom Malaysia : 001.009.096.105 - 001.009.096.105\n" +
"Botnet on Telekom Malaysia : 001.009.102.251 - 001.009.102.251\n" +
"Botnet on Telekom Malaysia : 001.009.106.186 - 001.009.106.186\n" +
"Korea Internet & Security Agency (KISA) - IPv6 Policy : 001.016.000.000 - 001.019.255.255\n" +
"Botnet on FPT Telecom : 001.055.241.140 - 001.055.241.140\n" +
"// This is another comment\n" +
"SMSHoax FakeAV Fraud Trojan:1.093.021.147-001.093.021.147\n" +
"SMSHoax FakeAV Fraud Trojan:001.093.026.97-001.093.026.097\n";
private Pair[] dat_expected_ranges = new Pair[] {
Pair.create("000.000.000.000", "000.255.255.255"),
Pair.create("2002:0000:0000:0:0:0:0:0", "2002:00ff:ffff:0:0:0:0:0"),
Pair.create("001.002.004.000", "001.002.004.255"),
Pair.create("001.002.008.000", "001.002.008.255"),
Pair.create("001.009.096.105", "001.009.096.105"),
Pair.create("001.009.102.251", "001.009.102.251"),
Pair.create("001.009.106.186", "001.009.106.186"),
Pair.create("001.016.000.000", "001.019.255.255"),
Pair.create("001.055.241.140", "001.055.241.140"),
};
private Pair[] p2p_expected_ranges = new Pair[] {
Pair.create("000.000.000.000", "000.255.255.255"),
Pair.create("001.002.004.000", "001.002.004.255"),
Pair.create("001.002.008.000", "001.002.008.255"),
Pair.create("001.009.096.105", "001.009.096.105"),
Pair.create("001.009.102.251", "001.009.102.251"),
Pair.create("001.009.106.186", "001.009.106.186"),
Pair.create("001.016.000.000", "001.019.255.255"),
Pair.create("001.055.241.140", "001.055.241.140"),
Pair.create("1.093.021.147", "001.093.021.147"),
Pair.create("001.093.026.97", "001.093.026.097"),
};
@Test
public void parseDAT()
{
FakeIPFilter filter = new FakeIPFilter();
try (InputStream is = IOUtils.toInputStream(dat_file, "UTF-8")) {
int ruleCount = new IPFilterParser(false).parseDAT(is, filter);
assertEquals(dat_expected_ranges.length, ruleCount);
List<Pair<String, String>> ranges = filter.getRanges();
assertEquals(dat_expected_ranges.length, ranges.size());
for (int i = 0; i < dat_expected_ranges.length; i++)
assertEquals(dat_expected_ranges[i], ranges.get(i));
} catch (Exception e) {
fail(e.toString());
}
}
@Test
public void parseP2P()
{
FakeIPFilter filter = new FakeIPFilter();
try (InputStream is = IOUtils.toInputStream(p2p_file, "UTF-8")) {
int ruleCount = new IPFilterParser(false).parseP2P(is, filter);
assertEquals(p2p_expected_ranges.length, ruleCount);
List<Pair<String, String>> ranges = filter.getRanges();
assertEquals(p2p_expected_ranges.length, ranges.size());
for (int i = 0; i < p2p_expected_ranges.length; i++)
assertEquals(p2p_expected_ranges[i], ranges.get(i));
} catch (Exception e) {
fail(e.toString());
}
}
}
``` |
Robert Gravier (5 September 1905 - 15 July 2005) was a French politician. He served as a member of the French Senate from 1946 to 1974, where he represented Meurthe-et-Moselle.
References
1905 births
2005 deaths
People from Meurthe-et-Moselle
French senators of the Fourth Republic
French senators of the Fifth Republic
Senators of Meurthe-et-Moselle |
The Foss and Wells House is a historic Italianate house located in Jordan, Minnesota. It was listed on the National Register of Historic Places on April 17, 1980.
Description and history
It was built with local sandstone in 1858. Foss and Wells operated a nearby flour and gristmill.
References
External links
National Register Nomination Form
Houses completed in 1858
Houses in Scott County, Minnesota
Houses on the National Register of Historic Places in Minnesota
National Register of Historic Places in Scott County, Minnesota
Italianate architecture in Minnesota |
The Umm Irna Formation is a geological formation in Jordan. It is found in several outcrops in Jordan in the area around the eastern shore of the Dead Sea. It is Late Permian (likely Changhsingian) in age, and is the oldest unit in the succession, overlying the Cambrian aged Umm Ishrin Sandstone Formation. The formation predominantly consists of sandstones, claystones and mudstones deposited in fluvial and lacustrine conditions. The formation is of considerable paleobotanical interest, as it preserves the earliest known remains of plant groups that would become widespread during the Mesozoic, including corystosperm "seed ferns", represented by the widespread Triassic genus Dicroidium, cycads (cf. Ctenis), conifers (which were originally suggested to be podocarps, but this was later questioned), as well as Bennettitales. Other plant groups present in the formation include Noeggerathiales, gigantopterids, lyginopterids and possible ginkgophytes.
References
Geologic formations of Jordan
Permian System of Asia
Lopingian geology
Shale formations
Siltstone formations
Sandstone formations
Paleontology in Jordan |
Arabella Field (born February 5, 1965) is an American actress and film producer known for her roles in films such as Dante's Peak, Feeling Minnesota, Godzilla, National Treasure, Paper Man and as Melinda Bitterman in the animated television version of Rick Kirkman and Jerry Scott's daily comic strip Baby Blues.
Career
She has guest starred in a number of notable television series, including The Sopranos, Seinfeld, Law & Order, Numb3rs, House, Rules of Engagement, In Case of Emergency and other shows. She had a recurring role playing Patsi Moosekian in the show Under Suspicion.
In 2010, Field starred in the web series Sex and the Austen Girl on Babelgum, produced and directed by her husband, Brian Gerber. Field and Gerber had two children together before his death, by suicide, in 2012.
Filmography
Film
Television
References
External links
1965 births
American film actresses
American television actresses
Living people
Actresses from New York City
21st-century American women |
Clay Cross Tunnel is a tunnel on the former North Midland Railway line near Clay Cross in Derbyshire, England, now part of the Midland Main Line.
Construction
It was designed by George Stephenson with an estimate of £96,000 for construction. The tenders for the work were issued by the North Midland Railway in December 1836. The contractors appointed were Messrs. Hardy, Copeland and Cropper of Watford for the sum of £105,400 (). The tunnel was to be wide and high with a bed of broken stone at the base deep to form the rail bed. The tunnel was to be arched completely round with brickwork laid in Roman cement deep in the roof and walls, and deep in the floor. Approximately 15 million bricks were required for the tunnel lining. The greatest depth below the surface was about .
Construction began on 2 February 1837 when the first sod was turned for the sinking of the ventilation shaft in the centre of the tunnel. The boring of the tunnel was not straightforward, eventually costing £140,000 (equivalent to £ in ), instead of the expected £98,000 (equivalent to £ in ), with the loss of fifteen lives.
It was reported in August 1839 that the tunnel excavation was completed, and the last brick was expected to be laid within a few days, but in fact was not completed until 18 December 1839.
Description
It begins at the former Derbyshire summit of the line, also the highest point of the whole line, just after the old Stretton railway station. Situated at the watershed of the rivers Amber and Rother. Clay Cross is directly above it and there are ventilation shafts in Market Street (around which the council have placed seats) and High Street (some above the line).
Until the building of the tunnel, no deep prospecting for minerals had been carried out. The discovery of coal and iron led to George Stephenson moving to Tapton House, near Chesterfield. With a group of others, he bought a tract of land north of the tunnel and set up a company, George Stephenson and Co., later renamed the Clay Cross Company.
The northern portal is a magnificent Moorish design and is now Grade II listed. The south portal is also Grade II listed
Clay Cross railway station was at the northern end, where the line was met by that from the Erewash Valley.
The tunnel saw one of the first uses of the absolute block signalling system, maybe after a narrow escape on the south bound inaugural run. The train was heavier than expected and a pilot engine was provided at the rear. This was detached at the entrance to the tunnel, but halfway through the train came to a halt, and someone had to walk back for the pilot, to the consternation of the passengers. Stephenson had been shown the system by its inventor William Fothergill Cooke supported by Wheatstone of the Wheatstone bridge fame. This was the forerunner of the Midland Railway's system.
See also
Listed buildings in Clay Cross
References
Sources
External links
Extract for the Accident at Clay Cross Tunnel on 29 March 1844
Grade II listed buildings in Derbyshire
Railway tunnels in England
Rail transport in Derbyshire
Tunnels in Derbyshire
History of Derbyshire
Tunnels completed in 1839
Midland Railway |
This is a complete list of New York State Historic Markers in Cortland County, New York.
Listings county-wide
See also
List of New York State Historic Markers
National Register of Historic Places listings in New York
List of National Historic Landmarks in New York
References
Cortland
Cortland County, New York |
Localeze is a content manager for local search engines. The company, a service of Neustar, provides businesses with tools to verify and manage the identity of their local listings across the Web. The company works with local search platform partners and location-based service partners, national brands and local business clients.
History
Localeze was created in 2005 to help businesses ensure that they have accurate name, address and phone number data available on search engines, Internet Yellow Pages and vertical directories.
In 2010, business listings were also included in personal navigation devices, mobile apps and on social networking services.
Product description
As a local search business listings provider, Localeze collects and distributes business listings that can be verified by businesses themselves. Its business listings are used by search, social and mobile companies in the domain of Local Search and location-based services. Such partners include Yahoo!, Bing, Yellow Pages, TomTom, Siri (acquired by Apple), Twitter, and Facebook.
External links
References
Geosocial networking
Mobile technology |
Newton–Wigner localization (named after Theodore Duddell Newton and Eugene Wigner) is a scheme for obtaining a position operator for massive relativistic quantum particles. It is known to largely conflict with the Reeh–Schlieder theorem outside of a very limited scope.
The Newton–Wigner position operators 1, 2, 3, are the premier notion of position
in relativistic quantum mechanics of a single particle. They enjoy the same
commutation relations with the 3 space momentum operators and transform under
rotations in the same way as the , , in ordinary QM. Though formally they have the same properties with respect to 1,
2, 3, as
the position in ordinary QM, they have additional properties: One of these is that
This ensures that the free particle moves at the expected velocity with the given momentum/energy.
Apparently these notions were discovered when attempting to define a self adjoint operator in the relativistic setting that resembled the
position operator in basic quantum mechanics in the sense that at low momenta it
approximately agreed with that operator. It also has several famous strange behaviors (see the Hegerfeldt theorem in particular), one of
which is seen as the motivation for having to introduce quantum field theory.
References
M.H.L. Pryce, Proc. Roy. Soc. 195A, 62 (1948)
V. Bargmann and E. P. Wigner, Proc Natl Acad Sci USA 34, 211-223 (1948). pdf
V. Moretti, On the relativistic spatial localization for massive real scalar Klein–Gordon quantum particles Lett Math Phys 113, 66 (2023).
Quantum field theory
Axiomatic quantum field theory |
Kurt Heubusch (August 4, 1941 – March 12, 2006) was an Austrian sprint canoer who competed from the mid-1960s to the early 1970s. At the 1964 Summer Olympics in Tokyo, he was eliminated in the semifinals of the K-4 1000 m event. Eight years later in Munich, Heubusch was eliminated again in the K-4 1000 m event only this time it was in the repechages.
References
Kurt Heubusch's profile at Sports Reference.com
Kurt Heubush's obituary
1941 births
2006 deaths
Austrian male canoeists
Canoeists at the 1964 Summer Olympics
Canoeists at the 1972 Summer Olympics
Olympic canoeists for Austria |
The Chicago Rush season was the eighth season for the franchise. The Rush finished the regular season 11–5, making the playoffs again as they have in every year of their existence. They won their second consecutive Central Division title, and entered the playoffs as the top seed in the American Conference. They were eliminated from the playoffs in the Divisional round by the Grand Rapids Rampage, 41–58.
Standings
Regular Season schedule
Playoff schedule
Coaching
Final roster
Stats
Passing
Receiving
Regular season
Week 1: vs. San Jose SaberCats
Week 2: vs. Philadelphia Soul
Week 3: at Grand Rapids Rampage
Week 4: vs. Colorado Crush
Week 5: vs. Arizona Rattlers
Week 6: at Orlando Predators
Week 7: at Kansas City Brigade
Week 8: vs. Grand Rapids Rampage
Week 9: at Colorado Crush
Week 10: at Tampa Bay Storm
Week 11
Bye Week
Week 12: vs. Los Angeles Avengers
Week 13: at Utah Blaze
Week 14: vs. Kansas City Brigade
Week 15: at Cleveland Gladiators
Week 16: at Georgia Force
Week 17: vs. Dallas Desperados
Playoffs
American Conference Divisional: vs. (6) Grand Rapids Rampage
External links
Chicago Rush
Chicago Rush seasons
Chicago |
Shady Run Canyon is a valley in the U.S. state of Nevada.
Shady Run Canyon was named for the fact it had shade trees.
References
Valleys of Churchill County, Nevada |
Yuan Liying (; born 13 April 2005) is a Chinese track cyclist, who competes in sprinting events.
References
External links
2005 births
Living people
Chinese female cyclists
Chinese track cyclists
Place of birth missing (living people)
21st-century Chinese women
Asian Games gold medalists for China
Asian Games silver medalists for China
Asian Games medalists in cycling
Cyclists at the 2022 Asian Games
Medalists at the 2022 Asian Games |
Degani is a surname. Notable people with the surname include:
Amos Degani (1926–2012), Israeli politician
Barbara Degani (born 1966), Italian politician
Menahem Degani (1927–2018), Israeli basketball player
Valentino Degani (1905–1974), Italian footballer
Italian-language surnames |
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Spinner</title>
</head>
<style>
#html-spinner{
width:40px;
height:40px;
border:4px solid #fcd779;
border-top:4px solid white;
border-radius:50%;
}
#html-spinner, #svg-spinner{
-webkit-transition-property: -webkit-transform;
-webkit-transition-duration: 1.2s;
-webkit-animation-name: rotate;
-webkit-animation-iteration-count: infinite;
-webkit-animation-timing-function: linear;
-moz-transition-property: -moz-transform;
-moz-animation-name: rotate;
-moz-animation-duration: 1.2s;
-moz-animation-iteration-count: infinite;
-moz-animation-timing-function: linear;
transition-property: transform;
animation-name: rotate;
animation-duration: 1.2s;
animation-iteration-count: infinite;
animation-timing-function: linear;
}
@-webkit-keyframes rotate {
from {-webkit-transform: rotate(0deg);}
to {-webkit-transform: rotate(360deg);}
}
@-moz-keyframes rotate {
from {-moz-transform: rotate(0deg);}
to {-moz-transform: rotate(360deg);}
}
@keyframes rotate {
from {transform: rotate(0deg);}
to {transform: rotate(360deg);}
}
/* Rest of page style*/
body{
background:#FABC20;
font-family: 'Open Sans', sans-serif;
-webkit-font-smoothing: antialiased;
color:#393D3D;
}
#container{
width:90%;
max-width:700px;
margin:1em auto;
position:relative;
}
/* spinner positioning */
#html-spinner, #svg-spinner{
position:absolute;
top:80px;
margin-left:-24px;
}
#html-spinner{
left:25%;
}
#svg-spinner{
left:75%;
}
#html-para, #svg-para{
position:absolute;
top:100px;
width:40%;
padding:5%;
text-align:center;
}
#svg-para{
left:50%;
}
</style>
<body>
<div id="container">
<!--Element for spinner made with HTML + CSS-->
<div id="html-spinner"></div>
<p id="html-para">Spinner created with only HTML and CSS</p>
<!--Element for custom SVG spinner-->
<svg id="svg-spinner" xmlns="path_to_url" width="48" height="48" viewBox="0 0 48 48">
<circle cx="24" cy="4" r="4" fill="#fff"/>
<circle cx="12.19" cy="7.86" r="3.7" fill="#fffbf2"/>
<circle cx="5.02" cy="17.68" r="3.4" fill="#fef7e4"/>
<circle cx="5.02" cy="30.32" r="3.1" fill="#fef3d7"/>
<circle cx="12.19" cy="40.14" r="2.8" fill="#feefc9"/>
<circle cx="24" cy="44" r="2.5" fill="#feebbc"/>
<circle cx="35.81" cy="40.14" r="2.2" fill="#fde7af"/>
<circle cx="42.98" cy="30.32" r="1.9" fill="#fde3a1"/>
<circle cx="42.98" cy="17.68" r="1.6" fill="#fddf94"/>
<circle cx="35.81" cy="7.86" r="1.3" fill="#fcdb86"/>
</svg>
<p id="svg-para">Spinner created with custom SVG and CSS Animation</p>
</div>
</div>
</body>
<script>
document.addEventListener("DOMContentLoaded", function(event) {
//Removing article link when on mobiforge
console.log(document.referrer);
if (parent !== window && document.referrer.indexOf('path_to_url === 0 && document.referrer.indexOf('path_to_url === 0)
{
console.log(document.referrer);
document.getElementById('article-link').className = "fade-out";
}
});
</script>
</html>
``` |
The Panasonic Lumix DMC-LX5, or LX5, is a high-end compact "point and shoot" camera launched by Panasonic in 2010 to succeed the LX3.
The camera is also sold by Leica under the name D-Lux 5 (which has its own exterior design and firmware implementation).
Its successor is the new Panasonic Lumix DMC-LX7 with CMOS sensor but still maintaining the same resolution (10.1MP).
Features
The LX5 has:.
High sensitivity 1/1.63-inch CCD (10.1 megapixels)
24 – 90 mm (35 mm equivalent) ultra wide-angle f/2.0 - 3.3 LEICA DC VARIO-SUMMICRON lens (3.8x optical zoom)
POWER O.I.S (optical image stabilizer)
3.0-inch (460,000-dot) LCD
Optional full manual operation
HD 720p30 quality movie clips in AVCHD Lite and Motion JPEG format
HDMI output
Accessories
DMW BCJ13 - Battery. Chipped to encourage OEM battery usage. Some 3rd party batteries work, but features like battery level indicator typically do not work.
DMW-AC5 - AC adapter. Needs DMW-DCC5 to supply power to camera. Port in battery door allows connection to DMW-DCC5.
DMW-DCC5 - DC Coupler. Replaces battery pack in the camera. Needs DMW-AC5 to work with AC power.
DMW-LVF1 - External Live Viewfinder (Electronic)
DMW-VF1 - External Viewfinder. Optical, static
DMW-LWA52 - Wide Conversion Lens - Needs DMW-LA6
DMW-LPL52 - Circular PL Filter - Needs DMW-LA6
DMW-LND52 - Neutral Density Filter - 3 shutter stops - Needs DMW-LA6
DMW-LMC52 - Lens protectors - Needs DMW-LA6
DMW-LA6 - Lens adapter. Works with DMW-LW52, DMW-LND52, DMW-LPL52, DMW-LMC52
RP-CDHM15/RM-CDHM30 - Mini-HDMI to HDMI cables. Hooks up LX5 to HDMI up to 1080i. Only for reviewing pictures/video, not for preview.
Similar cameras
Similar high-end compact cameras ("large" sensor and lens maximum aperture) are the Olympus XZ-1, the Canon PowerShot S95 and the Nikon Coolpix P7000.
Notes
External links
Lumix Official Website UK
Lumix Official Website USA
Lumix DMC-LX5 Photos
Official Website Global
LX5 Official Website Global
Panasonic Lumix cameras
Point-and-shoot cameras
Digital cameras with CCD image sensor |
```xml
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "path_to_url">
<mapper namespace="com.zheng.cms.rpc.mapper.CmsArticleExtMapper">
<resultMap id="BaseResultMap" type="com.zheng.cms.dao.model.CmsArticle">
<id column="article_id" jdbcType="INTEGER" property="articleId" />
<result column="topic_id" jdbcType="INTEGER" property="topicId" />
<result column="title" jdbcType="VARCHAR" property="title" />
<result column="author" jdbcType="VARCHAR" property="author" />
<result column="fromurl" jdbcType="VARCHAR" property="fromurl" />
<result column="image" jdbcType="VARCHAR" property="image" />
<result column="keywords" jdbcType="VARCHAR" property="keywords" />
<result column="description" jdbcType="VARCHAR" property="description" />
<result column="type" jdbcType="TINYINT" property="type" />
<result column="allowcomments" jdbcType="TINYINT" property="allowcomments" />
<result column="status" jdbcType="TINYINT" property="status" />
<result column="user_id" jdbcType="INTEGER" property="userId" />
<result column="readnumber" jdbcType="INTEGER" property="readnumber" />
<result column="top" jdbcType="INTEGER" property="top" />
<result column="system_id" jdbcType="INTEGER" property="systemId" />
<result column="ctime" jdbcType="BIGINT" property="ctime" />
<result column="orders" jdbcType="BIGINT" property="orders" />
</resultMap>
<resultMap extends="BaseResultMap" id="ResultMapWithBLOBs" type="com.zheng.cms.dao.model.CmsArticle">
<result column="content" jdbcType="LONGVARCHAR" property="content" />
</resultMap>
<!-- -->
<select id="up" resultType="java.lang.Integer" parameterType="java.lang.Integer">
select
u.id u_id,u.username,u.password,u.nickname,u.sex,u.ctime,u.content,
b.id b_id,b.userid,b.name
from
cms_user u
left join
cms_book b
on
u.id=b.userid
where
u.id=#{id,jdbcType=INTEGER}
</select>
<!-- -->
<select id="selectCmsArticlesByCategoryId" resultMap="ResultMapWithBLOBs" parameterType="map">
select ca.* from cms_article_category cac left join cms_article ca on cac.article_id=ca.article_id join (
select article_id from cms_article order by article_id desc
) ca_order on ca_order.article_id=ca.article_id where ca.status=1 and cac.category_id=#{categoryId,jdbcType=INTEGER} limit #{offset,jdbcType=INTEGER}, #{limit,jdbcType=INTEGER}
</select>
<!-- -->
<select id="countByCategoryId" resultType="java.lang.Long" parameterType="map">
select count(*) from cms_article_category cac left join cms_article ca on cac.article_id=ca.article_id join (
select article_id from cms_article order by article_id desc
) ca_order on ca_order.article_id=ca.article_id where ca.status=1 and cac.category_id=#{categoryId,jdbcType=INTEGER}
</select>
<!-- -->
<select id="selectCmsArticlesByTagId" resultMap="ResultMapWithBLOBs" parameterType="map">
select ca.* from cms_article_tag cat left join cms_article ca on cat.article_id=ca.article_id join (
select article_id from cms_article order by article_id desc
) ca_order on ca_order.article_id=ca.article_id where ca.status=1 and cat.tag_id=#{tagId,jdbcType=INTEGER} limit #{offset,jdbcType=INTEGER}, #{limit,jdbcType=INTEGER}
</select>
<!-- -->
<select id="countByTagId" resultType="java.lang.Long" parameterType="map">
select count(*) from cms_article_tag cat left join cms_article ca on cat.article_id=ca.article_id join (
select article_id from cms_article order by article_id desc
) ca_order on ca_order.article_id=ca.article_id where ca.status=1 and cat.tag_id=#{tagId,jdbcType=INTEGER}
</select>
<!-- -->
<cache type="org.mybatis.caches.ehcache.LoggingEhcache" />
</mapper>
``` |
```python
#
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing, software
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
"""External dependencies for Cartographer."""
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def cartographer_repositories():
_maybe(
http_archive,
name = "com_github_nelhage_rules_boost",
sha256 = your_sha256_hash,
strip_prefix = "rules_boost-c3fae06e819ed8b93e31b150387dce4864758643",
urls = [
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_antonovvk_bazel_rules",
sha256 = your_sha256_hash,
strip_prefix = "bazel_rules-c76e47ebe6f0a03b9dd99e245d5a0611813c36f9",
urls = [
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_gflags_gflags",
sha256 = your_sha256_hash,
strip_prefix = "gflags-77592648e3f3be87d6c7123eb81cbad75f9aef5a",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_google_glog",
sha256 = your_sha256_hash,
strip_prefix = "glog-dd2b93d761a19860190cb3fa92066c8031e912e3",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "net_zlib_zlib",
sha256 = your_sha256_hash,
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:zlib.BUILD",
strip_prefix = "zlib-cacf7f1d4e3d44d871b605da3b647f07d718623f",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_cairographics_pixman",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party/pixman:pixman.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "pixman-0.34.0",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_cairographics_cairo",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party/cairo:cairo.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "cairo-1.14.10",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_freetype_freetype2",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:freetype2.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "freetype-2.8",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_libgd_libgd",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:gd.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "libgd-2.2.5",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_freedesktop_fontconfig",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party/fontconfig:fontconfig.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "fontconfig-2.12.4",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_ceres_solver_ceres_solver",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:ceres.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "ceres-solver-58c5edae2f7c4d2533fe8a975c1f5f0b892dfd3e",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_tuxfamily_eigen",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:eigen.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "eigen-eigen-f3a22f35b044",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_libexpat_libexpat",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:expat.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "libexpat-R_2_2_4/expat",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "libjpeg",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:libjpeg.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "jpeg-9b",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "org_libpng_libpng",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:libpng.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "libpng-1.2.57",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_google_googletest",
sha256 = your_sha256_hash,
strip_prefix = "googletest-e3bd4cbeaeef3cee65a68a8bd3c535cb779e9b6d",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "bazel_skylib",
sha256 = your_sha256_hash,
strip_prefix = "bazel-skylib-1.0.2",
urls = ["path_to_url"],
)
_maybe(
http_archive,
name = "com_google_protobuf",
sha256 = your_sha256_hash,
strip_prefix = "protobuf-3.13.0",
urls = [
"path_to_url",
"path_to_url",
],
repo_mapping = {"@zlib": "@net_zlib_zlib"},
)
_maybe(
http_archive,
name = "org_lua_lua",
build_file = "@com_github_googlecartographer_cartographer//bazel/third_party:lua.BUILD",
sha256 = your_sha256_hash,
strip_prefix = "lua-5.2.4",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_grpc_grpc",
sha256 = your_sha256_hash,
strip_prefix = "grpc-1.19.1",
urls = [
"path_to_url",
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_jupp0r_prometheus_cpp",
sha256 = your_sha256_hash,
strip_prefix = "prometheus-cpp-4b11ee7a0aa7157494df06c4a324bf6d11bd0eec",
urls = [
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_github_googlecartographer_async_grpc",
sha256 = your_sha256_hash,
strip_prefix = "async_grpc-771af45374af7f7bfc3b622ed7efbe29a4aba403",
urls = [
"path_to_url",
],
)
_maybe(
http_archive,
name = "com_google_absl",
sha256 = your_sha256_hash,
strip_prefix = "abseil-cpp-5441bbe1db5d0f2ca24b5b60166367b0966790af",
urls = ["path_to_url"],
)
_maybe(
http_archive,
name = "rules_python",
sha256 = your_sha256_hash,
strip_prefix = "rules_python-4b84ad270387a7c439ebdccfd530e2339601ef27",
urls = [
"path_to_url",
"path_to_url",
],
)
# TODO(rodrigoq): remove these binds once grpc#14140 has been merged, as well
# as removing `use_external` in cartographer_grpc/BUILD.bazel.
# path_to_url
native.bind(
name = "grpc_cpp_plugin",
actual = "@com_github_grpc_grpc//:grpc_cpp_plugin",
)
native.bind(
name = "grpc++_codegen_proto",
actual = "@com_github_grpc_grpc//:grpc++_codegen_proto",
)
def _maybe(repo_rule, name, **kwargs):
if name not in native.existing_rules():
repo_rule(name = name, **kwargs)
``` |
Canh Nậu may refer to several places in Vietnam, including:
, a rural commune of Thạch Thất District.
Canh Nậu, Bắc Giang, a rural commune of Yên Thế District. |
The 1965 Omloop Het Volk was the 20th edition of the Omloop Het Volk cycle race and was held on 5 March 1965. The race started and finished in Ghent. The race was won by Noel De Pauw.
General classification
References
1965
Omloop Het Nieuwsblad
Omloop Het Nieuwsblad |
Quantum chromodynamics binding energy (QCD binding energy), gluon binding energy or chromodynamic binding energy is the energy binding quarks together into hadrons. It is the energy of the field of the strong force, which is mediated by gluons. Motion-energy and interaction-energy contribute most of the hadron's mass.
Source of mass
Most of the mass of hadrons is actually QCD binding energy, through mass–energy equivalence. This phenomenon is related to chiral symmetry breaking. In the case of nucleons – protons and neutrons – QCD binding energy forms about 99% of the nucleon's mass. That is if assuming that the kinetic energy of the hadron's constituents, moving at near the speed of light, which contributes greatly to the hadron mass, is part of QCD binding energy. For protons, the sum of the rest masses of the three valence quarks (two up quarks and one down quark) is approximately , while the proton's total mass is about . For neutrons, the sum of the rest masses of the three valence quarks (two down quarks and one up quark) is approximately , while the neutron's total mass is about . Considering that nearly all of the atom's mass is concentrated in the nucleons, this means that about 99% of the mass of everyday matter (baryonic matter) is, in fact, chromodynamic binding energy.
Gluon energy
While gluons are massless, they still possess energy – chromodynamic binding energy. In this way, they are similar to photons, which are also massless particles carrying energy – photon energy. The amount of energy per single gluon, or "gluon energy", cannot be calculated. Unlike photon energy, which is quantifiable, described by the Planck–Einstein relation and depends on a single variable (the photon's frequency), no formula exists for the quantity of energy carried by each gluon. While the effects of a single photon can be observed, single gluons have not been observed outside of a hadron. Due to the mathematical complexity of quantum chromodynamics and the somewhat chaotic structure of hadrons, which are composed of gluons, valence quarks, sea quarks and other virtual particles, it is not even measurable how many gluons exist at a given moment inside a hadron. Additionally, not all of the QCD binding energy is gluon energy, but rather, some of it comes from the kinetic energy of the hadron's constituents. Therefore, only the total QCD binding energy per hadron can be stated. However, in the future, studies into quark–gluon plasma might be able to overcome this.
See also
Gluon
Quark
Current quark and constituent quark
Hadron
Strong force
Quantum chromodynamics
Chiral symmetry breaking
Photon energy
Invariant mass and relativistic mass
Binding energy
References
Decomposition of the proton mass (Lattice QCD): https://physics.aps.org/articles/v11/118
Physical quantities
Hadrons
Binding Energy
Binding energy |
Comandonia is a genus of Amoebozoa.
References
Amoebozoa genera
Discosea |
V718 Coronae Australis (HD 171697; HR 6991; V718 CrA) is a solitary variable star located in the southern constellation Corona Australis. It is faintly visible to the naked eye as a red-hued point of light with an apparent magnitude of 5.43. Gaia DR3 parallax measurements imply a distance of 630 light years and it is currently receding with a heliocentric radial velocity of . At its current distance V718 CrA's brightness is diminished by 0.37 magnitudes due to interstellar dust and it has an absolute magnitude of −1.03.
This object was first noticed to be potentially variable by Olin J. Eggen in 1973. Its variability was confirmed in 1999 after subsequent observations and was given the variable star designation V718 Coronae Australis. Observations from Koen & Laney (2000) reveal that V718 CrA has two periods: one lasting 5.37 days and the other lasting 71.1 days. It is a slow irregular variable of subtype Lb that fluctuates between 5.45 and 5.51 in the Hipparcos passband.
V718 CrA has a stellar classification of M2 III, indicating that it is an evolved red giant. It is currently on the asymptotic giant branch, fusing hydrogen and helium shells around an inert carbon core. It has 1.45 times the mass of the Sun but it has expanded to 101 times the Sun's radius. It radiates 1,001 times the luminosity of the Sun from its enlarged photosphere at an effective temperature of . Oscillation measurements from Koen & Laney (2000) yield a mass of .
References
M-type giants
Asymptotic-giant-branch stars
Slow irregular variables
Coronae Australis, V718
Corona Australis
Corona Australis, 18
CD-43 12699
171697
091494
6991 |
Bug Heroes is an iOS adventure game developed by American studio Foursaken Media and released on January 6, 2011. A spinoff entitled Bug Heroes Quest was released on August 2, 2011, and a sequel called Bug Heroes 2 was released on February 19, 2014.
Critical reception
Bug Heroes has a rating of 89% on Metacritic based on 11 critic reviews, Bug Heroes Quest rated 87% based on 4 scores, and Bug Heroes 2 rated 90% based on 8 scores.
References
Adventure games
Android (operating system) games
2011 video games
IOS games
Video games developed in the United States |
Sainte-Ode (; ) is a municipality of Wallonia located in the province of Luxembourg, Belgium.
On 1 January 2007, the municipality, which covers 97.87 km², had 2,305 inhabitants, giving a population density of 23.6 inhabitants per km².
The municipality consists of the following districts: Amberloup (town centre), Lavacherie, and Tillet. Other population centers include:
References
External links
Web site Lavacherie
Municipalities of Luxembourg (Belgium) |
"Reflection" is a song written and produced by Matthew Wilder and David Zippel for the soundtrack of Disney's 1998 animated film Mulan. In the film, the song is performed by Tony Award winner, Filipina singer and actress Lea Salonga as Fa Mulan. An accompanying music video for "Reflection" was included as a bonus to the Disney Gold Classic Collection DVD release of the film in February 2000. Reflection has received highly positive reviews, with critics highlighting its emotional writing and Salonga's vocals.
A single version of the song was recorded by American singer Christina Aguilera and became her debut single. She was 17 at the time it was released. The single's commercial success funded Aguilera's debut album from RCA, in addition to gaining her credibility amongst established writers and producers. Releases of the single were limited, which resulted in the track charting only on the Billboard Adult Contemporary chart. An accompanying music video for the song was included on the DVD release of Mulan. Aguilera has performed the track on four televised performances, including at the CBS This Morning show, which saw her gain the attention of songwriter Diane Warren. Later, the remix by Eric Kupper was released. In 2020, Aguilera re-recorded the song for the live adaptation of Mulan.
Use in Mulan
In the film Mulan, the song is recorded by Filipina singer and actress Lea Salonga as the title character Mulan. "Reflection", which lasts for 2:27 was written and produced by Matthew Wilder and David Zippel, in the key of A major. Salonga's vocal range spans from the low-note of G♯3 to the high-note of D5 in a moderately slow tempo of 119 beats per minute. The film version truncates the song from the original full version, which runs 3:40 and consists of one more verse and chorus.
The song is performed after Mulan returns home following a humiliating and failed attempt to impress her matchmaker. The lyrical content expresses the way Mulan feels about wanting to show the world who she really is instead of pretending to be who she is not, but is afraid to disappoint her family by doing so. This scene takes place at Mulan's home in its surrounding gardens and ends in her family temple, where she removes her makeup to reveal her true appearance.
In 2015, Salonga revealed that she was asked to re-record the song back in 1996 in its shortened form as the producers saw that the first version is not moving the story along.
Certifications
Christina Aguilera versions
1998 version
Aguilera approached record label RCA, then having financial difficulties, and was told to contact Disney. After being given the opportunity to record "Reflection", it was reported she had gained a record deal with RCA Records. After she was asked to hit E5, the highest note required for "Reflection", she thought that the song could be the gateway into an album deal. Aguilera spent hours recording a cover of Whitney Houston's "Run to You", which included the note she was asked to hit. After successfully hitting the note, which she called "the note that changed my life", she was given the opportunity to record the song. Due to the success around the recording of "Reflection", RCA wished for Aguilera to record and release an album by September 1998 to maintain the "hype" surrounding her at that time. The label laid the foundation for the album immediately and started presenting Aguilera with tracks for her debut album, which they later decided would have a January 1999 release. "Reflection" was adopted as a track on the album.
Serving as her debut single, Aguilera's version of "Reflection" was released to adult contemporary radio on June 15, 1998. The song was released as a CD single in Japan on September 18, 1998.
Reception
Beth Johnson of Entertainment Weekly noted Aguilera has a "who-am-I musings" persona in the song, while Stephen Thomas Erlewine of AllMusic commented that the "Matthew Wilder and David Zippel's full-fledged songs [on Mulan] are flat and unmemorable." By contrast, in retrospect, Billboards Chris Malone complimented the song as a "classic ballad". Billboard later placed "Reflection" at number twenty-three on its list of the 100 Greatest Disneyverse Songs of All Time, commenting: "Largely thanks to Christina Aguilera’s breakthrough rendition of the hit, 'Reflection' has become an anthem for young people — especially women — who are working towards being unapologetically themselves." Attitude ranked "Reflection" at number twelve on its list of Aguilera's seventeen best songs, calling it "finely crafted", and AXS placed it at number eight on a similar, top ten list.
"Reflection" peaked at number 19 on the Adult Contemporary chart. After the success of the track, Aguilera's record label RCA decided to fund her debut album (costing over one million dollars), and eventually funded more than they had predicted initially.
Live performances
Aguilera performed the song on television four times, first on the CBS This Morning, and then on the Donny & Marie show; neither of these performances were directed at her demographic of teen viewers. Whilst watching the show on This Morning, Aguilera gained the attention of songwriter Diane Warren, who was astonished by such a young performer being as "polished" as she was. Warren later stated that she had seen the potential in Aguilera. The singer also performed "Reflection" on MuchMusic's Intimate and Interactive on May 17, 2000. An ABC special in 2000, featuring a performance of the song, was recorded and released in a DVD titled My Reflection. The song was later included in the setlist for Aguilera's Vegas residency Christina Aguilera: The Xperience.
International versions
Aguilera's version of the song was re-dubbed into a number of languages to be featured in their respective foreign soundtracks released in 1998. In 2000, Aguilera herself recorded her own Spanish-language version of "Reflection", titled "Mi Reflejo" which was adapted by Rudy Pérez for her second studio album of the same name. As both Spanish soundtracks had been released two years earlier, each featuring their own end-credits version, Aguilera's version was not featured in either of them. For the Latin-American market, the song was titled "Reflejo" and performed in Spanish-language by Mexican singer Lucero. In her Korean version of the song, titled "내안의 나를" ("Naeane naleul"), Korean American singer Lena Park went up to an A5. Hong Kong-American singer and actress Coco Lee performed a Mandarin version of the song titled "自己" ("Zìjǐ"), after she was called to voice the character of Mulan in the Mandarin dubbing distributed in Taiwan.
Track listingAustralian CD single"Reflection" (performed by Christina Aguilera) – 3:34
"Honor To Us All" (performed by Beth Fowler, Lea Salonga, Marnie Nixon) – 3:03Japan CD Mini single"Reflection" (performed by Christina Aguilera) – 3:34
"Reflection" (performed by Lea Salonga) – 2:27Taiwan CD Mini single Promo'''
"Reflection" (performed by Christina Aguilera) – 3:34
"True To Your Heart" (performed by 98 Degrees & Stevie Wonder) – 4:17
Charts
Release history
2020 version
Although the live action remake was announced not to be a musical, on February 27, 2020, Aguilera announced that she had recorded a new version of the song for the upcoming movie, which was going to be featured in the movie soundtrack. Film composer Harry Gregson-Williams provided the orchestra for Aguilera's re-recorded version, and film director Niki Caro directed the music video.
Reception
In December 2020, PopSugar UK's Kelsie Gibson named the release of "Reflection" as one of the top 15 nostalgic moments of the year. It was nominated for the Best Adapted Song at the 2021 Online Film & Television Association Awards.
International versions
Later that year, Coco Lee also announced that she was going to re-record the Mandarin end-credits version of the song, as she had already done in 1998. On March 8, 2020, Coco's Mandarin version was also covered by actress Liu Yifei for the soundtrack of the live-action, while a brand-new Japanese and Korean versions were recorded by singers Minami Kizuki and Lee Su-hyun respectively. On September 4, 2020, a Hindi, Tamil, and Telugu versions were released on the Indian Vevo channel, with Indian singer Nithayashree Venkataramanan performing the song both in Tamil and Telugu, even though no such versions of the animated movie were ever released. On November 20, 2020, another English version of the song was recorded by Indonesian singers Yura Yunita, , , and , with the music video released on the DisneyMusicAsiaVEVO channel. The song was released to accompany the Indonesian-dubbed version of the movie on Disney+ Hotstar.
Charts
Certifications
Other versions
The group Mannheim Steamroller covered the song on their 1999 album, Mannheim Steamroller Meets the Mouse. Michael Crawford covered this song in The Disney Album. His rendition replaces the word "girl" with "man". Singer and American Idol winner Jordin Sparks performed the song on the Dedication Week of the sixth season of the show, with the performance she moved forward to the next round. Jackie Evancho also covered the song on her fourth studio album, Songs from the Silver Screen. In La Voz... Argentina (the Argentinian version of The Voice''), the Spanish version of the song was covered by Sofia Rangone. During the Chinese competition show Singer 2018, British Singer Jessie J performed a rearranged version of the song, during episode 11, gaining her fifth first place. Filipino Singer Katrina Velarde also did a cover premiered on 15 September 2020 on her official YouTube channel. On 7 May 2023, Nicole Scherzinger performed the song at the Coronation Concert, held in celebration of the coronation of King Charles III and Queen Camilla the day before, accompanied by Chinese pianist Lang Lang.
Notes
References
External links
1998 debut singles
1998 songs
Christina Aguilera songs
Lea Salonga songs
Songs from Mulan (franchise)
Pop ballads
Songs written by Matthew Wilder
RCA Records singles
Disney Renaissance songs
Walt Disney Records singles
Songs written by Rudy Pérez
Song recordings produced by Rudy Pérez
Songs with lyrics by David Zippel
1990s ballads
Contemporary R&B ballads |
The following lists events that happened in 1974 in Iceland.
Incumbents
President – Kristján Eldjárn
Prime Minister – Ólafur Jóhannesson, Geir Hallgrímsson
Events
Geirfinnur case
Births
25 February – Nína Dögg Filippusdóttir, actress
27 March – Kristján Helgason, snooker player
2 May – Garðar Thór Cortes, singer
6 May – Birkir Hólm Guðnason, business leader
13 June – Selma Björnsdóttir, actress and singer
11 July – Hermann Hreiðarsson, footballer
3 September – Guðmundur Benediktsson, footballer.
17 September – Helgi Sigurðsson, footballer
Full date missing
Guðmundur Þór Kárason, puppet designer and puppeteer
Deaths
4 March – Guðni Jónsson, professor of history and editor of Old Norse texts (b. 1901)
20 April – Guðmundur Guðmundsson, chess player (b. 1918)
21 September – Sigurður Nordal, scholar, writer and ambassador (b. 1876)
8 November – Sesselja Sigmundsdottir, pioneer in the fields of pedagogy and the care for the mentally disabled (b 1902)
12 November – Þórbergur Þórðarson, author and Esperantist (b. 1888 or 1889)
References
1970s in Iceland
Iceland
Iceland
Years of the 20th century in Iceland |
```objective-c
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CSSPropertyNames_h
#define CSSPropertyNames_h
#include "core/css/parser/CSSParserMode.h"
#include "wtf/HashFunctions.h"
#include "wtf/HashTraits.h"
#include <string.h>
namespace WTF {
class AtomicString;
class String;
}
namespace blink {
enum CSSPropertyID {
CSSPropertyInvalid = 0,
// This isn't a property, but we need to know the position of @apply rules in style rules
CSSPropertyApplyAtRule = 1,
CSSPropertyVariable = 2,
CSSPropertyColor = 3,
CSSPropertyDirection = 4,
CSSPropertyFontFamily = 5,
CSSPropertyFontKerning = 6,
CSSPropertyFontSize = 7,
CSSPropertyFontSizeAdjust = 8,
CSSPropertyFontStretch = 9,
CSSPropertyFontStyle = 10,
CSSPropertyFontVariant = 11,
CSSPropertyFontVariantLigatures = 12,
CSSPropertyFontWeight = 13,
CSSPropertyFontFeatureSettings = 14,
CSSPropertyWebkitFontFeatureSettings = 15,
CSSPropertyWebkitFontSmoothing = 16,
CSSPropertyWebkitLocale = 17,
CSSPropertyWebkitTextOrientation = 18,
CSSPropertyWebkitWritingMode = 19,
CSSPropertyTextRendering = 20,
CSSPropertyZoom = 21,
CSSPropertyAlignContent = 22,
CSSPropertyAlignItems = 23,
CSSPropertyAlignmentBaseline = 24,
CSSPropertyAlignSelf = 25,
CSSPropertyAnimationDelay = 26,
CSSPropertyAnimationDirection = 27,
CSSPropertyAnimationDuration = 28,
CSSPropertyAnimationFillMode = 29,
CSSPropertyAnimationIterationCount = 30,
CSSPropertyAnimationName = 31,
CSSPropertyAnimationPlayState = 32,
CSSPropertyAnimationTimingFunction = 33,
CSSPropertyBackdropFilter = 34,
CSSPropertyBackfaceVisibility = 35,
CSSPropertyBackgroundAttachment = 36,
CSSPropertyBackgroundBlendMode = 37,
CSSPropertyBackgroundClip = 38,
CSSPropertyBackgroundColor = 39,
CSSPropertyBackgroundImage = 40,
CSSPropertyBackgroundOrigin = 41,
CSSPropertyBackgroundPositionX = 42,
CSSPropertyBackgroundPositionY = 43,
CSSPropertyBackgroundRepeatX = 44,
CSSPropertyBackgroundRepeatY = 45,
CSSPropertyBackgroundSize = 46,
CSSPropertyBaselineShift = 47,
CSSPropertyBorderBottomColor = 48,
CSSPropertyBorderBottomLeftRadius = 49,
CSSPropertyBorderBottomRightRadius = 50,
CSSPropertyBorderBottomStyle = 51,
CSSPropertyBorderBottomWidth = 52,
CSSPropertyBorderCollapse = 53,
CSSPropertyBorderImageOutset = 54,
CSSPropertyBorderImageRepeat = 55,
CSSPropertyBorderImageSlice = 56,
CSSPropertyBorderImageSource = 57,
CSSPropertyBorderImageWidth = 58,
CSSPropertyBorderLeftColor = 59,
CSSPropertyBorderLeftStyle = 60,
CSSPropertyBorderLeftWidth = 61,
CSSPropertyBorderRightColor = 62,
CSSPropertyBorderRightStyle = 63,
CSSPropertyBorderRightWidth = 64,
CSSPropertyBorderTopColor = 65,
CSSPropertyBorderTopLeftRadius = 66,
CSSPropertyBorderTopRightRadius = 67,
CSSPropertyBorderTopStyle = 68,
CSSPropertyBorderTopWidth = 69,
CSSPropertyBottom = 70,
CSSPropertyBoxShadow = 71,
CSSPropertyBoxSizing = 72,
CSSPropertyBufferedRendering = 73,
CSSPropertyCaptionSide = 74,
CSSPropertyClear = 75,
CSSPropertyClip = 76,
CSSPropertyClipPath = 77,
CSSPropertyClipRule = 78,
CSSPropertyColorInterpolation = 79,
CSSPropertyColorInterpolationFilters = 80,
CSSPropertyColorRendering = 81,
CSSPropertyColumnFill = 82,
CSSPropertyContent = 83,
CSSPropertyCounterIncrement = 84,
CSSPropertyCounterReset = 85,
CSSPropertyCursor = 86,
CSSPropertyCx = 87,
CSSPropertyCy = 88,
CSSPropertyDisplay = 89,
CSSPropertyDominantBaseline = 90,
CSSPropertyEmptyCells = 91,
CSSPropertyFill = 92,
CSSPropertyFillOpacity = 93,
CSSPropertyFillRule = 94,
CSSPropertyFilter = 95,
CSSPropertyFlexBasis = 96,
CSSPropertyFlexDirection = 97,
CSSPropertyFlexGrow = 98,
CSSPropertyFlexShrink = 99,
CSSPropertyFlexWrap = 100,
CSSPropertyFloat = 101,
CSSPropertyFloodColor = 102,
CSSPropertyFloodOpacity = 103,
CSSPropertyImeMode = 104,
CSSPropertyGlyphOrientationHorizontal = 105,
CSSPropertyGlyphOrientationVertical = 106,
CSSPropertyGridAutoColumns = 107,
CSSPropertyGridAutoFlow = 108,
CSSPropertyGridAutoRows = 109,
CSSPropertyGridColumnEnd = 110,
CSSPropertyGridColumnStart = 111,
CSSPropertyGridColumnGap = 112,
CSSPropertyGridRowEnd = 113,
CSSPropertyGridRowStart = 114,
CSSPropertyGridRowGap = 115,
CSSPropertyGridTemplateAreas = 116,
CSSPropertyGridTemplateColumns = 117,
CSSPropertyGridTemplateRows = 118,
CSSPropertyHeight = 119,
CSSPropertyImageRendering = 120,
CSSPropertyImageOrientation = 121,
CSSPropertyIsolation = 122,
CSSPropertyJustifyContent = 123,
CSSPropertyJustifyItems = 124,
CSSPropertyJustifySelf = 125,
CSSPropertyLeft = 126,
CSSPropertyLetterSpacing = 127,
CSSPropertyLightingColor = 128,
CSSPropertyLineHeight = 129,
CSSPropertyListStyleImage = 130,
CSSPropertyListStylePosition = 131,
CSSPropertyListStyleType = 132,
CSSPropertyMarginBottom = 133,
CSSPropertyMarginLeft = 134,
CSSPropertyMarginRight = 135,
CSSPropertyMarginTop = 136,
CSSPropertyMarkerEnd = 137,
CSSPropertyMarkerMid = 138,
CSSPropertyMarkerStart = 139,
CSSPropertyMask = 140,
CSSPropertyMaskSourceType = 141,
CSSPropertyMaskType = 142,
CSSPropertyMaxHeight = 143,
CSSPropertyMaxWidth = 144,
CSSPropertyMinHeight = 145,
CSSPropertyMinWidth = 146,
CSSPropertyMixBlendMode = 147,
CSSPropertyMotionOffset = 148,
CSSPropertyMotionPath = 149,
CSSPropertyMotionRotation = 150,
CSSPropertyObjectFit = 151,
CSSPropertyObjectPosition = 152,
CSSPropertyOpacity = 153,
CSSPropertyOrder = 154,
CSSPropertyOrphans = 155,
CSSPropertyOutlineColor = 156,
CSSPropertyOutlineOffset = 157,
CSSPropertyOutlineStyle = 158,
CSSPropertyOutlineWidth = 159,
CSSPropertyOverflowWrap = 160,
CSSPropertyOverflowX = 161,
CSSPropertyOverflowY = 162,
CSSPropertyPaddingBottom = 163,
CSSPropertyPaddingLeft = 164,
CSSPropertyPaddingRight = 165,
CSSPropertyPaddingTop = 166,
CSSPropertyPageBreakAfter = 167,
CSSPropertyPageBreakBefore = 168,
CSSPropertyPageBreakInside = 169,
CSSPropertyPaintOrder = 170,
CSSPropertyPerspective = 171,
CSSPropertyPerspectiveOrigin = 172,
CSSPropertyPointerEvents = 173,
CSSPropertyPosition = 174,
CSSPropertyQuotes = 175,
CSSPropertyResize = 176,
CSSPropertyRight = 177,
CSSPropertyR = 178,
CSSPropertyRx = 179,
CSSPropertyRy = 180,
CSSPropertyScrollBehavior = 181,
CSSPropertyScrollBlocksOn = 182,
CSSPropertyScrollSnapType = 183,
CSSPropertyScrollSnapPointsX = 184,
CSSPropertyScrollSnapPointsY = 185,
CSSPropertyScrollSnapDestination = 186,
CSSPropertyScrollSnapCoordinate = 187,
CSSPropertyShapeImageThreshold = 188,
CSSPropertyShapeMargin = 189,
CSSPropertyShapeOutside = 190,
CSSPropertyShapeRendering = 191,
CSSPropertySize = 192,
CSSPropertySpeak = 193,
CSSPropertyStopColor = 194,
CSSPropertyStopOpacity = 195,
CSSPropertyStroke = 196,
CSSPropertyStrokeDasharray = 197,
CSSPropertyStrokeDashoffset = 198,
CSSPropertyStrokeLinecap = 199,
CSSPropertyStrokeLinejoin = 200,
CSSPropertyStrokeMiterlimit = 201,
CSSPropertyStrokeOpacity = 202,
CSSPropertyStrokeWidth = 203,
CSSPropertyTableLayout = 204,
CSSPropertyTabSize = 205,
CSSPropertyTextAlign = 206,
CSSPropertyTextAlignLast = 207,
CSSPropertyTextAnchor = 208,
CSSPropertyTextDecoration = 209,
CSSPropertyTextDecorationColor = 210,
CSSPropertyTextDecorationLine = 211,
CSSPropertyTextDecorationStyle = 212,
CSSPropertyTextIndent = 213,
CSSPropertyTextJustify = 214,
CSSPropertyTextOverflow = 215,
CSSPropertyTextShadow = 216,
CSSPropertyTextTransform = 217,
CSSPropertyTextUnderlinePosition = 218,
CSSPropertyTop = 219,
CSSPropertyTouchAction = 220,
CSSPropertyTransform = 221,
CSSPropertyTransformOrigin = 222,
CSSPropertyTransformStyle = 223,
CSSPropertyTranslate = 224,
CSSPropertyRotate = 225,
CSSPropertyScale = 226,
CSSPropertyTransitionDelay = 227,
CSSPropertyTransitionDuration = 228,
CSSPropertyTransitionProperty = 229,
CSSPropertyTransitionTimingFunction = 230,
CSSPropertyUnicodeBidi = 231,
CSSPropertyVectorEffect = 232,
CSSPropertyVerticalAlign = 233,
CSSPropertyVisibility = 234,
CSSPropertyX = 235,
CSSPropertyY = 236,
CSSPropertyWebkitAppearance = 237,
CSSPropertyWebkitAppRegion = 238,
CSSPropertyWebkitBackgroundClip = 239,
CSSPropertyWebkitBackgroundComposite = 240,
CSSPropertyWebkitBackgroundOrigin = 241,
CSSPropertyWebkitBorderHorizontalSpacing = 242,
CSSPropertyWebkitBorderImage = 243,
CSSPropertyWebkitBorderVerticalSpacing = 244,
CSSPropertyWebkitBoxAlign = 245,
CSSPropertyWebkitBoxDecorationBreak = 246,
CSSPropertyWebkitBoxDirection = 247,
CSSPropertyWebkitBoxFlex = 248,
CSSPropertyWebkitBoxFlexGroup = 249,
CSSPropertyWebkitBoxLines = 250,
CSSPropertyWebkitBoxOrdinalGroup = 251,
CSSPropertyWebkitBoxOrient = 252,
CSSPropertyWebkitBoxPack = 253,
CSSPropertyWebkitBoxReflect = 254,
CSSPropertyWebkitClipPath = 255,
CSSPropertyWebkitColumnBreakAfter = 256,
CSSPropertyWebkitColumnBreakBefore = 257,
CSSPropertyWebkitColumnBreakInside = 258,
CSSPropertyWebkitColumnCount = 259,
CSSPropertyWebkitColumnGap = 260,
CSSPropertyWebkitColumnRuleColor = 261,
CSSPropertyWebkitColumnRuleStyle = 262,
CSSPropertyWebkitColumnRuleWidth = 263,
CSSPropertyWebkitColumnSpan = 264,
CSSPropertyWebkitColumnWidth = 265,
CSSPropertyWebkitFilter = 266,
CSSPropertyWebkitHighlight = 267,
CSSPropertyWebkitHyphenateCharacter = 268,
CSSPropertyWebkitLineBoxContain = 269,
CSSPropertyWebkitLineBreak = 270,
CSSPropertyWebkitLineClamp = 271,
CSSPropertyWebkitMarginAfterCollapse = 272,
CSSPropertyWebkitMarginBeforeCollapse = 273,
CSSPropertyWebkitMarginBottomCollapse = 274,
CSSPropertyWebkitMarginTopCollapse = 275,
CSSPropertyWebkitMaskBoxImageOutset = 276,
CSSPropertyWebkitMaskBoxImageRepeat = 277,
CSSPropertyWebkitMaskBoxImageSlice = 278,
CSSPropertyWebkitMaskBoxImageSource = 279,
CSSPropertyWebkitMaskBoxImageWidth = 280,
CSSPropertyWebkitMaskClip = 281,
CSSPropertyWebkitMaskComposite = 282,
CSSPropertyWebkitMaskImage = 283,
CSSPropertyWebkitMaskOrigin = 284,
CSSPropertyWebkitMaskPositionX = 285,
CSSPropertyWebkitMaskPositionY = 286,
CSSPropertyWebkitMaskRepeatX = 287,
CSSPropertyWebkitMaskRepeatY = 288,
CSSPropertyWebkitMaskSize = 289,
CSSPropertyWebkitPerspectiveOriginX = 290,
CSSPropertyWebkitPerspectiveOriginY = 291,
CSSPropertyWebkitPrintColorAdjust = 292,
CSSPropertyWebkitRtlOrdering = 293,
CSSPropertyWebkitRubyPosition = 294,
CSSPropertyWebkitTapHighlightColor = 295,
CSSPropertyWebkitTextCombine = 296,
CSSPropertyWebkitTextEmphasisColor = 297,
CSSPropertyWebkitTextEmphasisPosition = 298,
CSSPropertyWebkitTextEmphasisStyle = 299,
CSSPropertyWebkitTextFillColor = 300,
CSSPropertyWebkitTextSecurity = 301,
CSSPropertyWebkitTextStrokeColor = 302,
CSSPropertyWebkitTextStrokeWidth = 303,
CSSPropertyWebkitTransformOriginX = 304,
CSSPropertyWebkitTransformOriginY = 305,
CSSPropertyWebkitTransformOriginZ = 306,
CSSPropertyWebkitUserDrag = 307,
CSSPropertyWebkitUserModify = 308,
CSSPropertyWebkitUserSelect = 309,
CSSPropertyWhiteSpace = 310,
CSSPropertyWidows = 311,
CSSPropertyWidth = 312,
CSSPropertyWillChange = 313,
CSSPropertyWordBreak = 314,
CSSPropertyWordSpacing = 315,
CSSPropertyWordWrap = 316,
CSSPropertyWritingMode = 317,
CSSPropertyZIndex = 318,
CSSPropertyWebkitBorderEndColor = 319,
CSSPropertyWebkitBorderEndStyle = 320,
CSSPropertyWebkitBorderEndWidth = 321,
CSSPropertyWebkitBorderStartColor = 322,
CSSPropertyWebkitBorderStartStyle = 323,
CSSPropertyWebkitBorderStartWidth = 324,
CSSPropertyWebkitBorderBeforeColor = 325,
CSSPropertyWebkitBorderBeforeStyle = 326,
CSSPropertyWebkitBorderBeforeWidth = 327,
CSSPropertyWebkitBorderAfterColor = 328,
CSSPropertyWebkitBorderAfterStyle = 329,
CSSPropertyWebkitBorderAfterWidth = 330,
CSSPropertyWebkitMarginEnd = 331,
CSSPropertyWebkitMarginStart = 332,
CSSPropertyWebkitMarginBefore = 333,
CSSPropertyWebkitMarginAfter = 334,
CSSPropertyWebkitPaddingEnd = 335,
CSSPropertyWebkitPaddingStart = 336,
CSSPropertyWebkitPaddingBefore = 337,
CSSPropertyWebkitPaddingAfter = 338,
CSSPropertyWebkitLogicalWidth = 339,
CSSPropertyWebkitLogicalHeight = 340,
CSSPropertyWebkitMinLogicalWidth = 341,
CSSPropertyWebkitMinLogicalHeight = 342,
CSSPropertyWebkitMaxLogicalWidth = 343,
CSSPropertyWebkitMaxLogicalHeight = 344,
CSSPropertyAll = 345,
CSSPropertyEnableBackground = 346,
CSSPropertyMaxZoom = 347,
CSSPropertyMinZoom = 348,
CSSPropertyOrientation = 349,
CSSPropertyPage = 350,
CSSPropertySrc = 351,
CSSPropertyUnicodeRange = 352,
CSSPropertyUserZoom = 353,
CSSPropertyWebkitFontSizeDelta = 354,
CSSPropertyWebkitTextDecorationsInEffect = 355,
CSSPropertyAnimation = 356,
CSSPropertyBackground = 357,
CSSPropertyBackgroundPosition = 358,
CSSPropertyBackgroundRepeat = 359,
CSSPropertyBorder = 360,
CSSPropertyBorderBottom = 361,
CSSPropertyBorderColor = 362,
CSSPropertyBorderImage = 363,
CSSPropertyBorderLeft = 364,
CSSPropertyBorderRadius = 365,
CSSPropertyBorderRight = 366,
CSSPropertyBorderSpacing = 367,
CSSPropertyBorderStyle = 368,
CSSPropertyBorderTop = 369,
CSSPropertyBorderWidth = 370,
CSSPropertyFlex = 371,
CSSPropertyFlexFlow = 372,
CSSPropertyFont = 373,
CSSPropertyGrid = 374,
CSSPropertyGridArea = 375,
CSSPropertyGridColumn = 376,
CSSPropertyGridRow = 377,
CSSPropertyGridTemplate = 378,
CSSPropertyListStyle = 379,
CSSPropertyMargin = 380,
CSSPropertyMarker = 381,
CSSPropertyMotion = 382,
CSSPropertyOutline = 383,
CSSPropertyOverflow = 384,
CSSPropertyPadding = 385,
CSSPropertyTransition = 386,
CSSPropertyWebkitBorderAfter = 387,
CSSPropertyWebkitBorderBefore = 388,
CSSPropertyWebkitBorderEnd = 389,
CSSPropertyWebkitBorderStart = 390,
CSSPropertyWebkitColumnRule = 391,
CSSPropertyWebkitColumns = 392,
CSSPropertyWebkitMarginCollapse = 393,
CSSPropertyWebkitMask = 394,
CSSPropertyWebkitMaskBoxImage = 395,
CSSPropertyWebkitMaskPosition = 396,
CSSPropertyWebkitMaskRepeat = 397,
CSSPropertyWebkitTextEmphasis = 398,
CSSPropertyWebkitTextStroke = 399,
CSSPropertyAliasEpubCaptionSide = 586,
CSSPropertyAliasEpubTextCombine = 808,
CSSPropertyAliasEpubTextEmphasis = 910,
CSSPropertyAliasEpubTextEmphasisColor = 809,
CSSPropertyAliasEpubTextEmphasisStyle = 811,
CSSPropertyAliasEpubTextOrientation = 530,
CSSPropertyAliasEpubTextTransform = 729,
CSSPropertyAliasEpubWordBreak = 826,
CSSPropertyAliasEpubWritingMode = 531,
CSSPropertyAliasWebkitAlignContent = 534,
CSSPropertyAliasWebkitAlignItems = 535,
CSSPropertyAliasWebkitAlignSelf = 537,
CSSPropertyAliasWebkitAnimation = 868,
CSSPropertyAliasWebkitAnimationDelay = 538,
CSSPropertyAliasWebkitAnimationDirection = 539,
CSSPropertyAliasWebkitAnimationDuration = 540,
CSSPropertyAliasWebkitAnimationFillMode = 541,
CSSPropertyAliasWebkitAnimationIterationCount = 542,
CSSPropertyAliasWebkitAnimationName = 543,
CSSPropertyAliasWebkitAnimationPlayState = 544,
CSSPropertyAliasWebkitAnimationTimingFunction = 545,
CSSPropertyAliasWebkitBackfaceVisibility = 547,
CSSPropertyAliasWebkitBackgroundSize = 558,
CSSPropertyAliasWebkitBorderBottomLeftRadius = 561,
CSSPropertyAliasWebkitBorderBottomRightRadius = 562,
CSSPropertyAliasWebkitBorderRadius = 877,
CSSPropertyAliasWebkitBorderTopLeftRadius = 578,
CSSPropertyAliasWebkitBorderTopRightRadius = 579,
CSSPropertyAliasWebkitBoxShadow = 583,
CSSPropertyAliasWebkitBoxSizing = 584,
CSSPropertyAliasWebkitFlex = 883,
CSSPropertyAliasWebkitFlexBasis = 608,
CSSPropertyAliasWebkitFlexDirection = 609,
CSSPropertyAliasWebkitFlexFlow = 884,
CSSPropertyAliasWebkitFlexGrow = 610,
CSSPropertyAliasWebkitFlexShrink = 611,
CSSPropertyAliasWebkitFlexWrap = 612,
CSSPropertyAliasWebkitJustifyContent = 635,
CSSPropertyAliasWebkitOpacity = 665,
CSSPropertyAliasWebkitOrder = 666,
CSSPropertyAliasWebkitPerspective = 683,
CSSPropertyAliasWebkitPerspectiveOrigin = 684,
CSSPropertyAliasWebkitShapeImageThreshold = 700,
CSSPropertyAliasWebkitShapeMargin = 701,
CSSPropertyAliasWebkitShapeOutside = 702,
CSSPropertyAliasWebkitTransform = 733,
CSSPropertyAliasWebkitTransformOrigin = 734,
CSSPropertyAliasWebkitTransformStyle = 735,
CSSPropertyAliasWebkitTransition = 898,
CSSPropertyAliasWebkitTransitionDelay = 739,
CSSPropertyAliasWebkitTransitionDuration = 740,
CSSPropertyAliasWebkitTransitionProperty = 741,
CSSPropertyAliasWebkitTransitionTimingFunction = 742,
};
const int firstCSSProperty = 3;
const int numCSSProperties = 397;
const int lastCSSProperty = 399;
const int lastUnresolvedCSSProperty = 910;
const size_t maxCSSPropertyNameLength = 40;
const char* getPropertyName(CSSPropertyID);
const WTF::AtomicString& getPropertyNameAtomicString(CSSPropertyID);
WTF::String getPropertyNameString(CSSPropertyID);
WTF::String getJSPropertyName(CSSPropertyID);
inline CSSPropertyID convertToCSSPropertyID(int value)
{
ASSERT((value >= firstCSSProperty && value <= lastCSSProperty) || value == CSSPropertyInvalid);
return static_cast<CSSPropertyID>(value);
}
inline CSSPropertyID resolveCSSPropertyID(CSSPropertyID id)
{
return convertToCSSPropertyID(id & ~512);
}
inline bool isPropertyAlias(CSSPropertyID id) { return id & 512; }
CSSPropertyID unresolvedCSSPropertyID(const WTF::String&);
CSSPropertyID cssPropertyID(const WTF::String&);
} // namespace blink
namespace WTF {
template<> struct DefaultHash<blink::CSSPropertyID> { typedef IntHash<unsigned> Hash; };
template<> struct HashTraits<blink::CSSPropertyID> : GenericHashTraits<blink::CSSPropertyID> {
static const bool emptyValueIsZero = true;
static void constructDeletedValue(blink::CSSPropertyID& slot, bool) { slot = static_cast<blink::CSSPropertyID>(blink::lastUnresolvedCSSProperty + 1); }
static bool isDeletedValue(blink::CSSPropertyID value) { return value == (blink::lastUnresolvedCSSProperty + 1); }
};
}
#endif // CSSPropertyNames_h
``` |
Daviot (Gaelic: ) is a village in the Highland council area of Scotland. It is about south east of the city of Inverness, next to the A9, the main road to Inverness.
Etymology
The name Daviot was recorded as Deveth in 1206–33, and is Pictish origin. The root of the name is *dem, meaning "sure, strong", sharing a derivation with the Brittonic tribal name Demetæ (> Dyfed, Wales).
References
Populated places in Inverness committee area |
```xml
/*
* one or more contributor license agreements. See the NOTICE file distributed
* with this work for additional information regarding copyright ownership.
*/
import {action, makeObservable, observable, override} from 'mobx';
import {
fetchIncidentsByError,
IncidentByErrorDto,
} from 'modules/api/incidents/fetchIncidentsByError';
import {NetworkReconnectionHandler} from './networkReconnectionHandler';
import isEqual from 'lodash/isEqual';
type State = {
incidents: IncidentByErrorDto[];
status: 'initial' | 'first-fetch' | 'fetching' | 'fetched' | 'error';
};
const DEFAULT_STATE: State = {
incidents: [],
status: 'initial',
};
class IncidentsByError extends NetworkReconnectionHandler {
state: State = {...DEFAULT_STATE};
isPollRequestRunning: boolean = false;
intervalId: null | ReturnType<typeof setInterval> = null;
constructor() {
super();
makeObservable(this, {
state: observable,
startFetching: action,
setError: action,
setIncidents: action,
reset: override,
});
}
init() {
if (this.intervalId === null) {
this.startPolling();
}
}
getIncidentsByError = this.retryOnConnectionLost(async () => {
this.startFetching();
try {
const response = await fetchIncidentsByError();
if (response.isSuccess) {
this.setIncidents(response.data);
} else {
this.setError();
}
} catch {
this.setError();
}
});
startFetching = () => {
if (this.state.status === 'initial') {
this.state.status = 'first-fetch';
} else {
this.state.status = 'fetching';
}
};
setError = () => {
this.state.status = 'error';
};
handlePolling = async () => {
this.isPollRequestRunning = true;
const response = await fetchIncidentsByError({isPolling: true});
if (this.intervalId !== null) {
if (response.isSuccess) {
const incidents = response.data;
if (!isEqual(incidents, this.state.incidents)) {
this.setIncidents(incidents);
}
} else {
this.setError();
}
}
this.isPollRequestRunning = false;
};
startPolling = async () => {
this.intervalId = setInterval(() => {
if (!this.isPollRequestRunning) {
this.handlePolling();
}
}, 5000);
};
stopPolling = () => {
const {intervalId} = this;
if (intervalId !== null) {
clearInterval(intervalId);
this.intervalId = null;
}
};
setIncidents(incidents: IncidentByErrorDto[]) {
this.state.incidents = incidents;
this.state.status = 'fetched';
}
reset() {
super.reset();
this.state = {...DEFAULT_STATE};
this.stopPolling();
}
}
export const incidentsByErrorStore = new IncidentsByError();
``` |
```java
/*
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
package org.apache.rocketmq.common.action;
import org.apache.rocketmq.common.resource.ResourceType;
import org.junit.Test;
import static org.junit.Assert.assertArrayEquals;
import static org.junit.Assert.assertEquals;
public class RocketMQActionTest {
@Test
public void your_sha256_hashrray() {
RocketMQAction annotation = DemoClass.class.getAnnotation(RocketMQAction.class);
assertEquals(0, annotation.value());
assertEquals(ResourceType.UNKNOWN, annotation.resource());
assertArrayEquals(new Action[] {}, annotation.action());
}
@Test
public void testRocketMQAction_CustomisedValueAndResourceTypeAndActionArray() {
RocketMQAction annotation = CustomisedDemoClass.class.getAnnotation(RocketMQAction.class);
assertEquals(1, annotation.value());
assertEquals(ResourceType.TOPIC, annotation.resource());
assertArrayEquals(new Action[] {Action.CREATE, Action.DELETE}, annotation.action());
}
@RocketMQAction(value = 0, resource = ResourceType.UNKNOWN, action = {})
private static class DemoClass {
}
@RocketMQAction(value = 1, resource = ResourceType.TOPIC, action = {Action.CREATE, Action.DELETE})
private static class CustomisedDemoClass {
}
}
``` |
Mehrshad Sharif (born 11 July 1952) is an Iranian and French chess International Master (IM) (1975), six-times Iranian Chess Championship winner (1974, 1975, 1976, 1977, 1980, 1981).
Biography
From the mid-1970s to the begin 1980s Mehrshad Sharif was one of the leading Iranian chess players. He six times won Iranian Chess Championship: 1974, 1975, 1976, 1977, 1980, and 1981.
In the first half of the 1980s Mehrshad Sharif moved to France. In France, he shared 1st-2nd in the French Chess Championship in 1985 (beaten in the tie by Jean-Luc Seret) and 2nd in 1995 (victory of Éric Prié).
Mehrshad Sharif played for Iran and France in the Chess Olympiads:
In 1970, at second reserve board in the 19th Chess Olympiad in Siegen (+0, =2, -3),
In 1972, at fourth board in the 20th Chess Olympiad in Skopje (+8, =6, -7),
In 1974, at second board in the 21st Chess Olympiad in Nice (+12, =4, -3),
In 1976, at first board in the 22nd Chess Olympiad in Haifa (+4, =5, -4),
In 1986, at second reserve board in the 27th Chess Olympiad in Dubai (+2, =2, -0),
Mehrshad Sharif played for France in the World Team Chess Championship:
In 1985, at fourth board in the 1st World Team Chess Championship in Lucerne (+0, =2, -2).
Mehrshad Sharif played for Iran in the World Student Team Chess Championships:
In 1972, at third board in the 19th World Student Team Chess Championship in Graz (+5, =5, -3),
In 1976, at first board in the 21st World Student Team Chess Championship in Caracas (+6, =2, -2).
Mehrshad Sharif played for France in the Men's Chess Mitropa Cup:
In 1985, at first board in the 10th Chess Mitropa Cup in Aranđelovac (+1, =4, -1),
In 1988, at first board in the 12th Chess Mitropa Cup in Aosta (+1, =4, -1).
In 1975, Mehrshad Sharif was awarded the FIDE International Master (IM) title.
References
External links
Mehrshad Sharif chess games at 365chess.com
1952 births
Living people
Chess International Masters
Iranian chess players
French chess players
Chess Olympiad competitors
20th-century chess players |
```xml
import { mat4 } from "gl-matrix";
import { HIEnt } from "./HIEnt.js";
import { HIModelInstance } from "./HIModel.js";
import { HIScene } from "./HIScene.js";
import { RwEngine, RwStream } from "./rw/rwcore.js";
export interface HIAssetPickup {
pickupHash: number;
pickupType: number;
pickupIndex: number;
pickupFlags: number;
quantity: number;
modelID: number;
animID: number;
}
export class HIAssetPickupTable {
public entries: HIAssetPickup[] = [];
constructor(stream: RwStream) {
const magic = stream.readUint32();
const count = stream.readUint32();
for (let i = 0; i < count; i++) {
const pickupHash = stream.readUint32();
const pickupType = stream.readUint8();
const pickupIndex = stream.readUint8();
const pickupFlags = stream.readUint16();
const quantity = stream.readUint32();
const modelID = stream.readUint32();
const animID = stream.readUint32();
this.entries.push({ pickupHash, pickupType, pickupIndex, pickupFlags, quantity, modelID, animID });
}
}
}
export class HIEntPickupAsset {
public pickupHash: number;
public pickupFlags: number;
public pickupValue: number;
constructor(stream: RwStream) {
this.pickupHash = stream.readUint32();
this.pickupFlags = stream.readUint16();
this.pickupValue = stream.readUint16();
}
}
export class HIEntPickup extends HIEnt {
public pickupAsset: HIEntPickupAsset;
constructor(stream: RwStream, scene: HIScene) {
super(stream, scene);
this.pickupAsset = new HIEntPickupAsset(stream);
this.readLinks(stream);
let pickupEntry = scene.pickupTable.entries[0];
for (const pick of scene.pickupTable.entries) {
if (this.pickupAsset.pickupHash === pick.pickupHash) {
pickupEntry = pick;
break;
}
}
const clump = scene.models.get(pickupEntry.modelID);
if (clump) {
this.model = new HIModelInstance(clump.atomics[0], scene);
}
}
public override render() {}
}
export class HIEntPickupManager {
private pickups: HIEntPickup[] = [];
private pickupOrientation = mat4.create();
public add(pkup: HIEntPickup) {
this.pickups.push(pkup);
}
public update(scene: HIScene, dt: number) {
mat4.rotateY(this.pickupOrientation, this.pickupOrientation, Math.PI * dt);
}
public render(scene: HIScene, rw: RwEngine) {
scene.lightKitManager.enable(null, scene);
const src = this.pickupOrientation;
for (const pkup of this.pickups) {
if (!pkup.isVisible()) continue;
if (!pkup.model) continue;
if (scene.camera.cullModel(pkup.model.data, pkup.model.mat, rw)) continue;
const dst = pkup.model.mat;
mat4.set(dst,
src[0], src[1], src[2], src[3],
src[4], src[5], src[6], src[7],
src[8], src[9], src[10], src[11],
dst[12], dst[13], dst[14], dst[15]);
pkup.model.renderSingle(scene, rw);
}
}
}
``` |
```smalltalk
using System;
using System.Collections.ObjectModel;
using Xamarin.Forms.CustomAttributes;
using Xamarin.Forms.Internals;
#if UITEST
using Xamarin.UITest;
using NUnit.Framework;
#endif
namespace Xamarin.Forms.Controls.Issues
{
#if UITEST
[NUnit.Framework.Category(Core.UITests.UITestCategories.Bugzilla)]
#endif
[Preserve(AllMembers = true)]
[Issue(IssueTracker.Bugzilla, 56710, "ContextActionsCell.OnMenuItemPropertyChanged throws NullReferenceException", PlatformAffected.iOS)]
public class Bugzilla56710 : TestNavigationPage
{
protected override void Init()
{
var root = new ContentPage
{
Content = new Button
{
Text = "Go to Test Page",
Command = new Command(() => PushAsync(new TestPage()))
}
};
PushAsync(root);
}
#if UITEST
[Test]
public void Bugzilla56710Test()
{
RunningApp.WaitForElement(q => q.Marked("Go to Test Page"));
RunningApp.Tap(q => q.Marked("Go to Test Page"));
RunningApp.WaitForElement(q => q.Marked("Item 3"));
RunningApp.Back();
}
#endif
}
[Preserve(AllMembers = true)]
public class TestPage : ContentPage
{
ObservableCollection<TestItem> Items;
public TestPage()
{
Items = new ObservableCollection<TestItem>();
Items.Add(new TestItem { Text = "Item 1", ItemText = "Action 1" });
Items.Add(new TestItem { Text = "Item 2", ItemText = "Action 2" });
Items.Add(new TestItem { Text = "Item 3", ItemText = "Action 3" });
var testListView = new ListView
{
ItemsSource = Items,
ItemTemplate = new DataTemplate(typeof(TestCell))
};
Content = testListView;
}
protected override void OnDisappearing()
{
base.OnDisappearing();
Items.Clear();
}
}
[Preserve(AllMembers = true)]
public class TestItem
{
public string Text { get; set; }
public string ItemText { get; set; }
}
[Preserve(AllMembers = true)]
public class TestCell : ViewCell
{
public TestCell()
{
var menuItem = new MenuItem();
menuItem.SetBinding(MenuItem.TextProperty, "ItemText");
ContextActions.Add(menuItem);
var textLabel = new Label();
textLabel.SetBinding(Label.TextProperty, "Text");
View = textLabel;
}
}
}
``` |
Miriam O'Regan is an Irish lawyer who has been a Judge of the High Court since January 2016.
Early life and career
O'Regan was educated at University College Cork and the King's Inns. She was called to the Bar in 1983 and became a senior counsel in 2014.
Her practice was predominantly based in Cork. She had experience in the law of property and probate, and in family and commercial law. She has acted in several cases where other parties have engaged in contempt of court. She appeared for a complainant at the Commission to Inquire into Child Abuse.
From 1989 she was court counsel for the city and county of Cork.
Judicial career
High Court
She became a High Court judge in January 2016. She has heard cases involving property law, personal injuries, judicial review, insolvency, extradition, injunctions, and defamation.
She has presided over a defamation dispute involving Declan Ganley, Denis O'Brien and Red Flag Consulting. Her experience of other high-profile actions includes the bankruptcy of Seán Dunne, contempt of court by the Irish Independent, and an action against Rihanna, who was accused of uttering malicious falsehoods.
She made a reference to the European Court of Justice in 2019 regarding an environmental law case.
In 2018, she was one of the judges present for the opening of redevelopment of the courthouse in Cork.
References
Living people
High Court judges (Ireland)
Alumni of University College Cork
Irish women judges
Alumni of King's Inns
21st-century Irish judges
21st-century women judges
Year of birth missing (living people) |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.