text
stringlengths
1
22.8M
Mikołajówka is a village in the administrative district of Gmina Szypliszki, within Suwałki County, Podlaskie Voivodeship, in north-eastern Poland, close to the border with Lithuania. References Villages in Suwałki County
Klaus Lahti (7 July 1909 – 19 December 2003) was a Finnish sports shooter. He competed at the 1948 Summer Olympics and 1952 Summer Olympics. References External links 1909 births 2003 deaths Finnish male sport shooters Olympic shooters for Finland Shooters at the 1948 Summer Olympics Shooters at the 1952 Summer Olympics People from Hollola Sportspeople from Päijät-Häme
Douglas Township is a township in Clay County, Iowa, USA. As of the 2010 United States census, its population was 168. History Douglas Township was created in 1860. In the 2000 United States census, Douglas had a total population of 212, bearing 162 adults 7 non-white residents. Geography Douglas Township covers an area of and contains no incorporated settlements. According to the USGS, it contains three cemeteries: Douglas Township, Fanny Fern and Zion. Notes References USGS Geographic Names Information System (GNIS) External links US-Counties.com City-Data.com Townships in Clay County, Iowa Townships in Iowa
Miodek turecki is a candy traditionally sold in Kraków, Poland on the gates of cemeteries during All Saints' Day and All Souls' Day. Sometimes sold by churches during autumn parish festivals. Miodek turecki has an irregular shape, a hard topping with a light honey taste, which may either break apart or crumble, with its base ingredient being caramelised sugar with the addition of aroma oils and colourings, into which are blended in crumbled nuts. The original miodek turecki is made from white caramel sweet cream, although other variations exist, dependent on the types of sweet additives and aromatics, e.g. miodek kakaowy (cocoa), kawowy (coffee) or waniliowy (vanilla). See also List of Polish candy Lesser Poland cuisine List of Polish desserts List of Polish dishes References Kraków Polish desserts Polish cuisine Culture in Kraków
Alyssa Lang is an American sports reporter and anchor. Lang is a college football sideline reporter for the SEC Network, where she has hosted the programs SEC Now and Thinking Out Loud. She has co-hosted her own program, Out of Pocket, starting in 2020, and she was joined on the program by Takeo Spikes in 2023. She previously worked for the Columbia, South Carolina radio station WLTX and later for First Coast News in Jacksonville, Florida. Career Lang graduated from the University of South Carolina with a degree in broadcast journalism in 2015. While in university, she joined the radio station WLTX in Columbia as an intern in 2013. She also worked for SPEEDTV and GamecockCentral.com around this time. She had been working as a weekend sports anchor before she left the station in 2016 to join First Coast News in Jacksonville, Florida. After two years at First Coast News, Lang joined the SEC Network in 2018 as a studio show anchor and host, where she has hosted the SEC Network programs Thinking Out Loud and SEC Now. In 2020, she was announced to be co-hosting ESPN Radio's Primetime show on Sunday afternoons with co-host Field Yates, and she was given her own show, Out of Pocket with Alyssa Lang, on the SEC Network. The State of Columbia in 2021 called her "one of the faces of the SEC Network" and praised her for being "cognizant of the place she holds as part of ESPN's star-studded college football lineup" while "[maintaining] the realness and effervescent personality those in Columbia recall so clearly." In 2023, football analyst Takeo Spikes was announced to be joining Lang on Out of Pocket as a co-host. Lang has also worked for WCNC in Charlotte, North Carolina. In 2022, she was announced to be guest host of The Paul Finebaum Show (which would make her the first woman to guest host the show) after she hosted a radio version of the show earlier that year. Personal life Lang is a native of Huntersville, North Carolina. When she was young, she spent weekends in the fall traveling from her home in Charlotte to football games at Virginia Tech in Blacksburg, where her parents are alumni. In high school, Lang's public speaking teacher told her parents during a parent-teacher conference that she could have success in broadcasting because of her skill in speaking in front of her classmates. Lang's fiancé is football analyst Trevor Sikkema. After a 2022 game, Lang asked Mississippi State University coach Mike Leach for advice for her upcoming wedding, and Leach in response recommended that she take the opportunity after the football season to "elope". References External links Alyssa Lang's bio at ESPN Living people American television reporters and correspondents University of South Carolina alumni American sports journalists Women sports journalists American women television journalists 21st-century American women Year of birth missing (living people)
Chickenley is a suburban village in the Borough of Kirklees, West Yorkshire, England. It is part of Dewsbury after being originally a farming hamlet, half-way between Ossett and Dewsbury. The Chickenley name could derive from a family name originating during early settlement, corrupted to "Chick" over the years, or a man who had a chicken called 'Ley' and decided to change the name to Chickenley (as the town was previously called 'Cowbob'). An old story is that when a maypole was built in the Gawthorpe area of Ossett in 1840, men from Chickenley came to tear it down. Some of the early settlers to the area were a family of Italian tinkers, the Cascarinos and also of Irish origin the Taylors; these family names still exist in the area. After the Second World War a council estate was built in the area. The estate is the largest in Dewsbury and has a doctors and shops within it. Chickenley has no Church of England church, although there is St Thomas More Catholic Church, opposite Chickenley Community School on Chickenley Lane. Until recently the estate was linked with the Gawthorpe area of Ossett as part of a Church of England parish. However, it is now part of the large parish of Dewsbury, which has several churches within its area. Gawthorpe's St Mary's Church C.of E. church was at the border with Ossett, but was demolished in March 2011. The local elections of 4 May 2006 saw the BNP gain the "Dewsbury East" ward, which includes the estate - but the seat was regained by the Labour Party in the 5 May 2007 election. References Heavy Woollen District Villages in West Yorkshire
```c++ /// Source : path_to_url /// Author : liuyubobobo /// Time : 2020-04-11 #include <iostream> #include <vector> using namespace std; /// Memory Search /// Time Complexity: O(nlogn + n^2) /// Space Complexity: O(n^2) class Solution { public: int maxSatisfaction(vector<int>& satisfaction) { sort(satisfaction.begin(), satisfaction.end()); int n = satisfaction.size(); vector<vector<int>> dp(n, vector<int>(n + 1, INT_MIN)); return max(0, dfs(satisfaction, 0, 1, dp)); } private: int dfs(const vector<int>& v, int index, int t, vector<vector<int>>& dp){ if(index == v.size()) return 0; if(dp[index][t] != INT_MIN) return dp[index][t]; return dp[index][t] = max(t * v[index] + dfs(v, index + 1, t + 1, dp), dfs(v, index + 1, t, dp)); } }; int main() { vector<int> nums1 = {-1,-8,0,5,-9}; cout << Solution().maxSatisfaction(nums1) << endl; return 0; } ```
```swift import Foundation /// RequestFilter supporting asynchronous resumption. public protocol AsyncRequestFilter: RequestFilter { /// Called by the filter manager once to initialize the filter callbacks that the filter should /// use. /// /// - parameter callbacks: The callbacks for this filter to use to interact with the chain. func setRequestFilterCallbacks(_ callbacks: RequestFilterCallbacks) /// Invoked explicitly in response to an asynchronous `resumeRequest()` callback when filter /// iteration has been stopped. The parameters passed to this invocation will be a snapshot /// of any stream state that has not yet been forwarded along the filter chain. /// /// As with other filter invocations, this will be called on Envoy's main thread, and thus /// no additional synchronization is required between this and other invocations. /// /// - parameter headers: Headers, if `stopIteration` was returned from `onRequestHeaders`. /// - parameter data: Any data that has been buffered where `stopIterationAndBuffer` was /// returned. /// - parameter trailers: Trailers, if `stopIteration` was returned from `onRequestTrailers`. /// - parameter endStream: True, if the stream ended with the previous (and thus, last) /// invocation. /// - parameter streamIntel: Internal HTTP stream metrics, context, and other details. /// /// - returns: The resumption status including any HTTP entities that will be forwarded. func onResumeRequest( headers: RequestHeaders?, data: Data?, trailers: RequestTrailers?, endStream: Bool, streamIntel: StreamIntel ) -> FilterResumeStatus<RequestHeaders, RequestTrailers> } ```
Elazar "Eli" Dasa (or Eliezer, ; born 3 December 1992) is an Israeli professional footballer who plays as a right-back for Russian Premier League club Dynamo Moscow and captains the Israel national team. He is the first captain of Israel to be of Ethiopian-Jewish origin. Early life Dasa was born in Netanya, Israel, to an Ethiopian-Jewish family. He is the second Israeli of Ethiopian-Jewish background to play for the Israel national football team. His younger brother Or Dasa is also an Israeli international footballer who plays for Israeli club Hapoel Ramat Gan, who also played for the Israel U-21 national team. Club career On 31 July 2010, Dasa made his debut in Beitar Jerusalem F.C. during a Toto Cup match against Hapoel Ashkelon. On 12 September 2012, Dasa scored the first goal in his senior career during a league match against Hapoel Be'er Sheva. On 9 July 2015, he made his first international match debut in a 2–1 victory over Kazakh team FC Ordabasy in the 2015–16 UEFA Europa League qualification and played 90 minutes. On 10 August 2015, Dasa signed for four years with Israeli champions Maccabi Tel Aviv. On 7 September 2022, Dasa signed a contract with Russian Premier League club Dynamo Moscow for the term of two years with an option to extend for one more year. International career Dasa played in the Israel under-21 team since 2010. He was a part of the Israeli team for the 2013 UEFA European Under-21 Championship. In 2015, he was called up by the national coach Eli Guttman for the senior Israel national team. Dasa made his debut in the senior national team against Andorra in a 4–0 win, on 3 September 2015. Dasa debuted as the Israeli line-up captain on 26 March 2022, in a friendly away match against Germany; thus becoming the first senior captain of Israel to be of Ethiopian-Jewish origin. Career statistics Club International Honours Maccabi Tel Aviv Israeli Premier League: 2018–19 Israel Toto Cup (Ligat Ha'Al): 2017–18, 2018–19 References External links 1992 births Living people Footballers from Ness Ziona Israeli men's footballers Men's association football fullbacks Beitar Jerusalem F.C. players Maccabi Tel Aviv F.C. players SBV Vitesse players FC Dynamo Moscow players Israeli Premier League players Eredivisie players Russian Premier League players Israel men's under-21 international footballers Israel men's international footballers Israeli expatriate men's footballers Israeli expatriate sportspeople in the Netherlands Expatriate men's footballers in the Netherlands Israeli expatriate sportspeople in Russia Expatriate men's footballers in Russia Jewish Israeli sportspeople Jewish men's footballers Israeli people of Ethiopian-Jewish descent
```haskell {- From: Wolfgang Drotschmann <drotschm@athene.informatik.uni-bonn.de> Resent-Date: Thu, 15 May 1997 17:23:09 +0100 I'm still using the old ghc-2.01. In one program I ran into a problem I couldn't fix. But I played around with it, I found a small little script which reproduces it very well: panic! (the `impossible' happened): tlist -} module TcFail where type State = ([Int] Bool) ```
```javascript 'use strict'; require('../common'); describe('Prompt', function () { // TODO: this does not test the prompt() fallback, since that isn't available // in nodejs -> replace the prompt in the "page" template with a modal describe('requestPassword & getPassword', function () { this.timeout(30000); jsc.property( 'returns the password fed into the dialog', 'string', function (password) { password = password.replace(/\r+/g, ''); var clean = jsdom('', {url: 'ftp://example.com/?0000000000000000'}); $('body').html( '<div id="passwordmodal" class="modal fade" role="dialog">' + '<div class="modal-dialog"><div class="modal-content">' + '<div class="modal-body"><form id="passwordform" role="form">' + '<div class="form-group"><input id="passworddecrypt" ' + 'type="password" class="form-control" placeholder="Enter ' + 'password"></div><button type="submit">Decrypt</button>' + '</form></div></div></div></div>' ); $.PrivateBin.Model.reset(); $.PrivateBin.Model.init(); $.PrivateBin.Prompt.init(); $.PrivateBin.Prompt.requestPassword(); $('#passworddecrypt').val(password); // TODO triggers error messages in current jsDOM version, find better solution //$('#passwordform').submit(); //var result = $.PrivateBin.Prompt.getPassword(); var result = $('#passworddecrypt').val(); $.PrivateBin.Model.reset(); clean(); return result === password; } ); }); }); ```
```objective-c // // // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. // #import <objc/runtime.h> #import "UINavigationController+SwipeBack.h" void __swipeback_swizzle(Class cls, SEL originalSelector) { NSString *originalName = NSStringFromSelector(originalSelector); NSString *alternativeName = [NSString stringWithFormat:@"swizzled_%@", originalName]; SEL alternativeSelector = NSSelectorFromString(alternativeName); Method originalMethod = class_getInstanceMethod(cls, originalSelector); Method alternativeMethod = class_getInstanceMethod(cls, alternativeSelector); class_addMethod(cls, originalSelector, class_getMethodImplementation(cls, originalSelector), method_getTypeEncoding(originalMethod)); class_addMethod(cls, alternativeSelector, class_getMethodImplementation(cls, alternativeSelector), method_getTypeEncoding(alternativeMethod)); method_exchangeImplementations(class_getInstanceMethod(cls, originalSelector), class_getInstanceMethod(cls, alternativeSelector)); } @implementation UINavigationController (SwipeBack) + (void)load { static dispatch_once_t onceToken; dispatch_once(&onceToken, ^{ __swipeback_swizzle(self, @selector(viewDidLoad)); __swipeback_swizzle(self, @selector(pushViewController:animated:)); }); } - (void)swizzled_viewDidLoad { [self swizzled_viewDidLoad]; self.interactivePopGestureRecognizer.delegate = self.swipeBackEnabled ? self : nil; } - (void)swizzled_pushViewController:(UIViewController *)viewController animated:(BOOL)animated { [self swizzled_pushViewController:viewController animated:animated]; self.interactivePopGestureRecognizer.enabled = NO; } #pragma mark - UIGestureRecognizerDelegate /** * Prevent `interactiveGestureRecognizer` from canceling navigation button's touch event. (patch for #2) */ - (BOOL)gestureRecognizer:(UIGestureRecognizer *)gestureRecognizer shouldReceiveTouch:(UITouch *)touch { if ([touch.view isKindOfClass:[UIButton class]] && [touch.view isDescendantOfView:self.navigationBar]) { UIButton *button = (id)touch.view; button.highlighted = YES; } return YES; } - (BOOL)gestureRecognizerShouldBegin:(UIGestureRecognizer *)gestureRecognizer { // patch for #3 if (self.viewControllers.count <= 1 || !self.swipeBackEnabled) { return NO; } CGPoint location = [gestureRecognizer locationInView:self.navigationBar]; UIView *view = [self.navigationBar hitTest:location withEvent:nil]; if ([view isKindOfClass:[UIButton class]] && [view isDescendantOfView:self.navigationBar]) { UIButton *button = (id)view; button.highlighted = NO; } return YES; } #pragma mark - swipeBackEnabled - (BOOL)swipeBackEnabled { NSNumber *enabled = objc_getAssociatedObject(self, @selector(swipeBackEnabled)); if (enabled == nil) { return YES; // default value } return enabled.boolValue; } - (void)setSwipeBackEnabled:(BOOL)enabled { objc_setAssociatedObject(self, @selector(swipeBackEnabled), @(enabled), OBJC_ASSOCIATION_RETAIN_NONATOMIC); } @end ```
Kevin Anderson and Ryler DeHeart won in the final 3–6, 7–6(7–2), [15–13] against Im Kyu-tae and Martin Slanar. Seeds Draw Draw References External links Main Draw Qualifying Draw Honolulu Challenger - Doubles 2010 Doubles
The Luchuan–Pingmian campaigns () (1436–49) were punitive expeditions carried out by the Ming dynasty under the rule of the Emperor Yingzong against the Shan-led State of Möng Mao near the frontier with Burma. Möng Mao, called Luchuan–Pingmian by the Ming, was a Chinese military and civilian pacification commission on the Sino–Burmese border, corresponding roughly to the modern districts of Longchuan and Ruili, including part of the Gaoligong Mountains, along the upper reaches of the Shweli River. Background A year after the Dao Ganmeng rebellion of 1398, the tusi Si Lunfa died and a new generation of elites rose to power in Möng Mao. His son Si Xingfa, together with Dao Hun and Dao Cuan, conducted short lived raids on Ming territory before military retaliation by the Yunnan guard put a stop to that. The territory of Möng Mao was partitioned into five new administrative divisions each with their own tusi. Thereafter Si Xingfa paid regular annual tribute to the Ming until he was removed from office in 1413 for failing to observe proper tribute ceremonies, and offended an imperial envoy. His brother Si Renfa succeeded him. In the following 20 years from 1413 to 1433 Möng Mao, Hsenwi, and the Kingdom of Ava regularly lodged complaints of incursions by neighboring states to the Ming dynasty. However no action was taken except to send imperial envoys to persuade them to cease encroachment on foreign territories. In March 1436, Si Renfa petitioned for an exemption of 2,500 taels in taxes, which was the amount Möng Mao was in arrears. The Emperor Yingzong of Ming granted the petition approval despite objections from his officials. In November 1437, Si Renfa attacked the tusi of Nandian and annexed his land. A petition was sent to the Ming court requesting assistance in returning land that had been taken from it by Möng Mao. The regional commander of Yunnan, Mu Sheng, was requested to make an investigation into the matter. His report arrived on 28 June 1438, stating that Möng Mao had "repeatedly invaded Nandian, Ganyai, Tengchong,...Lujiang, and Jinchi". Another report arrived on 14 July, 1438, stating that the Mong Mao ruler had "appointed local chieftains of the neighboring regions subordinate to him without asking for the approval of the Ming court and that some of these men joined forces with him to invade Jinchi." In preparation for a punitive expedition, the Ming court issued an imperial edict to Hsenwi asking for their assistance in surrounding Möng Mao. The strategy of divide and conquer had failed on the Ming–Burma frontier. Rather than making the Tai and Shan peoples easier to manage, it had balkanized the region and contributed to the endemic chaos and warfare that plagued the various tusis the Ming had created. In 1438 a total of 199 tusi offices were abolished and the regional commander of Yunnan, Mu Sheng, received orders to carry out a punitive campaign on 8 December, 1438. First campaign (1438–1439) The first punitive expedition was led by Fang Zheng, Zhang Rong, Mu Sheng, and Mu Ang. Mu Sheng, Mu Ang, and Fang Zheng reached the garrison town of Jinchi, located east of the Salween River on 8 December 1438. There they encountered Si Renfa's defenses on the opposite side of the river, where palisades had already been erected. Mu Sheng attempted to negotiate Si Renfa's surrender and sent the commander Che Lin to reach a compromise. Si Renfa agreed to the terms, however his general Mianjian attempted to challenge the Ming troops. Seeing that Mu Sheng had no intention to fight, the exasperated Fang Zheng took his troops as well as his son Fang Ying across the river at night and defeated the enemy, forcing them to retreat. Si Renfa retreated to Jinghan stockade while his forces fled as far as the Gaoligong Mountains. On 17 January 1439, Fang Zheng attacked Si Renfa's stockade and forced him to retreat further south, after which he continued in pursuit. However by this time his troops were exhausted and his supply lines were cut off. He requested reinforcements, but Mu Sheng only sent a small number as he was angry that Fang Zheng had disobeyed orders. Fang Zheng was then defeated at Kongni where he had pursued Si Renfa, and "fell into an ambush of the elephant phalanx of his enemy", at which point he ordered his son to escape, and died with his troops. Upon receiving news of Fang Zheng's defeat, Mu Sheng dismantled his camps and retreated to Baoshan as late spring was approaching and along with it the hot summer. When Mu Sheng reached Chuxiong City, he was reprimanded by an imperial envoy for Fang Zheng's failure. Fearing that the emperor would blame him for the loss at Kongni, Mu Sheng sent back 45,000 troops, but died soon after from an illness on 2 May 1439. Emboldened by the Ming failure to suppress him, Si Renfa continued his military expansion against his neighbors. Second campaign (1441–1442) In December 1440 Mu Ang petitioned for a second campaign involving a combined army of at least 120,000 men from Huguang, Sichuan, and Guizhou. The Vice Minister of Justice, He Wenyuan, was against a second campaign and petitioned the court on 7 February 1441, in an attempt to persuade them not to squander their resources in capturing land that is "not inhabitable to us." The war party, led by the Minister of War, Wang Ji, and the Duke of Yingguo, Zhang Fu, argued that to let Si Renfa do as he pleased would show weakness to the neighboring Hsenwi and Ava, and would result in a loss of prestige and encourage further rebellions. The second campaign was authorized by the young Zhengtong Emperor under the influence of the palace eunuch Wang Zhen. The second expedition was led by Jiang Gui, Li An, Liu Ju, and Wang Ji. Before the expedition was carried out, Liu Qiu, a member of the Hanlin Academy, as well as an imperial tutor, presented a memorial in opposition of the campaign. Liu Qiu argued that the southern rebels had already retreated into hiding in the southernmost zone of Yunnan, and did not warrant such a large expenditure as mobilizing 150,000 men. Wang Zhen had him arrested and executed by dismemberment. The second Ming campaign to the Yunnan frontier was officially launched on 27 February 1441. In June 1441, a Ming contingent of 8,000 engaged with a small Mong Mao party and defeated them in battle, inflicting 150 casualties. In September 1441, the Ming army met with a Mong Mao force of 30,000 and 80 elephants. The Mong Mao advance was repelled, suffering 352 casualties. In November 1441, a Ming army of 20,000 was ambushed by Si Renfa. However the ambush was unsuccessful and Si Renfa was forced to retreat with 1,000 casualties. The Ming army pursued the defeated Shan forces to their stronghold in Shangjiang and besieged them. When the Ming set fire to their stockades, Si Renfa's forces attempted to escape through a watergate, but were attacked by the Ming, and suffered heavy casualties. Although Si Renfa managed to escape, his side reportedly suffered 50,000 casualties in total. In December 1441, a Ming contingent of 8,000 engaged in battle with an armed Mong Mao force of 20,000 and defeated them. In January 1442, the Ming army finally attacked Si Renfa's base and captured it. The defending garrison was said to have suffered 2,390 casualties. Si Renfa fled to Ava where he was arrested by the king and held for ransom in return for Ming land, however the Ming were reluctant to deal with Ava. Third campaign (1443–1444) Si Renfa's son Si Jifa escaped and continued independent action in another corner of southwest Yunnan. He sent his younger brother Zhaosai to seek pardon from Ming while at the same time he attacked Ming troops in early 1443. However they were defeated and he was forced to flee to Mong Yang. Zhaosai was kept as a hostage and the Ming retreated from Mong Mao. Seeing that Mong Mao was no longer occupied, Si Jifa returned to his father's base of power and began attacking neighboring tribes once again. The third punitive expedition was led by Wang Ji and launched in March 1443. Although the mission was to capture Si Jifa, negotiations on the return of Si Renfa had fallen apart. Ava demanded Ming territory for itself and Hsenwi in return for Si Renfa. Furthermore Ava had made peace with Si Jifa. Therefore, although the Ming army quickly defeated Si Jifa's base of power and captured his family, Si Jifa managed to escape to Mong Yang, and the Ming army decided not to pursue out of consideration of a combined Ava-Hsenwi attack on Ming forces. A compromise was finally reached between Ava and Ming in April 1445. Ava agreed to hand over Si Renfa in return for Ming support in annexing part of Hsenwi's territory. Si Renfa came into Ming custody in August 1445 and was executed in January 1446. Fourth campaign (1449) Since 1444, Si Jifa had repeatedly sent tribute to Ming asking for a pardon, but to no avail. In March 1449, a combined army of 130,000 soldiers was amassed, and the fourth and final campaign to extirpate the Mong Mao threat was launched under the supervision of Wang Ji. The army quickly marched on Mong Yang, which harbored Si Jifa, and captured their strongholds. However Si Jifa managed to escape yet again, and the campaign ended inconclusively with the ruling Shan elite allowed to remain in Mong Yang so long as they never returned to Mong Mao. Sources disagree as to how Si Jifa met his end. One source claims he died in combat in 1449, another says he was captured by the king of Ava and held captive in exchange for Ming territory, and one Shan chronicle claims he reigned for another fifty years. While Mong Mao had been defeated and pacified, Si Jifa's son Si Hongfa continued to rule in Mong Yang and his successors would eventually go on to invade Ava in 1527. So in practice Si Lunfa's family survived as rulers in the neighboring state of Mong Yang under the close observation of Ming. The fourth campaign was also marred by lack of discipline, inefficient administration, and mismanagement of resources. On the first day of mobilization, the entire 150,000 strong army started marching all at once, and many were trampled to death. Food supplies were mismanaged and assigned to individual carriers disproportionate to their weight, and no proper plan for their distribution existed. Some soldiers committed suicide due to the conditions prevalent in the army. Consequences of the wars As the historian Wang Gongwu observes: The four southern punitive expeditions and the capture of the Zhengtong Emperor during the following Tumu Crisis are considered the turning point into decline for the Ming dynasty. References Bibliography Daniels, Christian (2003) "Consolidation and Restructure; Tai Polities and Agricultural Technology in Northern Continental Southeast Asia during the 15th Century," Workshop on Southeast Asia in the 15th Century: The Ming Factor, 18–19 July 2003, Singapore. External links Lu-chuan/Ping-mian Pacification Superintendency at Southeast Asia in the Ming Shi-lu: An Open Access Resource, Geoff Wade Map of Mainland Polities Mentioned in the Ming Shi-lu Southeast Asian Polities Mentioned in the Ming Shi-lu Crucible of War: Burma and the Ming in the Tai Frontier Zone (1382–1454), by Jon Fernquest Military history of Myanmar Wars involving the Ming dynasty Tai history Military history of Yunnan 15th-century conflicts 15th century in China 1430s conflicts 1440s conflicts 1430s in Asia 1440s in Asia 1436 in Asia 1449 in Asia
Jan van der Crabben (born 1964) is a Belgian baritone singer. Born in 1964 in Genk, Belgium, van der Crabben studied music at the Etterbeek Academy under the direction of Aquiles Delle Vigne and subsequently at the Royal Conservatory of Brussels. He has performed in Belgium and internationally and has worked with the likes of Pierre Bartholomée, Shalev Ad-El, Andrew Lawrence-King, and Alexander Rahbari. He has recorded multiple CDs of the baroque and classical music of Johann Sebastian Bach, Willem de Fesch, George Frideric Händel, Wolfgang Amadeus Mozart, Franz Schubert, and others. He has regularly collaborated in the field of historically informed performance with Sigiswald Kuijken's La Petite Bande. In 2005 he appeared with them in a concert of Bach cantatas at the Rheingau Musik Festival in the Eibingen Abbey, together with Siri Thornhill, Petra Noskaiová and Christoph Genz. He recorded in 2000 Bach's four short Missae with Patrick Peire and the Capella Brugensis. He was awarded prizes for best "Interpretation of a French Song" and best "Contemporary Music" at the 1990 Concours International d'Oratorio et de Lied in Clermont-Ferrand and was a semi-finalist at the 1996 Queen Elisabeth Music Competition in Brussels. References 1964 births Belgian male singers Living people Musicians from Ghent Belgian opera singers Royal Conservatory of Brussels alumni
Communist Party (Nepeceriști) (, PCN) was a Romanian communist party, officially registered 31 July 2006. The term Nepeceriști means people who were not members of the Romanian Communist Party (PCR). The party president was Gheorghe I. Ungureanu and the secretary was Constantin M. Gălbeoru. History The party was founded in March 1996. On 19 April 1996, the Bucharest District Court dismissed Ungureanu's application to register the party, holding that the party's announced intent to establish a "humane State" founded on communist doctrine, implied that the post-1989 Romanian constitutional and legal order was, in the later words of the European Court of Human Rights "inhumane and not based on genuine democracy". The court's decision was upheld 28 August 1996 by the Bucharest Court of Appeal, but was overturned by the European Court of Human Rights under Article 11 of the European Convention on Human Rights, and the party was registered 31 July 2006. However, in 2008 it was dissolved again by the authorities, although in the official "Political Parties Register" was still listed as active, since the party appealed the verdict and won the case. It was dissolved in 2014. Notes 1996 establishments in Romania 2014 disestablishments in Romania Article 11 of the European Convention on Human Rights Banned communist parties Communist parties in Romania Defunct communist parties Defunct socialist parties in Romania European Court of Human Rights cases involving Romania Political parties disestablished in 2014 Political parties established in 1996
```shell Debugging `ssh` client issues Useful ssh client optimizations Setting up password-free authentication Getting the connection speed from the terminal Make use of `netstat` ```
The Alaska congressional election of 2000 was held on Tuesday, November 7, 2000. The term of the state's sole Representative to the United States House of Representatives expired on January 3, 2001. The winning candidate would serve a two-year term from January 3, 2001, to January 3, 2003. Alaska allows the political party to select the person who can appear for party primary. They are submitting a written notice with a copy of their cleared by-laws to the Director of Elections no later than September 1 of the year prior to the year in which a primary election is to be held. Based on political party by-laws there are three ballots choices: Alaska Democratic Party, Alaska Libertarian Party and Alaskan Independence party candidate with ballot measures—any registered voter can vote in this ballot Alaska Republican Party candidate with ballot measures ballot—voters registered republican Nonpartisan or Undeclared may vote this ballot and the ballot measures on the ballot—any registered voter may vote this ballot General election Results Boroughs and census areas that flipped from Democratic to Republican Juneau References Alaska 2000 House, U.S.
The Mooi River () is a river in North West Province, South Africa. It is a tributary of the Vaal River and belongs to the Upper Vaal Water Management Area. Course The Mooi rises near Koster and flows southwards. During its course it flows into the Klerkskraal Dam, Boskop Dam and the Potchefstroom Dam. After crossing the town of Potchefstroom it bends southwestwards, shortly bending westwards before it empties into the Vaal River near the border with the Free State, about 15 km east of Stilfontein. Its main tributaries are the Wonderfonteinspruit (Mooirivierloop) and the Loop Spruit. The waters of the Mooi River and its reservoirs are polluted with heavy metals in its mid and lower course because of the large gold and uranium mining operations in the basin. History In November 1838 Voortrekker leader Andries Hendrik Potgieter and his followers established the first permanent European settlement north of the Vaal by the banks of the Mooi River, founding the town of Potchefstroom. The city was named in Potgieter's honor and was the capital of the former South African Republic until May 1860, when the capital moved to Pretoria. The river and its main tributary the Wonderfonteinspruit were named by early settlers and owe their names to the abundance of karst springs that were found along their banks. Most popular ones include Klerkskraal eyes (still active) Bovenste Oog (still active), Oog van Gerhard Minnebron (still active), Boskop eye (status unknown), Turffontein eyes (still active), Oog van Wonderfonteinspruit (dry), Oberholzer Oog (dry), Bank eyes (dry) and Venterspos eye (dry). Of these springs only Klerkskraal eye (which comprises one permanent spring and several perennial springs), Bovenste Oog and Oog van Gerhard Minnebron still flow. The status of Boskop eye is unknown as the area was flooded when Boskop dam was built making it very difficult to locate and observe. The dry springs were a result of dewatering the aquifers that fed the eyes to make way for gold mining in the Far West Rand. Tributaries There are 3 primary tributaries all joining from the east they are Wonderfonteinspruit, Loopspruit and Rooikraalspruit. There are several perennial streams and drainage canals along the banks. Notable rivers and streams in the Mooi Rivers watershed include Wonderfonteinspruit, Loopspruit, Rooikraalspruit, Enselspruit, Taaiboschspruit, Leeuspruit, Tweeloopiespruit, Mooirivierloop and Spekspruit. Fauna Fish Fish species found in the river include Small mouth Yellowfish (Labeobarbus aeneus), Orange River Mudfish (Labeo capensis), Moggel (Labeo umbratus), Sharptooth Catfish (Clarias gariepinus), Banded Tilapia (Tilapia sparrmanii), Southern Mouthbrooder (Pseudocrenilabrus philander), Three spot Barb (Enteromius trimaculatus) , Chubbyhead Barb (Enteromius anoplus), Straight-fin Barb ( Enteromius paludinosus), Western Mosquitofish (Gambusia affinis), Common Carp (Cyprinus carpio), Smallmouth Bass (Micropterus dolomieu), Swordtail (Xiphophorus hellerii), Largemouth Bass (Micropterus salmoides), Grass Carp (Ctenopharyngodon idella), Rock Catfish (Austroglanis sclateri), Canary Kurper Chetia flaviventris). No known sightings of the Largemouth Yellowfish (Labeobarbus kimberleyensis) have been recorded in the last 40 years in the upper and middle Mooi River or its tributaries but there's a strong possibility that they do occur in the river close to its mouth on the Vaal river. Mozambique Tilapia (Oreochromis mossambicus), Redbreast Tilapia (Coptodon rendalli), Blue (Israeli) Tilapia (Oreochromis aureus) and Nile Tilapia (Oreochromis niloticus) occur in the Wonderfonteinspruit up to where it disappears into the ground, but there are no known samples from the Mooi River itself. Birds The river and its surroundings harbour a rich bird population of over 250 recorded species including African Fish Eagle, Martial Eagle, Ostrich, Secretarybird, Greater and Lesser Flamingo, Grey Hornbill, Meyers Parrot, Kori Bustard, Giant Eagle Owl to name a few. Dams in the basin The main dams in the Mooi River and its tributaries are Donaldson Dam, Klipdrift Dam, Klerkskraal Dam, Boskop Dam and Potchefstroom Dam See also List of rivers of South Africa List of reservoirs and dams in South Africa Vaal River References External links Mooi River Forum Boskop Dam Nature Reserve, South Africa Vaal River Rivers of North West (South African province)
Nicholas Dawson (born February 19, 1982) is a Canadian writer from Quebec, most noted for his 2020 book Désormais, ma demeure. Born in Viña del Mar, Chile and raised in Montreal, he is an alumnus of the Université du Québec à Montréal. He published his debut poetry collection, La déposition des chemins, in 2010, and his debut novel Animitas in 2017. Désormais, ma demeure, published in 2020, blended non-fiction essay with elements of poetry and autofiction in its depiction of clinical depression. The book was the winner of the 2021 Grand Prix du livre de Montréal, and of the 2021 Blue Metropolis / Conseil des arts de Montréal Diversity Prize. House Within a House, an English translation by D. M. Bradford of Désormais, ma demeure, was a finalist for the Governor General's Award for French to English translation at the 2023 Governor General's Awards. In 2021 he published Nous sommes un continent, a collection of correspondence with writer Karine Rosso. Dawson, who identifies as queer, served on the jury for the 2023 Dayne Ogilvie Prize. He is the brother of writer Caroline Dawson. References 1982 births Living people 21st-century Canadian novelists 21st-century Canadian non-fiction writers 21st-century Canadian poets 21st-century Canadian male writers 21st-century Canadian LGBT people Canadian male novelists Canadian male poets Canadian male non-fiction writers Canadian novelists in French Canadian non-fiction writers in French Canadian poets in French Canadian LGBT novelists Canadian LGBT poets Chilean emigrants to Canada Writers from Montreal Université du Québec à Montréal alumni
Quincy Municipal Airport may refer to: Quincy Municipal Airport (Florida) in Quincy, Florida, United States Quincy Municipal Airport (Washington) in Quincy, Washington, United States
```objective-c #pragma once #include <array> #include <chrono> /// Responsability: calculates remaining time in seconds after adding the speed in bytes seconds and the remaining /// bytes left. In order to filter the results it uses a buffer that is filled with a few samples (9 samples buffer size) /// and when the buffer is filled calculates the median of the values on the buffer. First time until the buffer is filled /// returns zero. After calculating the median and until the buffer is filled again it returns the last calculated value. class TransferRemainingTime { public: TransferRemainingTime(); TransferRemainingTime(unsigned long long speedBytesSecond, unsigned long long remainingBytes); std::chrono::seconds calculateRemainingTimeSeconds(unsigned long long speedBytesSecond, unsigned long long remainingBytes); // The median computation code is simpler using an odd buffer size static constexpr unsigned int REMAINING_SECONDS_BUFFER_SIZE{9}; void reset(); private: std::chrono::seconds mRemainingSeconds; unsigned long mUpdateRemainingTimeCounter; std::array<unsigned long long, REMAINING_SECONDS_BUFFER_SIZE> mRemainingTimesBuffer; void calculateMedian(); }; ```
Coins in the Fountain is a 1952 novel by John Hermes Secondari, from which was adapted the 1954 Academy Award-winning film, Three Coins in the Fountain. It was remade in 1964 as the Oscar-nominated film The Pleasure Seekers and again in 1990 as Coins in the Fountain. References 1952 American novels Works by John Secondari American novels adapted into films Novels set in Rome J. B. Lippincott & Co. books
Private Parts may refer to: Intimate parts, such as the human sex organs Private Parts (book), a 1993 autobiography by Howard Stern Private Parts (1997 film), a film based on Stern's book Private Parts: The Album, a soundtrack album from the film Private Parts (1972 film), a black comedy horror film by Paul Bartel Private Parts (album), a 2001 album by Lords of Acid
The 1999–2000 Scottish Inter-District Championship was a rugby union competition for Scotland's professional district teams. With the merging of the 4 districts into 2 in 1998; now only Glasgow and Edinburgh were involved in the Scottish Inter-District Championship. Glasgow Caledonians and Edinburgh Reivers then fought it out in a renamed Tri-Series. The previous year this was sponsored by Tennents Velvet, but this year the Tri-Series ran without a sponsor. Three matches were played between the clubs. Glasgow won the series, beating Edinburgh 2-1. A league table is shown for completeness. Both teams entered the next year's Heineken Cup. The first Tri-Series game of the season doubled as a fixture in the 1999-2000 season's Welsh-Scottish League. 1999-2000 League Table Results Round 1 Glasgow Caledonians: Metcalfe, McInroy, A Bulloch, Jardine, Longstaff, Hayes, Nicol, Hilton, G Bulloch, McIlwham, Campbell, White, Reid, McFadyen, Petrie. Replacements: Irving, Stark, Beveridge, Waite, Burns, Scott. Edinburgh Reivers: Lang, Milligan, Paterson, Utterson, Sharman, Hodge, Fairley, Stewart, Scott, Proudfoot, Lucking, Fullarton, Mather, Leslie, Hogg. Replacements: Di Rollo, Lee, Burns, Hayter, Dall, McNulty, McKelvey Round 2 Edinburgh Reivers: C Paterson, K Milligan, J Hita, G Shiel, D Lee, D Hodge, G Burns, A Jacobsen, S Scott, B Stewart, A Lucking, I Fullarton, C Mather, C Hogg (G Hayter, 54 min), G Dall. Glasgow Caledonians: G Metcalfe, S Longstaff, A Bulloch, J Stuart, J Craig, T Hayes, A Nicol, D Hilton, G Scott, G McIlwham, S Campbell (M Waite, 63), J White, R Reid (D Hall, 65), G Simpson, D Macfadyen (J Petrie 28). Round 3 Glasgow Caledonians: R Shepherd; A Bulloch, J Stewart, I Jardine, T Hayes; B Irving, F Stott; D Hilton, G Bulloch, G McIlwham, S Campbell, D Burns, J White, M Waite, G Simpson. Subs: G Scott for Waite 34mins, G Beveridge for Stott 66, A Watt for Hilton, 72. Edinburgh Reivers: G Kiddie; K Milligan, J Hita, G Shiel, K Utterson; G Ross, I Fairley; A Jacobsen, S Scott, B Stewart, A Lucking, I Fullarton, C Mather, G Hayter, G Dall. Subs: M Proudfoot for Stewart, 51. S Walker for Milligan, 69. 1999–2000 in Scottish rugby union 1999-2000 Scot
```cython from libc.stdint cimport uint64_t from cymem.cymem cimport Pool from murmurhash.mrmr cimport hash64 from ..extra.eg cimport Example include "../compile_time_constants.pxi" cdef class ConjunctionExtracter: """Extract composite features from a sequence of atomic values, according to the schema specified by a list of templates. """ def __init__(self, templates, linear_mode=True): self.mem = Pool() nr_atom = 0 for templ in templates: nr_atom = max(nr_atom, max(templ)) self.linear_mode = linear_mode self.nr_atom = nr_atom # Value that indicates the value has been "masked", e.g. it was pruned # as a rare word. If a feature contains any masked values, it is dropped. templates = tuple(sorted(set([tuple(sorted(f)) for f in templates]))) self._py_templates = templates self.nr_embed = 1 self.nr_templ = len(templates) + 1 self.templates = <TemplateC*>self.mem.alloc(len(templates), sizeof(TemplateC)) # Sort each feature, and sort and unique the set of them cdef int i, j, idx for i, indices in enumerate(templates): assert len(indices) < MAX_TEMPLATE_LEN for j, idx in enumerate(sorted(indices)): self.templates[i].indices[j] = idx self.templates[i].length = len(indices) def __call__(self, Example eg): eg.c.nr_feat = self.set_features(eg.c.features, eg.c.atoms) cdef int set_features(self, FeatureC* feats, const atom_t* atoms) nogil: cdef int n_feats = 0 if self.linear_mode: feats[0].key = 1 feats[0].value = 1 n_feats += 1 cdef bint seen_non_zero cdef int templ_id cdef int i cdef atom_t[MAX_TEMPLATE_LEN] extracted for templ_id in range(self.nr_templ-1): templ = self.templates[templ_id] if not self.linear_mode and templ.length == 1: feats[n_feats].key = atoms[templ.indices[0]] feats[n_feats].value = 1 feats[n_feats].i = templ_id n_feats += 1 continue seen_non_zero = False for i in range(templ.length): extracted[i] = atoms[templ.indices[i]] seen_non_zero = seen_non_zero or extracted[i] if seen_non_zero: feats[n_feats].key = hash64(extracted, templ.length * sizeof(extracted[0]), templ_id if self.linear_mode else 0) feats[n_feats].value = 1 feats[n_feats].i = templ_id n_feats += 1 return n_feats def __reduce__(self): return (self.__class__, (self.nr_atom, self._py_templates)) ```
```javascript /** * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ 'use strict'; // MODULES // var isNonNegativeInteger = require( '@stdlib/assert/is-nonnegative-integer' ).isPrimitive; var setReadOnly = require( '@stdlib/utils/define-nonenumerable-read-only-property' ); var setReadOnlyAccessor = require( '@stdlib/utils/define-nonenumerable-read-only-accessor' ); var setReadWriteAccessor = require( '@stdlib/utils/define-nonenumerable-read-write-accessor' ); var base = require( '@stdlib/random/base/minstd-shuffle' ); var ctors = require( '@stdlib/array/typed-real-ctors' ); var filledBy = require( '@stdlib/array/base/filled-by' ); var nullary = require( '@stdlib/strided/base/nullary' ); var format = require( '@stdlib/string/format' ); var defaults = require( './defaults.json' ); var validate = require( './validate.js' ); // MAIN // /** * Returns a function for creating arrays containing pseudorandom numbers generated using a linear congruential pseudorandom number generator (LCG) whose output is shuffled. * * @param {Options} [options] - function options * @param {PRNGSeedMINSTD} [options.seed] - pseudorandom number generator seed * @param {PRNGStateMINSTD} [options.state] - pseudorandom number generator state * @param {boolean} [options.copy=true] - boolean indicating whether to copy a provided pseudorandom number generator state * @param {string} [options.idtype="float64"] - default data type when generating integers * @param {string} [options.ndtype="float64"] - default data type when generating normalized numbers * @throws {TypeError} options argument must be an object * @throws {TypeError} must provide valid options * @throws {Error} must provide a valid state * @returns {Function} function for creating arrays * * @example * var minstd = factory(); * // returns <Function> * * var arr = minstd( 10 ); * // returns <Float64Array> * * @example * var minstd = factory(); * // returns <Function> * * var arr = minstd( 10, { * 'dtype': 'generic' * }); * // returns [...] * * @example * var minstd = factory(); * // returns <Function> * * var arr = minstd.normalized( 10 ); * // returns <Float64Array> */ function factory() { var options; var nargs; var opts; var rand; var prng; var err; opts = { 'idtype': defaults.idtype, 'ndtype': defaults.ndtype }; nargs = arguments.length; rand = minstd; if ( nargs === 0 ) { prng = base; } else if ( nargs === 1 ) { options = arguments[ 0 ]; prng = base.factory( options ); err = validate( opts, options, 0 ); if ( err ) { throw err; } } setReadOnlyAccessor( rand, 'seed', getSeed ); setReadOnlyAccessor( rand, 'seedLength', getSeedLength ); setReadWriteAccessor( rand, 'state', getState, setState ); setReadOnlyAccessor( rand, 'stateLength', getStateLength ); setReadOnlyAccessor( rand, 'byteLength', getStateSize ); setReadOnly( rand, 'PRNG', prng ); setReadOnly( rand, 'normalized', normalized ); return rand; /** * Returns an array containing pseudorandom integers on the interval `[1, 2147483646]`. * * @private * @param {NonNegativeInteger} len - array length * @param {Options} [options] - function options * @param {string} [options.dtype] - output array data type * @throws {TypeError} first argument must be a nonnegative integer * @throws {TypeError} options argument must be an object * @throws {TypeError} must provide valid options * @returns {(Array|TypedArray)} output array */ function minstd( len, options ) { var ctor; var out; var err; var dt; var o; if ( !isNonNegativeInteger( len ) ) { throw new TypeError( format( 'invalid argument. First argument must be a nonnegative integer. Value: `%s`.', len ) ); } o = {}; if ( arguments.length > 1 ) { err = validate( o, options, 1 ); if ( err ) { throw err; } } dt = o.dtype || opts.idtype; if ( dt === 'generic' ) { return filledBy( len, prng ); } ctor = ctors( dt ); out = new ctor( len ); nullary( [ out ], [ len ], [ 1 ], prng ); return out; } /** * Returns an array containing pseudorandom numbers on the interval `[0, 1)`. * * @private * @param {NonNegativeInteger} len - array length * @param {Options} [options] - function options * @param {string} [options.dtype] - output array data type * @throws {TypeError} first argument must be a nonnegative integer * @throws {TypeError} options argument must be an object * @throws {TypeError} must provide valid options * @returns {(Array|TypedArray)} output array */ function normalized( len, options ) { var ctor; var out; var err; var dt; var o; if ( !isNonNegativeInteger( len ) ) { throw new TypeError( format( 'invalid argument. First argument must be a nonnegative integer. Value: `%s`.', len ) ); } o = {}; if ( arguments.length > 1 ) { err = validate( o, options, 2 ); if ( err ) { throw err; } } dt = o.dtype || opts.ndtype; if ( dt === 'generic' ) { return filledBy( len, prng.normalized ); } ctor = ctors( dt ); out = new ctor( len ); nullary( [ out ], [ len ], [ 1 ], prng.normalized ); return out; } /** * Returns the PRNG seed. * * @private * @returns {Int32Array} seed */ function getSeed() { return rand.PRNG.seed; } /** * Returns the PRNG seed length. * * @private * @returns {PositiveInteger} seed length */ function getSeedLength() { return rand.PRNG.seedLength; } /** * Returns the PRNG state length. * * @private * @returns {PositiveInteger} state length */ function getStateLength() { return rand.PRNG.stateLength; } /** * Returns the PRNG state size (in bytes). * * @private * @returns {PositiveInteger} state size (in bytes) */ function getStateSize() { return rand.PRNG.byteLength; } /** * Returns the current pseudorandom number generator state. * * @private * @returns {Int32Array} current state */ function getState() { return rand.PRNG.state; } /** * Sets the pseudorandom number generator state. * * @private * @param {Int32Array} s - generator state * @throws {Error} must provide a valid state */ function setState( s ) { rand.PRNG.state = s; } } // EXPORTS // module.exports = factory; ```
The Colorado Council on the Arts was an agency of the state government of Colorado, responsible for the promotion of the arts. In July 2010, the Council on the Arts and Art in Public Places programs merged to become Colorado's Creative Industries Division. Its budget combines state funds with federal funds from the National Endowment for the Arts. Its offices are located in Denver. See also State of Colorado External links Colorado Council on the Arts website State agencies of Colorado Arts councils of the United States Colorado culture
```java /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * specific language governing permissions and limitations */ package io.ballerina.projects.test; import io.ballerina.projects.BuildOptions; import io.ballerina.projects.DiagnosticResult; import io.ballerina.projects.JBallerinaBackend; import io.ballerina.projects.JvmTarget; import io.ballerina.projects.Package; import io.ballerina.projects.PackageCompilation; import io.ballerina.projects.ProjectEnvironmentBuilder; import io.ballerina.projects.directory.BuildProject; import io.ballerina.projects.util.ProjectConstants; import io.ballerina.projects.util.ProjectUtils; import org.ballerinalang.test.BCompileUtil; import org.testng.annotations.BeforeSuite; import org.testng.annotations.DataProvider; import org.wso2.ballerinalang.util.Lists; import org.wso2.ballerinalang.util.RepoUtils; import java.io.IOException; import java.io.PrintStream; import java.nio.file.Files; import java.nio.file.Path; import java.nio.file.Paths; import java.util.List; import java.util.stream.Collectors; import static io.ballerina.projects.test.TestUtils.replaceDistributionVersionOfDependenciesToml; import static io.ballerina.projects.util.ProjectConstants.CENTRAL_REPOSITORY_CACHE_NAME; import static io.ballerina.projects.util.ProjectConstants.LOCAL_REPOSITORY_NAME; /** * Parent test class for all project api test cases. This will provide basic functionality for tests. * * @since 2.0.0 */ public class BaseTest { static final Path USER_HOME = Paths.get("build").resolve("user-home"); static final PrintStream OUT = System.out; static final Path CUSTOM_USER_HOME = Paths.get("build", "userHome"); static final Path CENTRAL_CACHE = CUSTOM_USER_HOME.resolve("repositories/central.ballerina.io"); @BeforeSuite public void init() throws IOException { Files.createDirectories(CENTRAL_CACHE); // Add the correct distribution version to dependencies.toml Path packageBPath = Path.of("src/test/resources/projects_for_resolution_tests/package_b"); replaceDistributionVersionOfDependenciesToml(packageBPath, RepoUtils.getBallerinaShortVersion()); // Here package_a depends on package_b // and package_b depends on package_c // Therefore package_c is transitive dependency of package_a BCompileUtil.compileAndCacheBala("projects_for_resolution_tests/package_c"); BCompileUtil.compileAndCacheBala("projects_for_resolution_tests/package_b"); BCompileUtil.compileAndCacheBala("projects_for_resolution_tests/package_e"); BCompileUtil.compileAndCacheBala("projects_for_edit_api_tests/package_dependency_v1"); BCompileUtil.compileAndCacheBala("projects_for_edit_api_tests/package_dependency_v2"); // Revert the distribution version to the placeholder replaceDistributionVersionOfDependenciesToml(packageBPath, "**INSERT_DISTRIBUTION_VERSION_HERE**"); } @DataProvider(name = "optimizeDependencyCompilation") public Object [] [] provideOptimizeDependencyCompilation() { return new Object [][] {{ false }, { true }}; } protected void cacheDependencyToLocalRepo(Path dependency) throws IOException { BuildProject dependencyProject = TestUtils.loadBuildProject(dependency); PackageCompilation compilation = dependencyProject.currentPackage().getCompilation(); JBallerinaBackend jBallerinaBackend = JBallerinaBackend.from(compilation, JvmTarget.JAVA_17); List<String> repoNames = Lists.of("local", "stdlib.local"); for (String repo : repoNames) { Path localRepoPath = USER_HOME.resolve(ProjectConstants.REPOSITORIES_DIR) .resolve(repo).resolve(ProjectConstants.BALA_DIR_NAME); Path localRepoBalaCache = localRepoPath .resolve("samjs").resolve("package_c").resolve("0.1.0").resolve("any"); Files.createDirectories(localRepoBalaCache); jBallerinaBackend.emit(JBallerinaBackend.OutputType.BALA, localRepoBalaCache); Path balaPath = Files.list(localRepoBalaCache).findAny().orElseThrow(); ProjectUtils.extractBala(balaPath, localRepoBalaCache); try { Files.delete(balaPath); } catch (IOException e) { // ignore the delete operation since we can continue } } } protected void cacheDependencyToLocalRepository(Path dependency) throws IOException { BuildProject dependencyProject = TestUtils.loadBuildProject(dependency); BaseTest.this.cacheDependencyToCentralRepository(dependencyProject, LOCAL_REPOSITORY_NAME); } protected void cacheDependencyToCentralRepository(Path dependency) throws IOException { BuildProject dependencyProject = TestUtils.loadBuildProject(dependency); cacheDependencyToCentralRepository(dependencyProject, CENTRAL_REPOSITORY_CACHE_NAME); } protected void cacheDependencyToCentralRepository(Path dependency, ProjectEnvironmentBuilder environmentBuilder) throws IOException { BuildProject dependencyProject = TestUtils.loadBuildProject(environmentBuilder, dependency, BuildOptions.builder().setOffline(true).build()); cacheDependencyToCentralRepository(dependencyProject, CENTRAL_REPOSITORY_CACHE_NAME); } private void cacheDependencyToCentralRepository(BuildProject dependencyProject, String centralRepositoryCacheName) throws IOException { Package currentPackage = dependencyProject.currentPackage(); PackageCompilation compilation = currentPackage.getCompilation(); JBallerinaBackend jBallerinaBackend = JBallerinaBackend.from(compilation, JvmTarget.JAVA_17); Path centralRepoPath = USER_HOME.resolve(ProjectConstants.REPOSITORIES_DIR) .resolve(centralRepositoryCacheName).resolve(ProjectConstants.BALA_DIR_NAME); Path centralRepoBalaCache = centralRepoPath .resolve(currentPackage.packageOrg().value()) .resolve(currentPackage.packageName().value()) .resolve(currentPackage.packageVersion().value().toString()) .resolve(jBallerinaBackend.targetPlatform().code()); if (Files.exists(centralRepoBalaCache)) { ProjectUtils.deleteDirectory(centralRepoBalaCache); } Files.createDirectories(centralRepoBalaCache); jBallerinaBackend.emit(JBallerinaBackend.OutputType.BALA, centralRepoBalaCache); Path balaPath = Files.list(centralRepoBalaCache).findAny().orElseThrow(); ProjectUtils.extractBala(balaPath, centralRepoBalaCache); try { Files.delete(balaPath); } catch (IOException e) { // ignore the delete operation since we can continue } } protected Path getBalaPath(String org, String pkgName, String version) { String ballerinaHome = System.getProperty("ballerina.home"); Path balaRepoPath = Paths.get(ballerinaHome).resolve("repo").resolve("bala"); return balaRepoPath.resolve(org).resolve(pkgName).resolve(version).resolve("any"); } String getErrorsAsString(DiagnosticResult diagnosticResult) { return diagnosticResult.diagnostics().stream().map( diagnostic -> diagnostic.toString() + "\n").collect(Collectors.joining()); } } ```
Hamlet at Elsinore is a 1964 television version of the c. 1600 play by William Shakespeare. Produced by the BBC in association with Danish Radio, it was shown in the U.S. on NET. Winning wide acclaim both for its performances and for being shot entirely at Helsingør (Elsinore in English), in the castle in which the play is set. It is the only version (with sound) of the play to have actually been shot at Elsinore Castle. This programme was recorded and edited on video tape (2" quadruplex) and not 'filmed'. The director was Philip Saville. It was the longest version of the play telecast in one evening up to that time, running nearly three hours. A 1947 telecast of the play had split it up into two ninety-minute halves over two weeks. The Canadian actor Christopher Plummer took the lead role as Hamlet and earned an Emmy Award nomination for his performance. In supporting roles were Robert Shaw as Claudius, Donald Sutherland as Fortinbras, Roy Kinnear as the Gravedigger and Michael Caine, in his only Shakespearean performance, as Horatio. Sutherland, Caine and Shaw were, at the time, almost completely unknown to American audiences, and just before the presentation's first U.S. telecast, Plummer began to gain popularity in the U.S. because of his appearance in the 1965 musical film The Sound of Music. Clips of the programme are very rarely shown on television, and Plummer himself expressed a wish for it to be commercially available. It was released on Region 1 DVD by the BBC and Warner on 25 October 2011. Cast Christopher Plummer as Hamlet Robert Shaw as Claudius, King of Denmark Alec Clunes as Polonius Michael Caine as Horatio June Tobin as Gertrude, Queen of Denmark Jo Maxwell Muller as Ophelia Dyson Lovell as Laertes Donald Sutherland as Fortinbras Roy Kinnear as the Gravedigger Steven Berkoff writes about his time as a junior cast member in his autobiography Free Association. Horatio is, so far, the only classical role played by Michael Caine, who had never received dramatic training. According to his 2011 autobiography The Elephant to Hollywood, Caine had been released from his contract with producer Joseph E. Levine after the making of Zulu as Levine had told him, "I know you're not, but you gotta face the fact that you look like a queer on screen." Caine wrote, "I decided that if my on-screen appearance was going to be an issue, then I would use it to bring out all Horatio's ambiguous sexuality." Production The production was originated by Danish television, which lacked the financial resources to realize the project and turned to the BBC for help. Videotaped at Kronborg Castle in Elsinore, Denmark, in September 1963 by a Danish crew with the director and actors supplied by the BBC, it represents a technical milestone for the BBC as a full-length play had never been videotaped on-location before. The producer, Peter Luke, deliberately cast lesser-known actors as it was felt using major stars would prove a distraction. Plummer, Shaw and particularly Caine would become stars within a year to two of the original broadcast, and Sutherland would become a star in 1970 after the release of the film MASH. Jo Maxwell Muller, who was only 18 years old, was cast as Ophelia on the insistence of Plummer. Hamlet at Elsinore was broadcast in Canada on April 15, 1964, and in the United Kingdom on April 19, exactly one week before Shakespeare's 400th birthday. It was intended by the BBC to be its major commemoration of the Shakespeare quatercentenary. It was broadcast in the United States on November 15, 1964. Awards At the 18th Emmy Awards (1966), Christopher Plummer was nominated in the category of Outstanding Single Performance by an Actor in a Leading Role in a Drama for his performance as Hamlet. See also Hamlet Hamlet on screen References External links 1964 television plays Films based on Hamlet British television plays Films directed by Philip Saville Television shows based on Hamlet Kronborg
The Sahara frog (Pelophylax saharicus) is a species of frog in the family Ranidae. It is native to Egypt, Libya, Tunisia, Algeria, Morocco, Spanish North Africa (Ceuta and Melilla), and Western Sahara; it has also been introduced to Gran Canaria. In French it is called grenouille verte d'Afrique du Nord, and in Spanish it is known as rana verde norteafricana. Description The Sahara frog is a large species, an exceptional female from Morocco having a snout-to-vent length of . It is sometimes confused with Perez's frog (Pelophylax perezi), and the published description may be partially of that species. The head is as wide as it is long, the snout is oval and the eyes have horizontal pupils. Males have a pair of vocal sacs on the throat. A ridge connects the nostrils and upper eyelids and continues to the groin, separating the back from the flanks. The hind feet are webbed. The colour is variable, being reported as green, brown or mixed, sometimes with darker spots. Some frogs have a yellowish or greenish line along the spine. The legs are always spotted or barred. Distribution and habitat The Sahara frog is native to North Africa where its range includes Western Sahara, Morocco, Algeria, Tunisia, Libya and Egypt. It is aquatic and found in and near streams, oasis pools, irrigation canals, lakes, and other water bodies. Status The Sahara frog is abundant where a suitable wetland habitat is present. Though its population has remained steady, over-exploitation and pollution of water sources could threaten the species in the future. The International Union for Conservation of Nature has assessed its conservation status as being of "least concern". A population has been discovered in 2021 in the Etang de Berre wetland in Southern France, spreading to several localities, reproducing and present since 2011 at least, and is considered there an invasive species. References Pelophylax Amphibians described in 1913 Amphibians of North Africa Vertebrates of Egypt Fauna of Libya Fauna of Western Sahara Taxonomy articles created by Polbot
```javascript const path = require('path'); const webpack = require('webpack'); const merge = require('webpack-merge'); const HtmlWebpackPlugin = require('html-webpack-plugin'); const SlateConfig = require('@shopify/slate-config'); const core = require('./parts/core'); const babel = require('./parts/babel'); const entry = require('./parts/entry'); const sass = require('./parts/sass'); const css = require('./parts/css'); const getLayoutEntrypoints = require('./utilities/get-layout-entrypoints'); const getTemplateEntrypoints = require('./utilities/get-template-entrypoints'); const HtmlWebpackIncludeLiquidStylesPlugin = require('../html-webpack-include-chunks'); const config = new SlateConfig(require('../../../slate-tools.schema')); // add hot-reload related code to entry chunks Object.keys(entry.entry).forEach((name) => { entry.entry[name] = [path.join(__dirname, '../hot-client.js')].concat( entry.entry[name], ); }); module.exports = merge([ core, entry, babel, sass, css, { mode: 'development', devtool: '#eval-source-map', plugins: [ new webpack.HotModuleReplacementPlugin(), new HtmlWebpackPlugin({ excludeChunks: ['static'], filename: `../snippets/script-tags.liquid`, template: path.resolve(__dirname, '../script-tags.html'), inject: false, minify: { removeComments: true, removeAttributeQuotes: false, }, isDevServer: true, liquidTemplates: getTemplateEntrypoints(), liquidLayouts: getLayoutEntrypoints(), }), new HtmlWebpackPlugin({ excludeChunks: ['static'], filename: `../snippets/style-tags.liquid`, template: path.resolve(__dirname, '../style-tags.html'), inject: false, minify: { removeComments: true, removeAttributeQuotes: false, // more options: // path_to_url#options-quick-reference }, // necessary to consistently work with multiple chunks via CommonsChunkPlugin chunksSortMode: 'dependency', isDevServer: true, liquidTemplates: getTemplateEntrypoints(), liquidLayouts: getLayoutEntrypoints(), }), new HtmlWebpackIncludeLiquidStylesPlugin(), ], }, config.get('webpack.extend'), ]); ```
Cho Ha-La (born 21 March 1988) is a South Korean table tennis player. Her highest career ITTF ranking was 115. References 1988 births Living people South Korean female table tennis players Place of birth missing (living people) 21st-century South Korean women
```java package net.lightbody.bmp.filters; import io.netty.channel.ChannelHandlerContext; import io.netty.handler.codec.http.DefaultFullHttpResponse; import io.netty.handler.codec.http.HttpHeaders; import io.netty.handler.codec.http.HttpMethod; import io.netty.handler.codec.http.HttpObject; import io.netty.handler.codec.http.HttpRequest; import io.netty.handler.codec.http.HttpResponse; import io.netty.handler.codec.http.HttpResponseStatus; import net.lightbody.bmp.proxy.BlacklistEntry; import java.util.Collection; import java.util.Collections; /** * Applies blacklist entries to this request. The filter does not make a defensive copy of the blacklist entries, so there is no guarantee * that the blacklist at the time of construction will contain the same values when the filter is actually invoked, if the entries are modified concurrently. */ public class BlacklistFilter extends HttpsAwareFiltersAdapter { private final Collection<BlacklistEntry> blacklistedUrls; public BlacklistFilter(HttpRequest originalRequest, ChannelHandlerContext ctx, Collection<BlacklistEntry> blacklistedUrls) { super(originalRequest, ctx); if (blacklistedUrls != null) { this.blacklistedUrls = blacklistedUrls; } else { this.blacklistedUrls = Collections.emptyList(); } } @Override public HttpResponse clientToProxyRequest(HttpObject httpObject) { if (httpObject instanceof HttpRequest) { HttpRequest httpRequest = (HttpRequest) httpObject; String url = getFullUrl(httpRequest); for (BlacklistEntry entry : blacklistedUrls) { if (HttpMethod.CONNECT.equals(httpRequest.getMethod()) && entry.getHttpMethodPattern() == null) { // do not allow CONNECTs to be blacklisted unless a method pattern is explicitly specified continue; } if (entry.matches(url, httpRequest.getMethod().name())) { HttpResponseStatus status = HttpResponseStatus.valueOf(entry.getStatusCode()); HttpResponse resp = new DefaultFullHttpResponse(httpRequest.getProtocolVersion(), status); HttpHeaders.setContentLength(resp, 0L); return resp; } } } return null; } } ```
The Bopps are a children's musical group formed in the south west of England in 2010. Their members are Stan Cullimore, Keith Littler, Mike Cross and Joanna Ruiz. Formation Stan Cullimore was previously a member of the pop band The Housemartins who were popular during the 1980s. Other members of The Housemartins include Norman Cook otherwise known as Fatboy Slim and Paul Heaton who went on to form The Beautiful South. Since then Stan Cullimore has been involved in the production of children's television and music for such clients as Nickelodeon, CBeebies and CITV. Keith Littler has run a successful pre-school television production company - The Little Entertainment Group for many years. Amongst his works are Little Red Tractor which is broadcast in the UK by BBC, TV drama Roman Mysteries BBC and Merlin the Magical Puppy (cITV). Joanna Ruiz has worked as a voice actress and has spent her time providing voice talent work for children's animation. Amongst her works are Make Way for Noddy, Everything's Rosie, Hana's Helpline, Fireman Sam, Horrid Henry and Bananas in Pyjamas. She left the group years later to focus on her voice acting career. The tale of The Bopps From The Bopps Website Television series The Bopps first went on air in the United Kingdom on 5 April 2010 on the children's channel Nick Jr. Discography Albums The Bopps - The Bopping Tunes from the TV Series (2010) Singles "The Bopps Theme", "Best Friend", "Numbers", "Toy Box", "Park", "Dance", "Hoppity Hop", "Noisy Nigel", "Jelly Shoes", "Sunshine" and "Ghost Song" (December 2010) References External links Official website The Bopps on Nick Jr Nick Jr British preschool education television series Nick Jr. original programming British children's musical groups 2010 British television series debuts 2010s British children's television series
The 2003 Slough Borough Council election was held on 1 May 2003, at the same time as other local elections across England and Scotland. Fourteen of the 41 seats on Slough Borough Council were up for election, being the usual third of the council. Results The elected councillors were: Notes:- Member of the Britwellian, Independent, Liberal and Liberal Democrat Group (ILLD then BILLD) (after the 2000 election) (a) Stokes: Formerly served as a Labour councillor 1983–1986 (b) Cryer: Formerly served as a councillor 1967–1974 (c) Long: Formerly served as a councillor 1983–1990 (d) Haines: Formerly served as a Labour councillor 1987–1991 and 1992–1998 References Slough 2003 English local elections 2003
Samjosef Rasmo Belangel (born June 27, 1999) is a Filipino professional basketball player for Daegu KOGAS Pegasus of the Korean Basketball League (KBL). Early life and education SJ Belangel was born in Bacolod on June 27, 1999 to Sammy Belangel and Mayette Belangel (). His father is a former college basketball player star. Belangel studied in the Ateneo education system, first moving to the Ateneo High School in ninth grade. He graduated from the Ateneo de Manila University with a degree in interdisciplinary studies in 2022. High school and college career Hailing from Bacolod, SJ Belangel has suited up for the teams of Eliakim Learning School, USLS-Integrated School, St. Joseph's Academy–Iloilo, and Bacolod Tay Tung High School prior to joining Ateneo High School. He also took part and won the Batang Pinoy 3x3 national competition held in Bacolod in 2014. He moved to Ateneo High School and played for the Blue Eaglets after he scouted by its coach Joe Silva. He turned down offers to attend La Salle Green Hills and De La Salle Zobel despite his family having a largely La Sallian background. He ended his stint with the Eaglets in 2018 by helping them clinch the UAAP Season 80 junior title and earned a place in the Mythical Five for himself. Belangel would commit to Ateneo, and entered Ateneo de Manila University for his college studies. He made his UAAP senior debut for the Tab Baldwin-mentored Ateneo Blue Eagles in Season 81. He played for three UAAP season featuring in 48 games played, Belangel averaged 7.38 points and 2.08 assists per contest. Professional career Daegu KOGAS Pegasus (2022–present) In June 2022, Belangel decided to forego his two years of eligibility left to play for Ateneo. He decided to turn professional and play for the Daegu KOGAS Pegasus of the Korean Basketball League. National team career Junior national team Belangel has played for the Philippine national team. He played for the national under-16 team in the 2015 FIBA Asia Under-16 Championship as its captain. Senior national team For the senior team, he took part in the 2020 FIBA Men's Olympic Qualifying Tournament in Belgrade and the 2022 FIBA Asia Cup qualifiers. In the 2022 FIBA Asia Cup, he was on the team failed to qualify for the quarterfinals. Personal life Belangel has a girlfriend, Isabel Cruz. References 1999 births Living people Ateneo Blue Eagles men's basketball players Basketball players from Negros Occidental Daegu KOGAS Pegasus players Filipino expatriate basketball people in South Korea Filipino men's basketball players Hiligaynon people Philippines men's national basketball team players Point guards Sportspeople from Bacolod
```c /* $OpenBSD: weak.c,v 1.3 2012/12/05 23:20:08 deraadt Exp $ */ /* * Public domain. 2002, Federico Schwindt <fgsch@openbsd.org>. */ #include <sys/types.h> #include "defs.h" int weak_func() { return (WEAK_REF); } __weak_alias(func,weak_func); ```
Gallmannsegg is a former municipality in the district of Voitsberg in the Austrian state of Styria. Since the 2015 Styria municipal structural reform, it is part of the municipality Kainach bei Voitsberg. Geography Gallmannsegg lies about 30 km northwest of Graz and southeast of the Speikkogel. The river Kainach has its source in the municipality. References Cities and towns in Voitsberg District
ST vz. 39, also known by its factory designation V-8-H, was a Czechoslovak medium tank developed by ČKD in the late 1930s. Only two prototypes were ever built. Design and development In the fall of 1937 a competition was launched for a new medium tank to equip the Czechoslovak Army; Škoda, ČKD and Tatra competed. The most promising design was the ČKD prototype, designated the V-8-H (later ST vz. 39). The first prototype had 143 design flaws identified, of which 16 were considered significant. The most serious issues centred on engine design, the reworking of which satisfied the concerns of the army. Due to the worsening international situation, the army decided to order 300 tanks and, later, a further 150 more but the order was canceled after the Munich Agreement of 1938 gave the Sudetenland area of Czechoslovakia to Germany. After the occupation of the remainder of Czechoslovakia on March 15, 1939, representatives of the German armaments office selected the V-8-H for testing by the Army at Eisenach. As a result of a fortnight's testing, an order was issued in November 1939 for production of another prototype. This was to be delivered without turret and armament, with a concrete block to simulate the load. This marked a prototype V-8-HII (second option), or V-8-Hz (trial) in the second half of 1940, underwent tests in Germany at Kummersdorf. There was no production order as the V-8-H specification were similar to the already under production Panzer III. After the occupation, the company tried to break through with a tank on the international market. Romania is the first reported, as requested by the former Czechoslovak prototypes of the T-21, V-8-H, R-2a. All tanks passed the tests in Romania successfully. Reluctant to choose a tank design, it considered first the R-2a, then the V-8-H, but later opted for a T-21, of which 216 were ordered. The company tried to offer the tank to Sweden, China, USSR, and Italy. The last attempt was with Turkey which would have used the Skoda A7 gun of the LT vz 38 but no order was placed. Both prototypes survived war, but were scrapped soon afterward. References Tanks of Czechoslovakia
```python #!/usr/bin/env python3 import os import sys from vmaf.core.quality_runner import QualityRunner from vmaf.core.result_store import FileSystemResultStore from vmaf.routine import run_remove_results_for_dataset from vmaf.tools.misc import import_python_file __license__ = "BSD+Patent" def print_usage(): quality_runner_types = ['VMAF', 'PSNR', 'SSIM', 'MS_SSIM'] print("usage: " + os.path.basename(sys.argv[0]) + \ " quality_type dataset_filepath\n") print("quality_type:\n\t" + "\n\t".join(quality_runner_types) +"\n") def main(): if len(sys.argv) < 3: print_usage() return 2 try: quality_type = sys.argv[1] dataset_filepath = sys.argv[2] except ValueError: print_usage() return 2 try: dataset = import_python_file(dataset_filepath) except Exception as e: print("Error: " + str(e)) return 1 try: runner_class = QualityRunner.find_subclass(quality_type) except: print_usage() return 2 result_store = FileSystemResultStore() run_remove_results_for_dataset(result_store, dataset, runner_class) return 0 if __name__ == '__main__': ret = main() exit(ret) ```
Joseph Leo Welsh (December 8, 1924 – November 9, 2003) was an American orchestra conductor, oddsmaker, and celebrity turf accountant at the Pimlico Racecourse during the mid twentieth century. Early life Welsh was born to a family of modest means who lived at 318 South Exeter Street in the Little Italy section of Baltimore City. His father traveled extensively, and Welsh was raised predominantly by his mother. His mother hailed from a musical family and was an accomplished pianist. From an early age, Welsh exhibited an exceptional talent for music. Recognizing this talent, his mother contracted with a private tutor from whom Welsh learned to play the trumpet. His lessons were discontinued at the age of seventeen when he was drafted into the US Army for service in the European theater during World War II. Welsh saw combat under General Patton in the Battle of the Bulge. He was wounded in action and returned to the United States before the end of the war for convalescence. He maintained contact with his comrades in arms for many decades after the war. Welsh remained active in military circles and served as Senior Vice Commander of the Baltimore section of the League of Disabled American Veterans. Musical career Welsh briefly attended law school upon his return from military service. However, finding that a career in law was not his calling, he dropped out of law school to form his own orchestra. He became an orchestral conductor in the tradition of the American Big Band genre, naming his group The Versatilles. The Versatilles were a fixture in the Baltimore ballroom musical scene from the 1950s through the 1970s. Welsh's local fame as a musician earned him a position as trumpeter for the Post Call at the Pimlico Racecourse. Pimlico Racecourse Welsh began working at the Pimlico Racecourse as trumpeter for the Post Call in 1957. He developed a keen interest in all things equestrian and a knack for choosing winning horses. Welsh's unusual ability to pick winning horses did not go unnoticed. He earned numerous celebrity clients as an oddsmaker and turf accountant. Welsh served as private turf accountant to Jackie Gleason, FBI director J. Edgar Hoover, along with various senators and congressmen who frequented the racecourse. Welsh worked at the Pimlico Racecourse for three decades and developed a reputation for discretion and honesty. His expertise was sought at Laurel Park, Timonium Racecourse, and Prince George's Park on numerous occasions. Welsh was a close friend and colleague of Jimmy the Greek and served as his principle liaison at the Pimlico Racecourse. Welsh correctly predicted the Triple Crown winners in 1973, 1977, and 1978. In 1979, while working at Pimlico, Welsh lost his balance and fell from a high stool. The fall induced a cardiac arrhythmia that forced him to retire. Personal life Welsh married Bessie Tangires, the daughter of a Greek restaurateur. The couple had two sons. Welsh died in 2003 at the age of seventy-eight due to complications of a stroke. He was buried at the Riverside National Cemetery in Riverside, California. References External links 1924 births 2003 deaths Musicians from Baltimore United States Army personnel of World War II United States Army soldiers
Whetstone Township may refer to the following townships in the United States: Whetstone Township, Adams County, North Dakota Whetstone Township, Crawford County, Ohio
Percy Oldacre (25 October 1892 – 26 January 1970) was an English professional footballer who played as a centre-forward for Stoke, Sheffield Wednesday, Exeter City, Castleford Town, Sheffield United, Halifax Town, Crewe Alexandra, Shrewsbury Town, Port Vale, and Hurst. Career Oldacre began his career at Stoke, without making his first-team debut. He played for Sheffield Wednesday as a guest during World War I. He signed with Exeter City in the summer of 1919 and scored on his debut in a 2–1 win against Swansea City at St James Park in September. He rarely missed a Southern League game for the "Grecians" until he returned north the following year to join Castleford Town. He scored five goals in six First Division games for Sheffield United in 1921–22 and 1922–23. Despite his goal record, he was never a first team regular at Bramall Lane. He spent the 1923–24 season with Halifax Town, scoring once in eight Third Division North matches at The Shay. He then switched to league rivals Crewe Alexandra, and scored 12 goals in 25 league games at Gresty Road in 1924–25. He moved on to Shrewsbury Town, before being signed by Second Division side Port Vale for £150 in August 1926. He made his debut at inside-right in a 2–2 draw with Swansea Town at Vetch Field on 11 December 1926 but was not selected again before being released from his contract at The Old Recreation Ground at the end of the season. He later played for Hurst, scoring five goals in four games in 1927; where he was in 1928 is unknown. Career statistics Source: References 1892 births 1970 deaths Footballers from Stoke-on-Trent English men's footballers Men's association football forwards Stoke City F.C. players Sheffield Wednesday F.C. wartime guest players Exeter City F.C. players Castleford Town F.C. players Sheffield United F.C. players Halifax Town A.F.C. players Crewe Alexandra F.C. players Shrewsbury Town F.C. players Port Vale F.C. players Ashton United F.C. players Southern Football League players English Football League players
Afrocypholaelaps africanus is a species of mite in the family Ameroseiidae. References Ameroseiidae Articles created by Qbugbot Animals described in 1963
Alice Cliff Scatcherd (7 November 1842 – 24 December 1906) was an early British suffragist who in 1889 founded the Women's Franchise League, with Harriet McIlquham, Ursula Bright, Emmeline Pankhurst, Richard Pankhurst and Elizabeth Clarke Wolstenholme Elmy. She was a lifelong campaigner for women's rights in the Leeds area. Early life and education Alice Cliff was born in Wortley, the seventh of fourteen children of the wealthy industrialist Joseph Cliff and his wife Alice Dewhirst. She grew up at Western Flatts House, now Cliff House, and although the family were Unitarians, attended The Mount School in York, a Quaker school. Suffragist career Scatcherd joined the Leeds Ladies’ Educational Association in 1872 and then the newly formed Leeds branch of the National Society for Women's Suffrage (NSWS),where she became a committee member. She was a frequent speaker at events in the 1870s, for example on 24 March 1877, when she appeared in Macclesfield alongside Lydia Becker and other early suffragettes to discuss women's access to the vote. Scatcherd was supported by Henry Birchenough in seconding the first resolution which was moved by Joshua Oldfield Nicholson. Scatcherd sought to widen the scope of the suffrage movement to include reforms to divorce, child custody, and other legal matters affecting women. With her husband, she founded the Morley & District Nursing Association, and she taught adult education classes for women. The Alice Cliff Scatcherd scrapbook comprises letters, photographs and letterpress relating to the national suffrage campaign, politics, education and Morley civic life and is held at Leeds Central Library. A blue plaque to commemorate Scatcherd was unveiled on 2 August 2022 at her former home, Park House, Queen Street, Morley (now a funeral directors'). It carries the words "This champion of women's education, trade unionism and suffrage, who established the Morley District Nurses Association, lived here. She was a founder member of the Women's Franchise League, established in 1889. As a philanthropist, she donated Scatcherd Park to the people of Morley. 1842 - 1906". Personal life and death On 3 October 1871, Alice Cliff married Oliver Scatcherd, a solicitor who was the youngest son of a prominent family in Morley. Her marriage vows did not include the promise to obey her husband, and she later refused to attend weddings in established churches where women took that vow. She also followed Quaker custom by not wearing a wedding ring, which reportedly shocked people when she travelled in Europe with her husband. Scatcherd's husband served as Mayor of Morley in 1898–1900, and died in 1905. She died the following year at Morley Hall after a long illness, and is buried in the Scatcherd Mausoleum in the churchyard of St Mary's in the Wood in Morley. References External links Scatcherd Mausoleum Scatcherd Collection, Morley Library English suffragists People from Morley, West Yorkshire 1842 births 1906 deaths
```xml import { useCallback, useEffect, useMemo, useRef } from 'react'; import { defineMessages, FormattedMessage, useIntl } from 'react-intl'; import { Helmet } from 'react-helmet'; import { useDebouncedCallback } from 'use-debounce'; import DoneAllIcon from '@/material-icons/400-24px/done_all.svg?react'; import NotificationsIcon from '@/material-icons/400-24px/notifications-fill.svg?react'; import { fetchNotificationsGap, updateScrollPosition, loadPending, markNotificationsAsRead, mountNotifications, unmountNotifications, } from 'mastodon/actions/notification_groups'; import { compareId } from 'mastodon/compare_id'; import { Icon } from 'mastodon/components/icon'; import { NotSignedInIndicator } from 'mastodon/components/not_signed_in_indicator'; import { useIdentity } from 'mastodon/identity_context'; import type { NotificationGap } from 'mastodon/reducers/notification_groups'; import { selectUnreadNotificationGroupsCount, selectPendingNotificationGroupsCount, selectAnyPendingNotification, selectNotificationGroups, } from 'mastodon/selectors/notifications'; import { selectNeedsNotificationPermission, selectSettingsNotificationsShowUnread, } from 'mastodon/selectors/settings'; import { useAppDispatch, useAppSelector } from 'mastodon/store'; import { addColumn, removeColumn, moveColumn } from '../../actions/columns'; import { submitMarkers } from '../../actions/markers'; import Column from '../../components/column'; import { ColumnHeader } from '../../components/column_header'; import { LoadGap } from '../../components/load_gap'; import ScrollableList from '../../components/scrollable_list'; import { FilteredNotificationsBanner, FilteredNotificationsIconButton, } from '../notifications/components/filtered_notifications_banner'; import NotificationsPermissionBanner from '../notifications/components/notifications_permission_banner'; import ColumnSettingsContainer from '../notifications/containers/column_settings_container'; import { NotificationGroup } from './components/notification_group'; import { FilterBar } from './filter_bar'; const messages = defineMessages({ title: { id: 'column.notifications', defaultMessage: 'Notifications' }, markAsRead: { id: 'notifications.mark_as_read', defaultMessage: 'Mark every notification as read', }, }); export const Notifications: React.FC<{ columnId?: string; multiColumn?: boolean; }> = ({ columnId, multiColumn }) => { const intl = useIntl(); const notifications = useAppSelector(selectNotificationGroups); const dispatch = useAppDispatch(); const isLoading = useAppSelector((s) => s.notificationGroups.isLoading); const hasMore = notifications.at(-1)?.type === 'gap'; const lastReadId = useAppSelector((s) => selectSettingsNotificationsShowUnread(s) ? s.notificationGroups.readMarkerId : '0', ); const numPending = useAppSelector(selectPendingNotificationGroupsCount); const unreadNotificationsCount = useAppSelector( selectUnreadNotificationGroupsCount, ); const anyPendingNotification = useAppSelector(selectAnyPendingNotification); const needsReload = useAppSelector( (state) => state.notificationGroups.mergedNotifications === 'needs-reload', ); const isUnread = unreadNotificationsCount > 0 || needsReload; const canMarkAsRead = useAppSelector(selectSettingsNotificationsShowUnread) && anyPendingNotification; const needsNotificationPermission = useAppSelector( selectNeedsNotificationPermission, ); const columnRef = useRef<Column>(null); const selectChild = useCallback((index: number, alignTop: boolean) => { const container = columnRef.current?.node as HTMLElement | undefined; if (!container) return; const element = container.querySelector<HTMLElement>( `article:nth-of-type(${index + 1}) .focusable`, ); if (element) { if (alignTop && container.scrollTop > element.offsetTop) { element.scrollIntoView(true); } else if ( !alignTop && container.scrollTop + container.clientHeight < element.offsetTop + element.offsetHeight ) { element.scrollIntoView(false); } element.focus(); } }, []); // Keep track of mounted components for unread notification handling useEffect(() => { void dispatch(mountNotifications()); return () => { dispatch(unmountNotifications()); void dispatch(updateScrollPosition({ top: false })); }; }, [dispatch]); const handleLoadGap = useCallback( (gap: NotificationGap) => { void dispatch(fetchNotificationsGap({ gap })); }, [dispatch], ); const handleLoadOlder = useDebouncedCallback( () => { const gap = notifications.at(-1); if (gap?.type === 'gap') void dispatch(fetchNotificationsGap({ gap })); }, 300, { leading: true }, ); const handleLoadPending = useCallback(() => { dispatch(loadPending()); }, [dispatch]); const handleScrollToTop = useDebouncedCallback(() => { void dispatch(updateScrollPosition({ top: true })); }, 100); const handleScroll = useDebouncedCallback(() => { void dispatch(updateScrollPosition({ top: false })); }, 100); useEffect(() => { return () => { handleLoadOlder.cancel(); handleScrollToTop.cancel(); handleScroll.cancel(); }; }, [handleLoadOlder, handleScrollToTop, handleScroll]); const handlePin = useCallback(() => { if (columnId) { dispatch(removeColumn(columnId)); } else { dispatch(addColumn('NOTIFICATIONS', {})); } }, [columnId, dispatch]); const handleMove = useCallback( (dir: unknown) => { dispatch(moveColumn(columnId, dir)); }, [dispatch, columnId], ); const handleHeaderClick = useCallback(() => { columnRef.current?.scrollTop(); }, []); const handleMoveUp = useCallback( (id: string) => { const elementIndex = notifications.findIndex( (item) => item.type !== 'gap' && item.group_key === id, ) - 1; selectChild(elementIndex, true); }, [notifications, selectChild], ); const handleMoveDown = useCallback( (id: string) => { const elementIndex = notifications.findIndex( (item) => item.type !== 'gap' && item.group_key === id, ) + 1; selectChild(elementIndex, false); }, [notifications, selectChild], ); const handleMarkAsRead = useCallback(() => { dispatch(markNotificationsAsRead()); void dispatch(submitMarkers({ immediate: true })); }, [dispatch]); const pinned = !!columnId; const emptyMessage = ( <FormattedMessage id='empty_column.notifications' defaultMessage="You don't have any notifications yet. When other people interact with you, you will see it here." /> ); const { signedIn } = useIdentity(); const filterBar = signedIn ? <FilterBar /> : null; const scrollableContent = useMemo(() => { if (notifications.length === 0 && !hasMore) return null; return notifications.map((item) => item.type === 'gap' ? ( <LoadGap key={`${item.maxId}-${item.sinceId}`} disabled={isLoading} param={item} onClick={handleLoadGap} /> ) : ( <NotificationGroup key={item.group_key} notificationGroupId={item.group_key} onMoveUp={handleMoveUp} onMoveDown={handleMoveDown} unread={ lastReadId !== '0' && !!item.page_max_id && compareId(item.page_max_id, lastReadId) > 0 } /> ), ); }, [ notifications, isLoading, hasMore, lastReadId, handleLoadGap, handleMoveUp, handleMoveDown, ]); const prepend = ( <> {needsNotificationPermission && <NotificationsPermissionBanner />} <FilteredNotificationsBanner /> </> ); const scrollContainer = signedIn ? ( <ScrollableList scrollKey={`notifications-${columnId}`} trackScroll={!pinned} isLoading={isLoading} showLoading={isLoading && notifications.length === 0} hasMore={hasMore} numPending={numPending} prepend={prepend} alwaysPrepend emptyMessage={emptyMessage} onLoadMore={handleLoadOlder} onLoadPending={handleLoadPending} onScrollToTop={handleScrollToTop} onScroll={handleScroll} bindToDocument={!multiColumn} > {scrollableContent} </ScrollableList> ) : ( <NotSignedInIndicator /> ); const extraButton = ( <> <FilteredNotificationsIconButton className='column-header__button' /> {canMarkAsRead && ( <button aria-label={intl.formatMessage(messages.markAsRead)} title={intl.formatMessage(messages.markAsRead)} onClick={handleMarkAsRead} className='column-header__button' > <Icon id='done-all' icon={DoneAllIcon} /> </button> )} </> ); return ( <Column bindToDocument={!multiColumn} ref={columnRef} label={intl.formatMessage(messages.title)} > <ColumnHeader icon='bell' iconComponent={NotificationsIcon} active={isUnread} title={intl.formatMessage(messages.title)} onPin={handlePin} onMove={handleMove} onClick={handleHeaderClick} pinned={pinned} multiColumn={multiColumn} extraButton={extraButton} > <ColumnSettingsContainer /> </ColumnHeader> {filterBar} {scrollContainer} <Helmet> <title>{intl.formatMessage(messages.title)}</title> <meta name='robots' content='noindex' /> </Helmet> </Column> ); }; // eslint-disable-next-line import/no-default-export export default Notifications; ```
Daniel-Yitzhak Levy (, born 30 September 1917, died 13 February 1995) was an Israeli politician who served as a member of the Knesset for the National Religious Party between 1965 and 1974. Biography Born in Ceuta, Levy studied psychology and pedagogy. He was a member of the national committee of the Zionist Federation of Morocco. He was involved in illegal Jewish immigration to Mandatory Palestine, before making aliyah himself in 1957. In Israel he worked for Bank Mizrahi, becoming deputy manager of the Ramla branch. He was also involved in religious education. Levy was elected head of the Ashkelon branch of Hapoel HaMizrachi, which later formed the National Religious Party (NRP), of which he became a member of the central committee. He was elected to the Knesset on the NRP list in 1965, and was re-elected in 1969, before losing his seat in the 1973 elections. His son Yitzhak also represented the NRP and Ahi in the Knesset between 1992 and 2009. He died in 1995 at the age of 77. References External links 1917 births 1995 deaths 20th-century Moroccan Jews People from Ceuta Moroccan emigrants to Israel People of Spanish-Jewish descent Israeli bankers National Religious Party politicians Members of the 6th Knesset (1965–1969) Members of the 7th Knesset (1969–1974)
Lianne Audrey Dalziel (; born 7 June 1960) is a New Zealand politician and former Mayor of Christchurch. Prior to this position, she was a member of the New Zealand Parliament for 23 years, serving as Minister of Immigration, Commerce, Minister of Food Safety and Associate Minister of Justice in the Fifth Labour Government. She resigned from Cabinet on 20 February 2004 after apparently lying about a leak of documents to the media, but was reinstated as a Minister following Labour's return to office after the 2005 election. She resigned from Parliament effective 11 October 2013 to contest the Christchurch mayoral election. The incumbent, Bob Parker, decided not to stand again. She was widely regarded as the top favourite and won with a wide margin to become the 46th Mayor of Christchurch. Early life Dalziel was born in 1960, raised in Christchurch and attended Canterbury University. She graduated with a law degree and was admitted to the Bar in 1984. She served as the legal officer for the Canterbury Hotel and Hospital Workers' Union, and later became the union's Secretary. She also participated in national groups such as the Federation of Labour and the New Zealand Council of Trade Unions. Member of Parliament Dalziel entered Parliament as a Labour Party MP for Christchurch Central in 1990, replacing outgoing former Prime Minister Geoffrey Palmer. She held this seat until the 1996 election (being replaced by Tim Barnett), when she became a list MP under the new MMP electoral system. In the 1999 election, she chose to contest an electorate again, and won the Christchurch East seat. She held the seat in the 2002, 2005, 2008 and 2011 elections. In 2011 she opted not to go on the Labour list. In November 1990 she was appointed as Labour's spokesperson for the Audit Department and Customs by Labour leader Mike Moore. After Helen Clark replaced Moore as leader in December 1993 Dalziel was promoted and given the Health portfolio. Time magazine picked her as a future leader in its December 1994 edition. In August 1997 Dalziel was replaced in the Health portfolio by Annette King due to perceived ineffectiveness against Minister of Health Bill English, media believing Alliance Health spokesperson Phillida Bunkle was performing better. Instead she was made Shadow Attorney-General and given the portfolios of immigration, youth affairs and statistics. Dalziel expressed enthusiasm for the chance to utilise her law degree in politics as Shadow Attorney-General. Cabinet minister In the new government formed by Labour, Dalziel became Minister of Immigration, Minister for Senior Citizens, and Minister for Disability Issues. When Labour won re-election in the 2002 election, Dalziel also became Minister of Commerce (while ceasing to be Minister for Disability Issues). In 2003, she ceased to be Minister for Senior Citizens. As Minister of Immigration, Dalziel was often in the spotlight. In particular, she often clashed with Winston Peters, leader of the anti-immigration New Zealand First party. After the 2005 election, Dalziel was re-elected by her caucus colleagues to Cabinet and was given the portfolios of Commerce, Small Business, and Women's Affairs. Mike Williams, President of the Labour Party from 2000 to 2009, states that he was surprised by Clark appointing Dalziel Minister of Commerce and thought of it as an "odd choice". But she worked herself into the portfolio, paid attention to detail, and within a year had "proved herself". Williams believes this is due to her high intelligence and her ability to listen. Tim Barnett, MP for Christchurch Central from 1996 to 2008 credits her training as a lawyer and "having a bigger brain than most of us" for her success. Williams states that as Minister of Commerce, Dalziel worked closely with National's Simon Power and built "cross-party unity on various issues". Controversies Dalziel's position became difficult after she was accused of giving certain documents to the press to bolster the case for a decision her Associate Minister had made. The decision, concerning the deportation of a Sri Lankan teenager who was seeking asylum but who had originally lied about the reasons, was controversial, and Dalziel leaked the notes of the teenager's lawyer to TV3, attempting to discredit the teenager's case for asylum. Dalziel tried to avoid admitting to being the source of the documents, but was forced to admit that the leak had been at her direction. There was also significant controversy about how Dalziel had obtained the documents in the first place. Dalziel offered her resignation which Prime Minister Helen Clark accepted. Opposition and mayoral ambitions After Labour was defeated in the 2008 general election, Dalziel became the Opposition spokesperson on Justice and Commerce and, from 2011, the spokesperson for the Christchurch Earthquake Recovery, Civil Defence & Emergence Management, Consumer Rights & Standards, and associate spokesperson for Justice. Rumours of Dalziel standing as Mayor of Christchurch go back to at least 2009. Since the February 2011 earthquake, the rumours that Dalziel would contest the 2013 Christchurch mayoralty became more consistent. In May 2012, Dalziel tried to put an end to these rumours by announcing: "The job I really want is Gerry Brownlee's, rather than Bob Parker's." Brownlee is Earthquake Recovery Minister, and Parker was the Mayor of Christchurch at the time. In the February 2013 reshuffle of opposition portfolios, Dalziel dropped out of the top 20 (only the first 20 positions are ranked by the Labour Party). An editorial in The Press presumed that her strong support for David Cunliffe was part of the reason for her demotion. The editorial also speculated that she might reconsider her political future: The demotion is bound to concentrate Dalziel's mind on whether she should run for the Christchurch mayoralty. As things stand, a place for her in a Labour cabinet as minister for the earthquake recovery looks unlikely, but she would be a strong candidate for mayor. Following months of speculation, The Press reported on 20 April 2013 that Lianne Dalziel would challenge Parker for the mayoralty, and that she had asked 24-year-old Student Volunteer Army organiser Sam Johnson to be her running mate, with a view of Johnson becoming deputy mayor. The newspaper expressed surprise by this pairing, given that Dalziel was a Labour Party member, and Johnson a member of the Young Nats, the youth arm of the National Party. Saying that: "It was a really difficult decision to make, but I don't think it is the right thing for me right now", Johnson eventually decided against running. On 19 June, Dalziel formally confirmed that she would contest the mayoralty, also announcing that she would resign from Parliament, which would trigger a by-election in the Christchurch East electorate. Dalziel delivered her resignation letter on 17 September and delivered her valedictory speech the following day with her resignation taking effect on Friday, 11 October; the day before the local body election so that the by-election campaign did not interfere with the local body election. In a later interview, Dalziel confirmed that she would have left Parliament even if Shearer had put her onto the front bench. Although some expressed concerns about Dalziel's Labour Party background, including central city property developer Antony Gough, who talked of her "red apron strings" getting in the way of working with local business owners, she also nevertheless open support from the political right for her mayoral ambitions: Christchurch City Councillor Tim Carter, son of Christchurch property developer Philip Carter and nephew of Speaker David Carter, encouraged her to stand for the mayoralty; former National Party cabinet minister Philip Burdon was one of her nominees when she lodged her nomination for the mayoralty with the returning officer; and blogger Cameron Slater, by many considered a "conduit for factions of the National Party" wrote: Christchurch needs a uniter, not a divider, and the word is that National would far rather deal with Lianne and the competent councillors she is bringing with her than Bob Parker. Dalziel's Earthquake Recovery portfolio in Labour's shadow cabinet was split and given to Ruth Dyson and Clayton Cosgrove. Mayor of Christchurch Dalziel was elected Mayor of Christchurch in the October 2013 mayoral election, with a margin of almost 50,000 votes over the next candidate, businessman Paul Lonsdale. She was sworn in on 24 October, with a past mayor, Vicki Buck as her deputy. At the 2019 local election, she won the mayoralty for a third time. In late February 2020, the New Zealand Police referred Dalziel's election expenses during the 2019 Christchurch mayoral election to the Serious Fraud Office. Two complainants, including rival mayoral candidate John Minto, had filed a complaint regarding donations by six people that exceeded the $1,500 limit under the Local Electoral Act. On 17 December, the Serious Fraud Office cleared Mayor Dalziel, stating that it found no evidence of criminal conduct relating to donations made to the Mayor by several Chinese businessmen during the 2019 mayoral election. On 1 July 2021 she announced she would not seek re-election as mayor at the local body elections in 2022. In October 2021, Dalziel expressed opposition to the Sixth Labour Government's Three Waters reform programme, criticising the Government for "mandating councils." Honours In the 2023 King's Birthday and Coronation Honours, Dalziel was appointed a Companion of the New Zealand Order of Merit, for services to local government and as a Member of Parliament. Personal life Dalziel married Mike Pannell in 1988. The pair divorced in 1995 and indicated that the stress of parliamentary life was a major factor in the decision to separate. In 2000, Dalziel married Christchurch lawyer Rob Davidson. He died of prostate cancer in August 2020, aged 69 years. See also Politics of New Zealand Government of New Zealand References External links New Zealand Labour Party bio Video of valedictory speech part 1 part 1 |- |- |- |- |- |- 1960 births Living people New Zealand Labour Party MPs Members of the Cabinet of New Zealand University of Canterbury alumni 20th-century New Zealand lawyers Women government ministers of New Zealand New Zealand list MPs New Zealand MPs for Christchurch electorates Members of the New Zealand House of Representatives Mayors of Christchurch 20th-century New Zealand politicians 20th-century New Zealand women politicians 21st-century New Zealand politicians 21st-century New Zealand women politicians Women members of the New Zealand House of Representatives Companions of the New Zealand Order of Merit
Matrilins are proteoglycan-associated proteins that are major components of extracellular matrix of various tissues. They include: Matrilin-1 Matrilin-2 Matrilin-3 Matrilin-4 Matrilin-1 and -3 are expressed near exclusively in skeletal tissues. Matrilin-2 and -4 have a much broader distribution and are also found in loose connective tissue. References Extracellular matrix proteins
```objective-c // // JSONModelArray.h // // @version 0.8.0 // @author Marin Todorov, path_to_url // // This code is distributed under the terms and conditions of the MIT license. // // Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: // The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. // #import <Foundation/Foundation.h> /** * **Don't make instances of JSONModelArray yourself, except you know what you are doing.** * * You get automatically JSONModelArray instances, when you declare a convert on demand property, like so: * * @property (strong, nonatomic) NSArray&lt;JSONModel, ConvertOnDemand&gt;* list; * * The class stores its contents as they come from JSON, and upon the first request * of each of the objects stored in the array, it'll be converted to the target model class. * Thus saving time upon the very first model creation. */ @interface JSONModelArray : NSObject <NSFastEnumeration> /** * Don't make instances of JSONModelArray yourself, except you know what you are doing. * * @param array an array of NSDictionary objects * @param cls the JSONModel sub-class you'd like the NSDictionaries to be converted to on demand */ - (id)initWithArray:(NSArray *)array modelClass:(Class)cls; - (id)objectAtIndex:(NSUInteger)index; - (id)objectAtIndexedSubscript:(NSUInteger)index; - (void)forwardInvocation:(NSInvocation *)anInvocation; - (NSUInteger)count; - (id)firstObject; - (id)lastObject; /** * Looks up the array's contents and tries to find a JSONModel object * with matching index property value to the indexValue param. * * Will return nil if no matching model is found. Will return nil if there's no index property * defined on the models found in the array (will sample the first object, assuming the array * contains homogenous collection of objects) * * @param indexValue the id value to search for * @return the found model or nil */ - (id)modelWithIndexValue:(id)indexValue; @end ```
NBC 24 may refer to one of the following television stations in the United States: Current KNVN, Chico-Redding, California KSEE, Fresno, California WNWO-TV, Toledo, Ohio Former KFTA-TV, Fort Smith, Arkansas (affiliated with NBC from 1980 to 2008; now affiliated with Fox) WHTV, Meridian, Mississippi (affiliated with NBC via WTVA in Tupelo, Mississippi; now WMDN, a CBS affiliate)
CSS Raleigh was originally a small, iron-hulled, propeller-driven towing steamer operating on the Albemarle and Chesapeake Canal. She was taken over by the State of North Carolina in May 1861, and transferred to the Confederate States the following July. Her commanding officer during 1861–1862 was Lieutenant Joseph W. Alexander. Her entire service was in coastal waters of North Carolina and Virginia and in the James River as part of the James River Squadron. Raleigh supported Fort Hatteras and Fort Clark on August 28–29, 1861; took part in an expedition on October 1 to capture United States Army steamer Fanny with valuable stores on board; and accompanied CSS Sea Bird when she reconnoitered Pamlico Sound on January 20, 1862. She was also active in defense of Roanoke Island against an amphibious assault by overwhelming Federal forces on February 7–8, 1862, and at Elizabeth City, North Carolina 2 days later. Thence Raleigh escaped through Dismal Swamp Canal to Norfolk, Virginia. On March 8–9, 1862, Raleigh was tender to CSS Virginia during the historic Battle of Hampton Roads, for which she received the thanks of the Confederate Congress. With the Federal recapture of Norfolk Navy Yard in May 1862, Raleigh steamed up the James River, but thereafter a shortage of crew members restricted her to flag-of-truce or patrol service. Raleigh, renamed Roanoke near the end of the war, was destroyed by the Confederates on April 4, 1865 upon the evacuation of Richmond, Virginia. Commanders The commanders of the CSS Raleigh were: Lieutenant Joseph W. Alexander (1861–1862) Lieutenant Maxwell T. Clarke (1863-June 1864) Lieutenant Mortimer Murray Benton (during June 1864) Master's Mate A.E. Albertson (July 31, 1864-) Acting Master W. Frank Shippey (October–December 1864) Lieutenant William Wonder Pollock (January 1865-end of war) References Raleigh (1861) Shipwrecks of the American Civil War Shipwrecks in rivers Ship fires 1861 ships Maritime incidents in April 1865 Scuttled vessels
The Irving Family is a wealthy Maritime family located mostly in New Brunswick, Canada. Description The Irving Family is the wealthiest in New Brunswick and one of the richest families in Canada. The family was headed by Scottish born James Dergavel Irving, known by J.D., who founded the lumber business J. D. Irving. J.D. had one son K. C. Irving (1899–1992) who had three grandsons: James K. Irving, known as J.K., (born 1928) Arthur Irving, known as Art, (born 1930), and John E. Irving known as Jack (1932-2010). Wealth J.K. Irving's fortune was estimated by Forbes as between $4.1 billion and $8.3 billion between 2012 and 2022. Arthur's wealth was estimated to be between $1.9 billion to $5.5 billion. The family's wealth is held in three offshore bank accounts in Bermuda. Two were formed in 1976 and a third (the K.C. Irving Estate Trust) in 1992 when K. C. Irving died. The tax affairs of the family were reported on by German newspaper Süddeutsche Zeitung and the International Consortium of Investigative Journalists after making their way into the public domain via the release of the Paradise Papers. Businesses James Dergavel Irving started the family business empire by opening a gas station in Bouctouche. Since then the range of businesses owned has grown to over 250 located throughout Canada and the United States. In 2017, the various petrochemical, logistics, retail, and media companies were estimated to be worth $10 billion. James K. Irving-led lumber and paper business Irving Pulp and Paper are the largest private sector employer in New Brunswick. Irving Oil, led by Arthur Irving is the largest oil refinery in Canada. List of members Italics denotes the person is married to the person above, and is thus not a member of the family by birth. James Dergavel Irving (1860–1933), Bouctouche businessman. Minnie S. Hutchinson Irving (1864–1889), died young, member of a wealthy local Bouctouche family, first wife of James Dergavel. Mary E. Gifford Irving (1861–1944), James Dergavel's second wife. K. C. Irving (1899–1992), billionaire oil businessman, his business was split up upon his death. Estimated 20 billion modern dollars. Harriet Lila MacNarin Irving (1899–1976), namesake of the Harriet Irving Botanical Gardens, co-founder of the K. C. Irving Environmental Sciences Centre, founder of the Harriet Irving Library, first wife K. C. Winnifred Johnston Irving (1917–2018), philanthropist, most often known simply as Mrs. Irving, second wife of K. C. John E. Irving (1932–2010), owner of construction, engineering, and concrete and steel fabrication companies. 5.8 billion dollar net worth. Suzanne Farrer Irving, married to John until his death. (Daughter of Dr. Isaac Keillor Farrer, a wealthy doctor from Saint John) Colonel John K. F. Irving (born ), he took over most of his father's responsibilities after his death. Elizabeth Irving, wife of John. 3 children of Colonel John and Elizabeth. Colin D. Irving (1963–2019), he did not follow the family's business interests and worked as a charitable volunteer and filmmaker. Anne Irving Oxley (born c. 1964) John Oxley, real estate development executive, husband of Anne. 3 children of Anne and John. Arthur Irving (born 1930), owner of Irving Oil and its refineries. 4.2 billion dollar net worth. Joan Carlisle Irving (1935–2014), ARCO executive, philanthropist, friend of the Vander Zalms, divorced from Arthur in 2005. Sandra Ring Irving, philanthropist, Arthur's current wife. Kenneth Irving (born c. 1960), COO of Irving Oil. Tasha Irving, wife of Kenneth, she advises him on his philanthropic ventures. Arthur Leigh Irving (born c. 1960), Vice-president for Marketing at Irving Oil. Jennifer Irving, educated in Switzerland. Emily Irving Sarah Irving (born ), Vice President and Chief Brand Officer of Irving Oil, she is the supposed heir to the empire. James K. Irving (born 1928), owner of Brunswick News and J. D. Irving, Limited. 6.9 billion dollar net worth. Jean E. Irving, ONB (1926–2019), Philanthropist and art collector. Net worth of 900 million at her death. Wife of James. Jim Irving Jr. (born ), co-CEO of J.D. Irving Ltd along with his brother Robert. Jamie Irving, first of J. K.'s grandchildren to join the family business, publisher of the Saint John Telegraph-Journal, later served as the Executive Chair of the Postmedia. Kate Irving, currently works under Robert. Robert Irving (born ), co-CEO of J. D. Irving. He is also president of the Moncton Wildcats. Judith "Judy" Irving, former owner of Hawk Communications. Paul Zed, a member of Parliament, former husband of Judith Andrew Zed, legal counsel of Canadian Tire. Lisa Dunlop, Deliotte executive, Andrew's wife. (Daughter of Robert H. Dunlop III, chief executive and owner of the Madison Racquet & Swim Club and Maxine Martens-Dunlop, co-owner of Martens & Heads) Four other children of Judith and Paul. Mary Jean Irving (born ), she is the richest person in Prince Edward Island with a net worth upwards of 250 million. Mr. Dockendorf, minister, husband of Mary Jean. (Son of Russell Dockendorf, owner of the Mussel King) References Canadian families Year of birth missing (living people) Living people
The 2021–22 Northern Kentucky Norse men's basketball team represented Northern Kentucky University in the 2021–22 NCAA Division I men's basketball season. The Norse, led by third-year head coach Darrin Horn, played their home games at BB&T Arena in Highland Heights, Kentucky as members of the Horizon League. This was the final season in which the Norse's home was known as BB&T Arena. In 2020, the arena's sponsor BB&T merged with SunTrust to create Truist Financial. However, the merged company did not start branding its Kentucky locations with the new corporate name until late 2021. On April 5, 2022, the venue was officially renamed Truist Arena. Previous season The Norse finished the 2020–21 season 14–11, 11–7 in Horizon League play to finish in fourth place. In the Horizon League tournament, they defeated Detroit Mercy in quarterfinals, before losing to Oakland in the semifinals. Roster Schedule and results |- !colspan=12 style=| Exhibition |- !colspan=12 style=| Regular season |- !colspan=9 style=| Horizon League tournament Source References Northern Kentucky Norse men's basketball seasons Northern Kentucky Northern Kentucky Norse men's basketball Northern Kentucky Norse men's basketball
Pożarki is a village in the administrative district of Gmina Kętrzyn, within Kętrzyn County, Warmian-Masurian Voivodeship, in northern Poland. It lies approximately south-east of Kętrzyn and north-east of the regional capital Olsztyn. References Villages in Kętrzyn County
The Peasant Farm Policy was a set of Canadian governmental administrative guidelines which placed limits on the agricultural practices of First Nations on the Canadian Prairies between 1889 and 1897. Origins During negotiations of the Numbered Treaties, First Nations were promised assistance in transitioning to sedentary life on Indian reserves and expected to receive the contemporary tools used in agriculture. The text of the treaties themselves promised various amounts of farming equipment. Treaty 6, for example, was to provide “four hoes for every family… two spades per family… one plough for every three families… one harrow for every three families… two scythes and one whetstone, and two hay forks… for every family… [and] one grindstone and one auger for each Band." Cree representatives at Fort Carlton had been told that, should they take treaty, the government would be generous so that they would become wealthy. Historian Derek Whitehouse-Strong suggests they had an expectation that treaty terms "would allow reserve populations...to compete successfully in the agricultural economy of the Canadian prairies." Early farming was, at least in some places, quite successful. The large Blackfoot reserves in Southern Alberta apparently produced an "immense" potato crop in 1884 and achieved good sales. Local settlers, often unaware of the terms of the treaties and hostile to their Indigenous neighbours, felt the assistance being given to First Nations gave them an unfair advantage and complained to the Indian Commissioner. Moreover, the developers of the peasant farming policy believed (according to their theories of sociocultural evolution) that Indigenous farmers were socially incapable of beginning farming with modern equipment and methods. That would be an "unnatural leap".<ref name="carter2007">{{cite book |author1=Carter, Sarah |author1-link=Sarah Carter (historian) |editor1-last=Kitzan |editor1-first=Chris |editor2-last=Francis |editor2-first=R. Douglas |title=The Prairie West as Promised Land |date=2007 |url=https://blogs.ubc.ca/geog328/files/2015/09/Carter-2007-We-must-farm-to-enable-us-to-live.pdf |chapter='We Must Farm to Enable Us to Live': The Plains Cree and Agriculture to 1900,” The Prairie West as Promised Land'}}</ref>. It was considered that instead, they should begin with agriculture akin to that traditionally used by European peasants. Policy In 1889, Hayter Reed, then deputy superintendent general of Indian affairs, distributed the policy to Indian agents administering Indian reserves. It restricted the use of agricultural tools to simple hand tools. Seeds should be hand-planted, and crops should be harvested with scythes, bound by hand, threshed with flails, and ground with hand mills. First Nations were forbidden from acquiring modern tools, even at their own expense. Even simple tools (e.g. harrows, hayforks, carts and yokes), moreover, should be made by the farmers themselves rather than purchased. The policy also limited the amount of land First Nations could cultivate or and the amount of produce they could sell. Reserve farmers were told to reduce their personal wheat farms to a single acre, along with a root and vegetable garden. Cattle would be restricted to a cow or two per family. Outcomes Combined with the pass system and the permit system (requiring permission from an Indian agent before the sale, barter, exchange or gifting of a farm's products), the policy severely limited the potential for First Nations farming on the Prairies. Historian Walter Hildebrandt suggests that the Department of Indian Affairs "seemed more concerned with keeping the Natives under control than with assisting them fully to develop their skills as agriculturalists". Further reading F. Laurie Barron, “The Indian Pass System in the Canadian West, 1882–1935,” Prairie Forum vol 13, vol. 1 (1988). Sarah Carter, Lost Harvests: Prairie Indian Reserve Farmers and Government Policy'' (1990). References First Nations history History of human rights in Canada Discrimination in Canada Racial segregation 1890s in Canada
A false lien is document that purports to describe a lien, but which has no legal basis, or which is based upon false, fictitious, or fraudulent statements or representations. In the United States, the filing of false liens has been used as a tool of harassment and revenge in "paper terrorism", often against government officials. Overview When used maliciously, the filer falsely submits a lien against their target alleging that the target owes the filer some sum of money for services or goods not delivered. The lien is inexpensive and relatively easy to file but, for the target, requires significant time and lawyers fees to be dissolved by a court. The practice was pioneered by the Posse Comitatus. Example In 1992, a resident of Seattle filed a false lien of against General Electric (GE) for unpaid wages which he claimed GE had owed him for work performed but had "given away" to the Internal Revenue Service without his permission. The wages had been garnished due to outstanding income taxes which he had refused to pay. He and his wife also filed false liens against President George H. W. Bush, US Senator Slade Gorton, the Attorney General of Washington, Jack Welch Jr. (the CEO of GE), four IRS agents and their spouses, and various other public officials and judges. They claimed the false liens against the public officials and IRS employees were justified because the latter had failed to help the plaintiffs and were not fulfilling their Oathes of Office. These false liens were only dissolved after years of legal battles which eventually resulted in the couple being barred from filing any further "nonconsensual lien or encumbrance" against federal employees. Countermeasures As a result, the U.S. Congress has criminalized the filing of false liens, and the U.S. Sentencing Guidelines treat the filing of a false lien against a government official as equally serious as threatening the government officials of the United States. The Bureau of Prisons has responded by treating lien documents and personal information (such as Social Security Numbers) of federal agents, judges, etc. as contraband in federal prisons. Various U.S. states have been developing ways of combating false liens. References Crime Liens
The presidency of Joseph Estrada, also known as the Estrada administration, spanned 31 months from June 30, 1998, to January 20, 2001. Estrada was elected president of the Philippines in the May 11, 1998 national elections, receiving almost 11 million votes. Estrada campaigned on a pro-poor platform. He ordered the removal of all sovereign guarantees on contracts for public projects which would require the sovereign Filipino people to assume the financial losses of private companies doing business with the government. He made efforts to clean the bureaucracy by ordering the immediate relief of corrupt officials in the military and police hierarchy. He ordered a wide-ranging investigation of all government contracts entered into by the previous administration to ensure these were above-board and directly advantageous to the citizenry. He also ordered the investigation of suspected big-time tax evaders including individuals who had contributed to his presidential campaign. He undertook an aggressive housing program on a national basis, targeting low-cost homes for the poor. Estrada assumed office amid the Asian Financial Crisis and with agricultural problems due to poor weather conditions, thereby slowing the economic growth to -0.6% in 1998 from a 5.2% in 1997. The economy recovered by 3.4% in 1999 and 4% in 2000. The agricultural sector received greater priority, while the national government took steps to bring down the cost of medicine. His term was marked by a growth in foreign investments. He declared an "all-out-war" against the Moro Islamic Liberation Front (MILF), which led to the capture of the largest camp of the MILF. In 2000, Estrada was accused of illegally accepting payoffs from various sources, including jueteng, a popular local numbers game, sparking a national controversy that led to the House of Representatives voting to impeach him. The Senate impeachment trial ended abruptly in mid-January 2001 after prosecutors staged a walk-out after the senators voted against the opening of a document that supposedly contained substantial evidence against Estrada. The decision drew protesters to EDSA, and the Armed Forces of the Philippines later withdrew their support. On January 20, 2001, Estrada resigned from office and fled Malacañang. Following the Supreme Court's decision upholding the legality of the Arroyo presidency, Estrada was arrested at his San Juan home on April 25, 2001, on the warrant of arrest issued by the Sandiganbayan for plunder charges. Election and inauguration Estrada was inaugurated on June 30, 1998, in the historical town of Malolos, Bulacan. Later that afternoon, Estrada delivered his inaugural address at the Quirino Grandstand in Luneta. In his inaugural address, Estrada said: Major issues of presidency Speeches Inaugural Address, (June 30, 1998) First State of the Nation Address, (July 27, 1998) Second State of the Nation Address, (July 26, 1999) Third State of the Nation Address, (July 24, 2000) Major acts and legislation Second RP-US Visiting Forces Agreement Philippine Clean Air Act of 1999 (Republic Act No. 8749) – designed to protect and preserve the environment and ensure the sustainable development of its natural resources Incentives for Regional Headquarters of Foreign Multinationals (Republic Act No. 8756) – The measure grants a host of incentives to multinational firms establishing their regional hubs in the country. It also provides a tax- and duty-free operating environment for them, and multiple entry visas to expatriates and their families, as well as a flat income tax rate of 15%. Retail Trade Liberalization Act (Republic Act No. 8762) – The bill dismantles 40 years of state protectionism over the country's retail trade industry and opens the sector to big foreign players. New General Banking Act (Republic Act No. 8791) – The measure opens up the local banking industry to foreign players after almost 50 years of having it exclusively reserved and protected for Filipino nationals. Electronic Commerce Act of 2000 (Republic Act No. 8792) – Outlaws computer hacking and provides opportunities for new businesses emerging from the Internet-driven New Economy New Securities Act (Republic Act No. 8799) – This law liberalizes the securities market by shifting policy from merit regulation to full disclosure. With its strengthened provisions against fraud, the measure is expected to pave the way for the full development of the Philippine equities and securities market. Administration and cabinet Cabinet (1998–2001) Other cabinet-level and high posts Cabinet level Executive Secretary Ronaldo Zamora (1998–2000) Edgardo Angara (2000–2001) Press Secretary Rodolfo Reyes (1998–1999) Ricardo Puno (1999–2001) Presidential Spokesman Fernando Barican (1998–2001) Presidential Chief of Staff Aprodicio Lacquian (1999–2000) Head of the Presidential Management Staff Leonora de Jesus (1998–2000) Macel Fernandez (2000–2001) Metropolitan Manila Development Authority Chairman Jejomar Binay (1998–2001) Others Flagship Programs Robert Aventajado (1998–2001) Director General, Philippine National Police Gen. Roberto Lastimoso (1998–1999) Gen. Edmundo L. Larozza, Officer-in-Charge (1999) Gen. Panfilo Lacson (1999–2001) Supreme Court appointments Estrada nominated the following to the Supreme Court of the Philippines: Justice Bernardo P. Pardo – September 30, 1998 Hilario Davide, Jr. – Chief Justice November 30, 1998 (an associate justice since 1991) Justice Arturo B. Buena – January 5, 1999 Justice Minerva P. Gonzaga-Reyes – January 5, 1999 Justice Consuelo Ynares-Santiago – April 6, 1999 Justice Sabino R. De Leon, Jr. – October 12, 1999 Justice Angelina Sandoval-Gutierrez – December 22, 2000 (his last SC justice appointee) Pardons Estrada granted pardon to the following: Rodolfo Dominguez Quizon, Jr. (1998) – convicted of arson Domestic policies Economy Even with its strong economic team, the Estrada administration failed to capitalize on the gains of the previous administration. Estrada's administration was severely criticized for cronyism, incompetence, and corruption, causing it to lose the confidence of foreign investors. Foreign investors' confidence was further damaged when, in his second year, Estrada was accused of exerting influence in an investigation of a friend's involvement in stock market manipulation. Social unrest brought about by numerous bombing threats, actual bombings, kidnappings, and other criminal activities contributed to the economy's troubles. Economic performance was also hurt by climatic disturbance that caused extremes of dry and wet weather. Toward the end of Estrada's administration, the fiscal deficit had doubled to more than 100 billion from a low of 49 billion in 1998. Despite such setbacks, the rate of GNP in 1999 increased to 3.6 percent from 0.1 percent in 1998, and the GDP posted a 3.2 percent growth rate, up from a low of −0.5 percent in 1998. Debt reached 2.1 trillion in 1999. Domestic debt amounted to 986.7 billion while foreign debt stood at US$52.2 billion. Masa format on radio During his term, Estrada ordered to the National Telecommunications Commission to adopt a Filipino language-based radio format known as masa. Named for his icon Masa (or Masses), all radio stations adopted the masa format since 1998, as DJ's wanted to replace English language-based stations immediately to air OPM songs and requests. After his term in 2001, several FM stations continued to adopt the masa format nationwide. Saguisag Commission To investigate the alleged anomalies of the Ramos administration, Estrada created the "Saguisag Commission" headed by former Senator Rene Saguisag. Ramos, however, refused to appear before the commission, for he argued that the jurisdiction lies in the court. In the so-called Centennial Expo scam, Mr. Ramos claimed the Senate committee that conducted the probe "never closed the case" because it did not issue any final report. Instead, he rued, Estrada created an administrative fact-finding commission headed by former Senator Rene Saguisag. But six former government officials during his administration who were implicated in the Centennial Expo scam were subsequently "exonerated" by the Ombudsman in October 1998. Former Vice President Salvador Laurel, who chaired the Centennial Expo and was among the principal accused in this case, however, died before he could be exonerated, Mr. Ramos rued. In the Smokey Mountain case, he said, he appeared in 2000 before the public hearing of the House committee on good government chaired by then Rep. Ed Lara whose panel cleared the project as valid and legal. Subsequently, he said, the Supreme Court ruled 13–0, with 2 abstentions, in favor of the project. The SC also upheld the legality and constitutionality of the project and dismissed the petition filed against it by Sen. Miriam Defensor Santiago. In the questioned Masinloc power project, he said, the Joint Congressional Oversight Committee looked into the privilege speech of then Sen. Aquilino Pimentel, Jr. on Ramos' alleged influence that this power plant be sold to a consortium connected with former Malaysian Prime Minister Mahathir Muhammad. Agrarian reform The Estrada administration widened the coverage of the Comprehensive Agrarian Reform Program (CARP) to the landless peasants in the country side, distributing more than of land to 175,000 landless farmers, including land owned by the traditional rural elite. (Total of 523,000 hectares to 305,000 farmers during his 2nd year as president). In September 1999, he issued Executive Order 151, also known as Farmer's Trust Fund, which allows the voluntary consolidation of small farm operation into medium and large scale integrated enterprise that can access long-term capital. Estrada launched the Magkabalikat Para sa Kaunlarang Agraryo or MAGKASAKA. The Department of Agrarian Reform forged into joint ventures with private investors into agrarian sector to make FBs competitive. In 1999, a huge fund was allocated to agricultural programs; one of these is the Agrikulturang Maka Masa, through which it achieved an output growth of 6 percent, a record high at the time, thereby lowering the inflation rate from 11 percent in January 1999 to just a little over 3 percent by November of the same year. Anti-crime Task Forces In 1998, by virtue of Executive Order No. 8, Estrada created the Presidential Anti-Organized Crime Task Force (PAOCTF) to minimize, if not totally eradicate, car theft and worsening kidnapping cases in the country. With the help of this task force, the Philippine National Police achieved a record-high trust rating of +53 percent. Estrada also created the Philippine Center on Transnational Crime (PCTC) in 1999, with the objective of formulating and implementing a concerted of action of all law enforcement, intelligence and other government agencies for the prevention and control of transnational crime. In November 2000, during the Juetenggate scandal of Estrada, high officials of the PAOCTF–Cesar Mancao, Michael Ray Aquino, Glen Dumlao, and PAOCTF chief Panfilo Lacson—were implicated in the murder of publicist Salvador Dacer and his driver Emmanuel Corbito in Cavite. Dacer at that time was accused to be behind a black propaganda against Estrada–a charge Dacer denied. Death penalty The death penalty law in the Philippines was reinforced during the incumbency of Estrada's predecessor, Fidel Ramos. This law provided the use of the electric chair until the gas chamber (method chosen by government to replace electrocution) could be installed. However, the electric chair was destroyed some time prior due to a typhoon, leaving only a blackened scorch mark. Some sources have said it had burnt out the last time it had been used. The first execution by lethal injection took place under Estrada's administration. On February 5, 1999, Leo Echegaray, a house painter, was executed for repeatedly raping his stepdaughter. He was the first convict to be executed since the re-imposition of death penalty in 1993. His execution induced once again a heated debate between the anti and the pro-death penalty forces in the Philippines with a huge majority of people calling for the execution of Echegaray. The Estrada administration supported death penalty as the antidote to crime. The opposition maintained that the death penalty is not a deterrent and that there have been studies already debunking the deterrence theory. Legislators and politicians refused to heed the recommendation of the Supreme Court for Congress to review the death penalty riding on the popularity of the pro-death penalty sentiment. Six years after its re imposition, more than 1,200 individuals have been sentenced to death and seven convicts have been executed through lethal injection. From 1994 to 1995 the number of persons on death row increased from 12 to 104. From 1995 to 1996 it increased to 182. In 1997 the total death convicts was at 520 and in 1998 the inmates in death row was at 781. As of November 1999 there are a total of 956 death convicts at the National Bilibid Prisons and at the Correctional Institute for Women. As of December 31, 1999, based on the statistics compiled by the Episcopal Commission on Prisoner Welfare of the Catholic Bishops Conference of the Philippines, there were a total of 936 convicts interned at the National Bilibid Prisons and another 23 detained at the Correctional Institute for Women. Of these figures, six are minors and 12 are foreigners. Estrada called a moratorium in 2000 to honor the bimillennial anniversary of Jesus' birth. Executions were resumed a year later. Sovereign guarantees Estrada immediately ordered the removal of all sovereign guarantees on contracts for public projects which would require the sovereign Filipino people to assume the financial losses of private companies doing business with the government. Records showed that until January 20, 2001, Estrada did not sign a single government contract with a sovereign guarantee. Charter change Under Estrada, there was an attempt to change the 1987 constitution, through a process termed as CONCORD, or Constitutional Correction for Development. Unlike Charter change under presidents Ramos and Arroyo, the CONCORD proposal, according to its proponents, would only amend the 'restrictive' economic provisions of the constitution that is considered as impeding the entry of more foreign investments in the Philippines. There were objections from opposition politicians, religious sects and left wing organizations based on diverse arguments such as national patrimony and the proposed constitutional changes would be self-serving. Like his predecessor, Estrada's government was accused of pushing Charter change for their own vested interests. War against the MILF During the Ramos administration a cessation of hostilities agreement was signed between the Philippine Government and the Moro Islamic Liberation Front (MILF) in July 1997. This was continued by a series of peace talks and negotiations in Estrada administration. However the Moro Islamic Liberation Front (MILF), an Islamic group formed in 1977, seeks to be an independent Islamic State from the Philippines, and despite the agreements, a sequence of terrorist attacks against the military and civilians still continued. Such of those attack are 277 violations committed, kidnapping a foreign priest, namely Father Luciano Benedetti, the occupying and setting on fire of the municipal hall of Talayan, Maguindanao; the takeover of the Kauswagan Municipal Hall; the bombing of the Lady of Mediatrix boat at Ozamiz City; and the takeover of the Narciso Ramos Highway. The Philippine government also learned that the MILF has links with Al-Qaeda. Because of this, on March 21, 2000, Estrada declared an "all-out-war" against the MILF. During the war the Catholic Bishops' Conference of the Philippines (CBCP) asked Estrada to have a cease-fire with MILF, but Estrada opposed the idea arguing that a cease-fire would cause more terrorist attacks. For the next three months of the war, Camp Abubakar, headquarters of the MILF, fell along with other 13 major camps and 43 minor camps, and then all of which became under controlled by the government. The MILF leader Salamat Hashim fled the country and went to Malaysia. The MILF later declared a Jihad on the government. On July 10 of the same year, the President went to Mindanao and raised the Philippine flag symbolizing victory. After the war the President said, "... will speed up government efforts to bring genuine and lasting peace and development in Mindanao". In the middle of July the president ordered the military to arrest top MILF leaders. High on the list of priorities was the plight of MILF guerrillas who were tired of fighting and had no camps left to report to. On October 5, 2000, the first massive surrender of 669 MILF mujahideen led by the renegade vice mayor of Marugong, Lanao del Sur Malupandi Cosandi Sarip and seven other battalion commanders, surrendered to Estrada at the 4th ID headquarters in Camp Edilberto Evangelista in Cagayan de Oro. They were followed shortly by a second batch of 855 surrenderees led by MILF Commander Sayben Ampaso on December 29, 2000. The war with the MILF was severely criticized by foreign and media observers. Agriculture Secretary Edgardo Angara bridled at the high cost of Mindanao specifically the diversion of resources from military operations that eat away from the agriculture modernization program. Angara was quoted as saying "What General Reyes asks, he gets". Moreover, the fighting in Mindanao destroyed more than P135 million worth of crops and 12,000 hectares of rice and corn fields. Foreign policies The Estrada administration upheld the foreign policy thrusts of the Ramos administration, focusing on national security, economic diplomacy, assistance to nationals, and image-building. The Philippines continued to be at the forefront of the regional and multilateral arena; it successfully hosted the ASEAN Ministerial Meeting in July 1998 and undertook confidence-building measures with China over South China Sea issue through a meeting in March 1999. Estrada strengthened bilateral ties with neighboring countries with visits to Vietnam, Thailand, Malaysia, Singapore, Hong Kong, Japan, and South Korea. The country also sent a delegation of 108 observers to the Indonesian parliamentary elections, and engaged in cooperative activities in the areas of security, defense, combating transnational crimes, economy, culture, and the protection of OFWs and Filipinos abroad. RP-US Visiting Forces Agreement On 1999, a Visiting Forces Agreement (VFA) with the United States was ratified in the Senate. The first VFA was signed under President Ramos in 1998, and the second was subsequently signed under Estrada; the two agreements came to effect a year later. The primary effect of the Agreement is to require the U.S. government to: notify Philippine authorities when it becomes aware of the apprehension, arrest or detention of any Philippine personnel visiting the U.S.; and when so requested by the Philippine government, to ask the appropriate authorities to waive jurisdiction in favor of the Philippines, except cases of special interest to the U.S. departments of State or Defense.[VIII 1] The Agreement contains various procedural safeguards which amongst other things establish the right to due process and proscribe double jeopardy[VIII 2–6]. The agreement also, among other provisions, exempts RP personnel from visa formalities and guarantees expedited entry and exit processing[IV]; requires the U.S. to accept RP driving licenses[V]; allows RP personnel to carry arms at U.S. military installations while on duty[VI]; provides personal tax exemptions and import/export duty exclusions for RP personnel[X, XI]; requires the U.S. to provide health care to RP personnel[XIV]; and exempts RP vehicles, vessels, and aircraft from landing or ports fees, navigation or overflight charges, road tolls or any other charges for the use of U.S. military installations[XV]. Third informal ASEAN summit Estrada hosted the third Informal ASEAN summit at the Philippine International Convention Center (PICC) from November 24–28, 1999. He met with the leaders of the nine ASEAN member-countries and three dialogue partners of the regional grouping, namely China, Japan and the Republic of Korea. The leaders of the 10-member ASEAN and their three dialogue partners vowed to further broaden East Asia cooperation in the 21st century to improve the quality of life of peoples in the region; they also agreed to strengthen cooperation in addressing common concerns in the area of transnational issues in the region. Controversies 1998 Subic Bay leadership dispute After winning the 1998 presidential elections on May of that year, newly elected president Estrada issued Administrative Order No. 1, which ordered the removal of Richard Gordon as chairman of the Subic Bay Metropolitan Authority (SBMA). Estrada appointed Felicito Payumo, Gordon's critic and congressman of Bataan as new chairman. Gordon refused to step down, stating that his re-appointment from the Ramos administration gave him civil service protection. The removal process was not easy; hundreds of volunteers and paid people barricated the gates of SBMA and Gordon locked himself inside the SBMA Administrative Office Building 229. After this, Gordon was dubbed a dictator because he rebelled against an executive order. The issue sparked the interest local and foreign press known as the Showdown at Subic. Gordon filed for a temporary restraining order before the local court. The local court of Olongapo granted Gordon's request but Payumo's party filed an appeal before the Court of Appeals (CA). The CA reversed the local court's ruling and it was affirmed by the Supreme Court. With the Supreme Court decision, Gordon called Payumo and turned over the reins of SBMA at the Subic Bay Yacht Club two months later on September 3, 1998. Together with the Subic volunteers, they cleaned up the facility. Textbook scam intervention In 1998, Estrada allegedly appointed a cousin, Cecilia de Castro, as presidential assistant. The President denied knowing her in the wake of the textbook scam in 1998. The President later intervened in the investigation of the said scam. 1999 The Philippine Daily Inquirer ads pullout Estrada criticized the Philippine Daily Inquirer, the nation's most popular broadsheet newspaper, for "bias, malice and fabrication" against him. In 1999, several government organizations, pro-Estrada businesses, and movie producers simultaneously pulled their advertisements in the Inquirer. The presidential palace was widely implicated in the advertising boycott, prompting sharp criticism from international press freedom watchdogs. The Manila Times controversy Estrada launched a libel suit against the country's oldest newspaper the Manila Times over a story that alleged corruption in the awarding of a public works project. After a personal apology from an owner was published, the libel suit was dropped. Within three months the Manila Times was sold to a "housing magnate with no previous newspaper experience". BW Resources scandal BW Resources, a small gaming company listed on the Philippine Stock Exchange (PSE) and linked to people close to Estrada, experienced "a meteoric rise" in its stock price due to suspected stock price manipulation. The ensuing investigation led only to further confusion when the head of the compliance and surveillance group of the PSE and his entire staff resigned saying "I believe I can no longer effectively do my job." The events created a negative impression. "The BW controversy undermined foreign investor confidence in the stock market" and "also contributed to a major loss of confidence in the Philippines among foreign and local investors on concerns that cronyism may have played a part." PCSO funding controversy The Philippine Center for Investigative Journalism has reported that there are 66 corporate records wherein Estrada, his wife, mistresses and children are listed as incorporators or board members. Thirty-one of these companies were set up during Estrada's vice-presidential tenure and one when he assumed the presidency. Based on the 1998 and 1999 financial statements, 14 of the 66 companies have assets of over 600 million. On October 15, 1998, First Lady Loi Ejercito, registered with the Securities and Exchange Commission her private foundation—the Partnership for the Poor Foundation, Inc.—which provides relief and livelihood to the poor. A few months after its incorporation, the foundation received 100 million from the Philippine Charity Sweepstakes Office (PCSO) as donation. The donation far exceeded the PCSO's combined donation of 65 million to regular beneficiaries like orphanages and hospitals. The complainants consider this a conflict-of-interest. The donation of government funds to the private foundation of the First Lady was also found to have been delivered to their legal residence in San Juan, Metro Manila. Midnight Cabinet Estrada was reported by his Chief of Staff Aprodicio Laquian to have allegedly spent long hours drinking with shady characters as well as "midnight drinking sessions" with some of his cabinet members during meetings. Members of the so-called midnight cabinet included Ilocos Sur Governor Chavit Singson, Caloocan Representatitve Luis 'Baby' Asistio, and BW Resources Corp. head Dante Tan. Estrada mistresses During the juetenggate scandal, Estrada's critics claimed that Estrada's mistresses received financial benefits from the President. Hot cars scandal Valenzuela Representative Magtanggol Gunigundo II exposed the assignment of Estrada of some seized luxury vehicles and SUVs to his Cabinet secretaries and favored political allies through an obscure office "Presidential Retrieval Task Force." Estrada initially resisted his critics' calls to return the "hot cars" to the Bureau of Customs, and challenged them to file a case against him. But, by November, he withdrew his earlier decision and instructed the Customs to dispose the vehicles through an auction. 2000 Juetenggate scandal Chavit Singson in October 2000 alleged he gave Estrada 400 million as payoff from illegal gambling profits. On October 16, 2000, he accused Estrada, as the "lord of all jueteng lords" for receiving 5 million pesos protection money from jueteng every month during his term of presidency. Dacer–Corbito double murder case Salvador "Bubby" Dacer, publicist in the Philippines, and his driver, Emmanuel Corbito, were abducted in Makati, the business district of Manila. They were later killed, and their vehicle dumped. In 2001, a number of arrests were made. The ultimate reasons for Dacer's murder remain a subject of debate. Fidel Ramos has publicly accused his successor, Estrada, of giving the original order—Estrada was mired in a corruption scandal at the time, and according to some reports, Estrada believed Dacer was helping Ramos destabilize his rule. 2001 Second envelope suppression On January 17, 2001, the impeachment trial of Estrada moved to the investigation of an envelope containing evidence that would allegedly prove acts of political corruption by Estrada; senators allied with Estrada moved to block the evidence. The conflict between the senator-judges, and the prosecution became deeper, but then Senate Majority Floor Leader Francisco Tatad requested to the Impeachment court to make a vote for opening the second envelope. The vote resulted in 10 senators in favor of examining the evidence, and 11 senators in favor of suppressing it. After the vote, Senator Aquilino Pimentel, Jr. resigned as Senate President and walked out of the impeachment proceedings together with the 9 opposition Senators and 11 prosecutors in the Estrada impeachment trial. The 11 administration senators who voted YES to block the opening of the second envelope remained in Senate Session Hall together with the members of the defense. They were chanted with "JOE'S COHORTS" where their surnames were arranged. Impeachment trial Corruption charges The Estrada presidency was soon hounded by charges of plunder and corruption. Estrada was reported by his Chief of Staff Aprodicio Laquian to have allegedly spent long hours drinking with shady characters as well as "midnight drinking sessions" with some of his cabinet members during meetings. In October 2000, an acknowledged gambling racketeer, Luis "Chavit" Singson, governor of the province of Ilocos Sur, alleged that he had personally given Estrada the sum of 400 million pesos ($8,255,933) as payoff from illegal gambling profits, as well as 180 million pesos ($3,715,170) from the government price subsidy for the tobacco farmers' marketing cooperative. Impeachment proceedings Singson's allegation caused an outcry across the nation, culminating in Estrada's impeachment by the House of Representatives on November 13, 2000, which did not succeed. The articles of impeachment were then transmitted to the Senate and an impeachment court was formed, with Chief Justice Hilario Davide, Jr. as presiding officer. Major television networks pre-empted their afternoon schedules to bring full coverage of the Impeachment Trial. During the trial, the prosecution presented witnesses and evidence to the impeachment court regarding Estrada's involvement in an illegal numbers game, also known as jueteng, and his maintenance of secret bank accounts. Estrada's legal team denied such allegations including his ownership of an account under the name "Jose Velarde". In February 2001, at the initiative of Senate President Aquilino Pimentel, Jr., the second envelope was opened before the local and foreign media, and it contained a document stating that Jaime Dichavez and not Estrada owned the "Jose Velarde Account". Ilocos Sur Governor Luis "Chavit" Singson was one of the witnesses who testified against Estrada. Estrada and the Singson were said to be "partners" in-charge of the operations of illegal gambling in the country. Singson feared that he would be charged and stripped of power (there have been talks about the governor making a deal with the opposition... he was to help incriminate Estrada and he would be compensated for his service), but he was offered immunity by anti-Estrada lawmakers. He was then asked to accuse Estrada of having committed several illegal acts. Vice-President of then Equitable-PCI Bank Clarissa Ocampo testified that she saw Estrada sign the false name "Jose Velarde" on the banking document and this was also witnessed by Apodicio Laquian. According to a 2004 Transparency International report, Estrada was ranked the world's tenth most corrupt head of government, and being the second Philippine Head of State after Marcos in terms of corruption. EDSA II Protests On the evening of January 16, 2001, the impeachment court, whose majority were political allies of Estrada, voted not to open an envelope that was said to contain incriminating evidence against the president. The final vote was 11–10, in favor of keeping the envelope closed. The prosecution panel (of congressmen and lawyers) walked out of the Impeachment Court in protest of this vote. Others noted that the walkout merited a contempt of court which Chief Justice Hilario Davide Jr., intentionally or unintentionally, did not enforce. The afternoon schedule of television networks covering the Impeachment were pre-empted by the prolongation of the day's court session due to the issue of this envelope. The evening telenovelas of networks were pushed back for up to two hours. That night, anti-Estrada protesters gathered in front of the EDSA Shrine at Epifanio de los Santos Avenue, not too far away from the site of the 1986 People Power Revolution that overthrew Ferdinand Marcos. A political turmoil ensued and the clamor for Estrada's resignation became stronger than ever. In the following days, the number of protesters grew to the hundreds of thousands. On January 19, 2001, the Armed Forces of the Philippines, seeing the political upheaval throughout the country, decided to withdraw its support from the president and transfer its allegiance to the vice president, Gloria Macapagal Arroyo. The following day, the Supreme Court declared that the seat of presidency was vacant. Resignation At noon, the Supreme Court declared that Estrada "constructively resigned" his post and Chief Justice Davide swore in the constitutional successor, Gloria Macapagal Arroyo, as President of the Philippines. Prior to Estrada's departure from Malacañang, he issued a press release which included: On January 18, 2008, Joseph Estrada's Pwersa ng Masang Pilipino (PMP) placed a full-page advertisement in Metro Manila newspapers, blaming EDSA 2 of having "inflicted a dent on Philippine democracy". Its featured clippings questioned the constitutionality of the revolution. The published featured clippings were taken from Time, New York Times, The Straits Times, Los Angeles Times, Washington Post, Asia Times Online, The Economist, and the International Herald Tribune. Former Supreme Court justice and Estrada appointee as chairwoman of the Philippine Charity Sweepstakes Office Cecilia Muñoz-Palma opined that EDSA 2 violated the 1987 Constitution. References External links Official website of Joseph Estrada Office of the President (Archived-Estrada Administration) Joseph Estrada Curriculum Vitae Presidential Museum & Library official biography Official YouTube channel of Joseph Estrada Further reading Presidencies of the Philippines Joseph Estrada 1998 establishments in the Philippines 1990s in the Philippines 2000s in the Philippines 2001 disestablishments in the Philippines
The Indianapolis Tennis Center, originally known as the Indianapolis Sports Center, was a tennis stadium complex with additional outdoor and indoor tennis courts on the campus of Indiana University – Purdue University Indianapolis (IUPUI) in Indianapolis, Indiana. The stadium, which seated 10,000 spectators, was built in 1979. At that time it was the venue for the U.S. Men's Clay Court Championships tournament. It was also the site of the tennis events for the 1987 Pan American Games. When originally constructed, the complex included 14 outdoor courts, all of which, including the stadium court, had a clay surface. In 1989 an indoor facility featuring six DecoTurf Ii courts was added, and the stadium court and other outdoor courts were converted from clay to DecoTurf. Due to the change in playing surface, the name of the tournament was changed to the RCA Tennis Championships. The name of the tournament changed again to the Indianapolis Tennis Championships in 2007 due to the loss of the RCA sponsorship. Changes to the date of the tournament to a less desirable point in the ATP tour combined with the loss of sponsorship resulted in the tournament being sold and moved to Atlanta, Georgia. Maintenance costs due to the loss of tournament income plus IUPUI's need for the land for future development led to the closure of the facility in August 2010 and its subsequent demolition that year. History The City of Indianapolis and IU Trustees proposed a multi-use recreational center be built as the site of the National Clay Court Tournament. The proposed project would be constructed in two phases: Phase I, estimated to cost $6 million, would include a permanent 8,000-seat, air stadium and 17 adjacent courts Phase II calls for a clubhouse that would include dining facilities, racquetball courts, and locker room. The IU School of Physical Education, now known as the School of Health and Human Sciences, taught tennis classes at the complex up until its demolition in 2010. The Indianapolis Tennis Center was built in 1979 and designed by Browning, Day, Mullins, Dierdorf, Inc. Originally known as the Indianapolis Sports Center, the stadium possessed 10,000 seats. Following its completion in 1979, the Tennis Indianapolis Tennis Center hosted the National Clay Court Tournament, which would later change its name to the RCA Tennis Championships and then the Indianapolis Tennis Championships. The original complex included 14 outdoor courts with a clay surface. The complex had an air-conditioned box for reporters, a Champions room below the south stands, two electronic scoreboards, and multiple locker rooms. The Tennis Center was the site of tennis events during the 1987 Pan American Games. In 1989, an indoor facility consisting of six DecoTurf style courts was added and the original courts were converted from clay to DecoTurf. In June of 1988, Justice Inc. hosted a Pride event at the Indiana Tennis Center which marked one the first LGBTQ events that took place in a public space in Indianapolis. IUPUI assumed management of the Indianapolis Sports Center in 1992 under an agreement with Municipal Recreation Inc. In 2007, the Indianapolis Tennis Center lost the RCA sponsorship, prompting the tournament to change its name to the Indianapolis Tennis Championships. The Tennis Center was closed in August 2010 and demolished the following year.6 See also List of tennis stadiums by capacity References External links Indianapolis Tennis Championships Wikimapia World Stadiums website Sports venues in Indianapolis Atlanta Open (tennis) Tennis venues in Indiana 1979 establishments in Indiana Sports venues completed in 1979 2010 disestablishments in Indiana Sports venues demolished in 2010
Legislative elections were held in French Polynesia on 23 May 1982 for the Territorial Assembly. Following the elections, a government was formed by Tahoera'a Huiraatira and Aia Api, who had won 16 of the 30 seats in the Assembly. Campaign A total of 398 candidates contested the elections representing around 30 parties and lists, of which fewer than 20 were women. Results Elected members Aftermath Following the elections, the Assembly elected members of the Government Council. As members of the Government Council could not serve in the Assembly, several new members entered the Assembly as replacements: Ernest Teinauri of Tahoera'a Huiraatira replaced Jacques Teheiura; Franklin Brotherson, Roger Doom and Albert Taruoura of Tahoera'a Huiraatira replaced Gaston Flosse, Alexandre Léontieff and Charles Tetaria, while Terii Sanford of Aia Api replaced Sylvain Millaud. Sanford was also later elected the council and replaced by Yves Thunot. John Teariki died in 1983, he was replaced by Jean-Baptiste Trouillet. References French Legislative Elections in French Polynesia French Election and referendum articles with incomplete results
Leușeni is a village in Telenești District, Moldova. References Villages of Telenești District
Lady Margaret Sackville (1562 – 19 August 1591), formerly Lady Margaret Howard, was the wife of Robert Sackville, 2nd Earl of Dorset. Early life Margaret was born in 1562, being the third of four children Thomas Howard, 4th Duke of Norfolk had by his second wife, Margaret Audley. His older siblings were Elizabeth, who died as a child, and Thomas Howard, later to become Earl of Suffolk, and his younger brother was Lord William Howard. His maternal grandparents were Thomas Audley, 1st Baron Audley of Walden and his second wife Elizabeth Grey. His paternal grandparents were Henry Howard, Earl of Surrey and his wife Frances de Vere. On her father's side, Margaret had an older half-brother, Philip Howard, who would later become Earl of Arundel and in turn was also a second cousin of Margaret (Philip's mother, Mary FitzAlan and Margaret Audley were first cousins). In keeping with family tradition, she was a devout Roman Catholic. Her half-brother, Philip, died while imprisoned by Queen Elizabeth, and was later canonised as a saint in the Catholic Church. Her mother died in January 1564, while Margaret was still a child; and shortly after her mother's death, her father married his third wife, Elizabeth Leyburne. In 1568, when her father was head of the Commission being held in York to ascertain the judicial and political situation of Mary, Queen of Scots, the Scottish statesman William Maitland of Lethington suggested to the Duke the possibility of a future marriage between Margaret and King James VI of Scotland, Mary's only son, as well as the marriage between Norfolk and the former Scottish queen. Howard, a Roman Catholic with a Protestant education, was arrested in 1569 for being involved in intrigues against Queen Elizabeth, mainly because of the Duke's intention to marry Mary. Although he was released in August 1570, a few months later he became involved in the Ridolfi plot to overthrow Elizabeth, and was arrested again in September 1571 after his participation in the plot was discovered. He was executed in June 1572, when Margaret was nine or ten years old. After their father's death, Margaret and her brothers Philip, Thomas and William were placed in the care of their uncle, Henry Howard, who also took charge of their education. During this time, Margaret and her brothers lived with their uncle at Audley End, Essex, one of his family's estates. Due to her father's execution, much of her paternal family's property was forfeited, although Margaret, her brothers, and her older half-brother Philip were able to recover some of the forfeited estates. Marriage and later life In February 1580, Margaret married Robert Sackville. Her husband, who was from an aristocratic family, began to train in law as a member of the Inner Temple, but was not called to the bar. In 1585 he was elected to parliament for Sussex, and became a prominent member of the Commons. In 1585, Margaret visited her sister-in-law, Anne Dacre, Countess of Arundel in Essex; The Countess of Arundel's movements were restricted due to the recent imprisonment of her husband, the Earl, in the Tower of London. Lady Margaret was under instructions from the Queen not to remain at the countess's home for more than one night. Both women were heavily pregnant and Lady Margaret went into labour during the visit, giving birth successfully. The children of Robert and Margaret Sackville included: Anne (1586 – 25 September 1664), who was married twice: first to Sir Edward Seymour, eldest son of Edward Seymour, Viscount Beauchamp, and, second, to Sir Edward Lewis, by whom she had children. A memorial to her, with effigies of herself and her second husband (d. 1630), stands in Edington Priory Church, Wiltshire. Richard Sackville, 3rd Earl of Dorset (1589–1624) Edward Sackville, 4th Earl of Dorset (1591–1652) Cecily, married Sir Henry Compton, and had children Lady Margaret died suddenly on 19 August 1591, at Knole, Kent, a property which had been granted to her husband's father by Queen Elizabeth during the 1560s. Robert Southwell's Triumphs over Death (published in 1596, after the poet's execution) was dedicated to her and her surviving children; it was supposedly written and sent to her half-brother, the Earl of Arundel, in prison, to comfort him. Because Lady Margaret died before her husband inherited the earldom of Dorset, she never became countess. The year after her death, her husband married the twice-widowed Anne, daughter of Sir John Spencer of Althorp. He left instructions in his will that he should be buried at Withyham, East Sussex, "as near to my first dearly beloved wife ... as can be". References 1562 births 1591 deaths 16th-century English nobility Margaret Margaret Daughters of English dukes 16th-century English women People from Sevenoaks
Amy Dowd, (known professionally as Bumpy) is an Australian singer and songwriter & producer. Dowd is a Noongar woman, is the lead singer of band Squid Nebula and is a performer in the First Nations collective DRMNGNOW. Bumpy released her debut EP in January 2023. In a February 2021 interview with Frankie magazine, Dowd said, "When I was little, I was constantly running into everything: ironing boards, car mirrors, tables, doors. That's where the name Bumpy came from." Early life Music career 2020-present In September 2020, Bumpy released debut track "Falling". Triple J said "'Falling' is a seriously special song. Bumpy's raw vocals, a gently-plucked guitar and a splash of timeless, romantic song writing make for a hypnotic serenade that's almost certain to get the spine tinglin' and the goosebumps bumpin'." This was followed by a two-year hiatus from releasing music. In November 2021, Bumpy was asked to curate the opening night of Melbourne Music Week. In early 2022, it was announced that Bumpy has signed to Astral Music In May 2022, Bumpy released her second solo single "Return Home" In a statement, Bumpy said "'Return Home' surfaced while in isolation and allowed me to express thoughts that I wouldn't usually vocalise. This song has become a grounding reminder that connection is a constant journey whilst spotlighting the importance of home, family and story." "Leave It All Behind" followed in July 2022 and "Hide and Seek" in December 2022. 27 January 2023 Morning Sun EP via Astral People. Discography Extended plays Singles Awards and nominations Music Victoria Awards The Music Victoria Awards are an annual awards night celebrating Victorian music. They commenced in 2006. ! |- | 2022 | Bumpy | The Archie Roach Foundation Award for Emerging Talent | | |- | 2023 | Bumpy | Soul, Funk, RNB & Gospel Work | | |- National Indigenous Music Awards The National Indigenous Music Awards is an annual awards ceremony that recognises the achievements of Indigenous Australians in music. The award ceremony commenced in 2004. Electric Fields have won one award from four nominations. ! |- | 2022 | Bumpy | Triple J Unearthed National Indigenous Winner | | |- | rowspan="2"| 2023 | Bumpy | New Talent of the Year | | rowspan="2"| |- | "Hide and Seek" | Song of the Year | |} References 21st-century Australian musicians Living people Singers from Melbourne Year of birth missing (living people)
NGC 819 is a spiral galaxy approximately 302 million light-years away from Earth in the constellation of Triangulum. It forms a visual pair with the galaxy NGC 816 5.7' WNW. Discovery NGC 819 was discovered by German astronomer Heinrich Louis d'Arrest on September 20, 1865 with the 11-inch refractor at Copenhagen. Édouard Stephan independently found the galaxy again on September 15, 1871 with the 31" reflector at Marseille Observatory. Supernovae Supernova SN 2007hb was discovered in NGC 819 on August 24, 2007 by Nearby Supernova Factory. SN 2007hb had a magnitude of about 19.5 and was located at RA 02h08m34.0s, DEC +29d14m14s, J2000.0. It was classified as a type SN Ib/c supernova. Supernova SN 2016hkn was discovered in NGC 819 on October 22, 2016 by Fabio Briganti. SN 2014bu had a magnitude of about 17.2 and was located at RA 02h08m34.2s, DEC +29d14m11s, J2000.0. It was classified as a type II supernova. See also List of NGC objects (1–1000) References External links SEDS Spiral galaxies Triangulum 819 8174 Astronomical objects discovered in 1865 NGC 819
Matt's in the Market is a restaurant in Seattle's Pike Place Market, in the U.S. state of Washington. The menu changes based on the season, and has included fish, fresh vegetables and organic meats, seafood paella made with clams, mussels, octopus and prawns, as well as deviled eggs. Nearby Radiator Whiskey has been described as a "sibling" bar. Dan Bugge is the owner. Matt Fortner replaced Jason McClure as chef in 2018. See also List of seafood restaurants References External links Pike Place Market Seafood restaurants in Seattle Central Waterfront, Seattle
Valentina Dmitriyevna Ponomaryova (; born 10 July 1939, Moscow), often also spelled Ponomareva, is a Russian singer, performer of Russian romances and a jazz vocalist. Life and career Valentina's father is Romani violinist Dmitry Ponomaryov, while her mother is Russian pianist Irina Lukashova. Valentina was born when her parents were students of the Moscow Conservatory and lived in a student dormitory. Valentina grew up surrounded by both classical European and Romani popular music. Her parents traveled a lot so Valentina studied at many schools. After she finished her school she entered the Khabarovsk Arts College. She studied both vocal and piano. As a student she learnt about jazz and took a great interest in it. Valentina took external degrees and was invited to a theater to act the part of a Gypsy singer in a dramatic play "The Living Corpse" (by Lev Tolstoy). Her role included several songs and was a great success with the audience. In 1967 Valentina took part in the International Jazz Festival in Tallinn. There she was noticed and invited to join Anatoliy Krol's jazz-band, which was quite famous in the USSR. In 1971 the singer left the band and became an actress in the Gypsy Romen Theatre in Moscow. In 1973, trio "Romen" performed on stage, with Valentina as a singer. In 1973 the trio was the laureate of the USSR Variety Performers Contest. In 1983 Valentina left trio "Romen" and worked alone. She became involved in what came to be called "Soviet New Jazz", performing and recording with Jazz Group Arkhangelsk, as well as working with the composer Sofia Gubaidulina. In 1983 she performed a set of romances for Eldar Ryazanov's historical film A Cruel Romance. These songs were radio hits for many years. Five years later she voiced the Woman in the animated feature film The Cat Who Walked by Herself. In the early 1990s she recorded as part of a trio with Ken Hyder and Tim Hodgkinson. Her complete recordings with the Trio Romen is being re-released (2008) by Jon Larsen's Hot Club Records . References External links Biography and examples of songs Interview Интервью с Валентиной Пономарёвой в газете «Труд» Ponomaryova's bio in the Gypsy magazine "Romany Kultura i Dzhiiben" An article where the singer is mentioned as "the greatest female singer of Russian improvisatory music" Статья, посвящённая Валентине Пономарёвой, с её рассказом о себе и своей семье, на сайте газеты «Вечерний Минск» 1939 births Living people Soviet women singers Russian Romani people Singers from Moscow Russian folk-pop singers Russian jazz singers 20th-century Russian women singers Leo Records artists Romani singers
Crocus scharojanii is a species of flowering plant in the genus Crocus of the family Iridaceae. It is found from Northeastern Turkey to the Caucasus. References scharojanii Plants described in 1868
The River Valley Metro Mass Transit District (RVMMTD; River Valley Metro or METRO, for short) is a transit agency that operates buses serving Kankakee County, Illinois, and the surrounding areas. History Founded in 1998 and operational by 1999, River Valley Metro Mass Transit District took over the Kankakee Area Transit System (KATS) and became a means of transportation in the region. RVMMTD has 11 local fixed routes, 2 commuter routes, and ADA buses serving the communities of Bradley, Bourbonnais, Kankakee, Aroma Park and Manteno. The agency has also received many awards including, Metro Magazine's "Fastest Growing Transit System" in North America for 2001 and "Success in Enhancing Ridership Award" from the Federal Transit Administration in 2008 and 2009. Renovation and expansion plans After studying a number of proposals for improving bus service, River Valley Metro added more daily trips to Midway Airport and made significant changes to local routes and schedules in 2017. Kankakee Transfer Center Upgrade The need for an upgrade of the current Kankakee Transfer Center, or Kankakee Metro CENTRE, has been noted since 2010. Preliminary work has begun with an estimated completion in 2022. Routes River Valley Metro operates 11 fixed-regular bus routes and 2 commuter routes. The Midway Airport route was added in 2014 and University Park Metra train station commuter route was added in 2008. Local 1 Meadowview 2 Bradley/Meijer/Target 3 Schuyler/Meijer/WalMart 4 Court Street 5 Aroma Park 6 Indian/Harrison/Del Monte 7 Walmart/KCC/Del Monte 8 East Kankakee / KHS 9 Manteno 10 Bourbonnais / VA 11 Kennedy Dr. / ONU Commuter University Park Midway Transfer Centers There are four transfer centers in the River Valley Metro bus system, which are: Kankakee Transfer Center in Kankakee. Routes served are: 1, 3, 4, 5, 6, 7, 8 and 11 Northfield Square Mall Transfer Center in Bradley. Routes served are: 2, 3, 9, 10 and 11 Metro Centre Transfer Center in Bourbonnais. Routes served are: 10, University Park Metra Commuter and the Midway Commuter Manteno Metro Centre Transfer Center in Manteno. Routes served are: 9, University Park Metra Commuter and the Midway Commuter Fares * Reduced fares are applicable on bus for seniors and riders with disabilities. ** All inclusive passes include access to any bus in the system, including University Park and Metro PLUS (ADA). Fixed Route Bus Ridership The ridership statistics shown here are of fixed route services only and do not include demand response. See also List of bus transit systems in the United States Metra Electric District Kankakee station References External links Main Page About The Metro Bus transportation in Illinois Kankakee, Illinois 1998 establishments in Illinois Transit agencies in Illinois
```php <?php /* * ABOUT THIS PHP SAMPLE: This sample is part of the SDK for PHP Developer Guide topic at * path_to_url * */ // snippet-start:[sqs.php.dead_letter_queue.complete] // snippet-start:[sqs.php.dead_letter_queue.import] require 'vendor/autoload.php'; use Aws\Exception\AwsException; use Aws\Sqs\SqsClient; // snippet-end:[sqs.php.dead_letter_queue.import] /** * Enable Dead Letter Queue * * This code expects that you have AWS credentials set up per: * path_to_url */ // snippet-start:[sqs.php.dead_letter_queue.main] $queueUrl = "QUEUE_URL"; $client = new SqsClient([ 'profile' => 'default', 'region' => 'us-west-2', 'version' => '2012-11-05' ]); try { $result = $client->setQueueAttributes([ 'Attributes' => [ 'RedrivePolicy' => "{\"deadLetterTargetArn\":\"DEAD_LETTER_QUEUE_ARN\",\"maxReceiveCount\":\"10\"}" ], 'QueueUrl' => $queueUrl // REQUIRED ]); var_dump($result); } catch (AwsException $e) { // output error message if fails error_log($e->getMessage()); } // snippet-end:[sqs.php.dead_letter_queue.main] // snippet-end:[sqs.php.dead_letter_queue.complete] ```
The Armech Thermal Power Station (ATPS), is a planned waste powered electricity power station in Ghana, with a proposed installed capacity of . Location The facility would be located in the industrial area of the city of Tema, approximately , by road, east of Accra, the largest city and capital of Ghana. Overview The Armech Thermal Power Station is a waste-to-energy (W2E) power plant located in Tema, Ghana's largest sea-port. The waste that will be burned to generate the electricity, will be sourced from several metropolitan and municipal assemblies in the Greater Accra Region. These include Accra, Tema, Ga South Municipal District, Ga East Municipal District, and La Dade Kotopon Municipal District. The Ghana Ministry of Local Government and Rural Development is a collaborator on this development. The development of this power station is in response to the unsatisfactory waste-management environment in the Greater Accra area, particularly among the low-income communities. The dangers that these communities face include (a) bio-degraded waste that contains parasites and disease-causing microbes (b) toxic leachate which seeps from landfills into the water table and (c) the toxic emissions from landfill burning. The poor environmental sanitation, leads to stagnation of drainage water and the breeding of disease-spreading mosquitoes. In the Greater Accra Area, 3.5 million malaria cases are recorded every year, with 900,000 of them occurring among children of less than five years of age, as of March 2018. The power generated will be sold to the Electricity Company of Ghana, for integration into the national electricity grid. Construction The power station is being built by Armech Africa Limited. The main contractor is Energy China, with money borrowed from Industrial and Commercial Bank of China. The construction cost is budgeted at US$300 million. This project represents the first grid-ready waste-to-energy project in the countries of the Economic Community of West African States. There are plans to develop a second waste-to-energy plant in Kumasi, in the Ashanti Region. See also List of power stations in Ghana Electricity sector in Ghana References External links Website of Electricity Company of Ghana Fossil fuel power stations Fossil fuel power stations in Ghana Proposed biofuel power stations Proposed power stations in Ghana
Motorway Incident Detection and Automatic Signalling, usually abbreviated to MIDAS, is a UK distributed network of traffic sensors, mainly inductive loops, (trialling at the moment radar technology by Wavetronix and magneto-resistive wireless sensors by Clearview Intelligence) which are designed to alert the local regional control centre (RCC) to traffic flow and average speeds, and set variable message signs and advisory speed limits (or mandatory speed limits on smart motorways) with little human intervention. Companies such as RAC, TomTom and Google use this traffic flow data via halogens reporting systems. Originally installed on the congested western stretch of the M25 motorway, much of the M60 motorway around Manchester and the Birmingham box (M6, M5 and M42), MIDAS has been installed on all but the most minor stretches of UK motorway. The system has successfully reduced accidents. Additionally, the system is installed on parts of the non-motorway trunk road network including the A14. Although all stretches with MIDAS have at least small signals in the central reservation to show advisory speed limits for the whole carriageway, major motorways often also have text variable message signs, and on the busiest stretches, lane control signals above each lane. Additionally, many motorways, called smart motorways, have now been equipped with the newest signs and signals for variable mandatory speed limits and lane control. The system replaced the Automatic Incident Detection (AID) system which was trialled in 1989 on an section of the M1 motorway. MIDAS was first operated on the M25 in the SouthWest quadrant before the section went live with a variable speed limit. By March 2006, National Highways aimed to have MIDAS installed on more than of the English motorway network. See also Electronic Monitoring and Advisory System - a similar type of system in Singapore Freeway Traffic Management System External links Highways Agency: Variable Message Signs (VMS) (PDF) References Automotive safety Traffic signals Road transport in England Traffic signs
```go package fn import ( "sync" ) // ConcurrentQueue is a typed concurrent-safe FIFO queue with unbounded // capacity. Clients interact with the queue by pushing items into the in // channel and popping items from the out channel. There is a goroutine that // manages moving items from the in channel to the out channel in the correct // order that must be started by calling Start(). type ConcurrentQueue[T any] struct { started sync.Once stopped sync.Once chanIn chan T chanOut chan T overflow *List[T] wg sync.WaitGroup quit chan struct{} } // NewConcurrentQueue constructs a ConcurrentQueue. The bufferSize parameter is // the capacity of the output channel. When the size of the queue is below this // threshold, pushes do not incur the overhead of the less efficient overflow // structure. func NewConcurrentQueue[T any](bufferSize int) *ConcurrentQueue[T] { return &ConcurrentQueue[T]{ chanIn: make(chan T), chanOut: make(chan T, bufferSize), overflow: NewList[T](), quit: make(chan struct{}), } } // ChanIn returns a channel that can be used to push new items into the queue. func (cq *ConcurrentQueue[T]) ChanIn() chan<- T { return cq.chanIn } // ChanOut returns a channel that can be used to pop items from the queue. func (cq *ConcurrentQueue[T]) ChanOut() <-chan T { return cq.chanOut } // Start begins a goroutine that manages moving items from the in channel to the // out channel. The queue tries to move items directly to the out channel // minimize overhead, but if the out channel is full it pushes items to an // overflow queue. This must be called before using the queue. func (cq *ConcurrentQueue[T]) Start() { cq.started.Do(cq.start) } func (cq *ConcurrentQueue[T]) start() { cq.wg.Add(1) go func() { defer cq.wg.Done() readLoop: for { nextElement := cq.overflow.Front() if nextElement == nil { // Overflow queue is empty so incoming items can // be pushed directly to the output channel. If // output channel is full though, push to // overflow. select { case item, ok := <-cq.chanIn: if !ok { break readLoop } select { case cq.chanOut <- item: // Optimistically push directly // to chanOut. default: cq.overflow.PushBack(item) } case <-cq.quit: return } } else { // Overflow queue is not empty, so any new items // get pushed to the back to preserve order. select { case item, ok := <-cq.chanIn: if !ok { break readLoop } cq.overflow.PushBack(item) case cq.chanOut <- nextElement.Value: cq.overflow.Remove(nextElement) case <-cq.quit: return } } } // Incoming channel has been closed. Empty overflow queue into // the outgoing channel. nextElement := cq.overflow.Front() for nextElement != nil { select { case cq.chanOut <- nextElement.Value: cq.overflow.Remove(nextElement) case <-cq.quit: return } nextElement = cq.overflow.Front() } // Close outgoing channel. close(cq.chanOut) }() } // Stop ends the goroutine that moves items from the in channel to the out // channel. This does not clear the queue state, so the queue can be restarted // without dropping items. func (cq *ConcurrentQueue[T]) Stop() { cq.stopped.Do(func() { close(cq.quit) cq.wg.Wait() }) } ```
The Centre Scientifique et Technique Jean Féger, better known as CSTJF is the main technical and scientific research center of the French Oil group Total SA, situated in Pau, France. About 2,000 people work at the site, which comprises many small-sized buildings. It contains a big server farm to accommodate the storage and computing power required for geophysics simulations. There are Windows, Unix and Linux servers. The total storage space is more than 26 petabytes. The facility hosts a supercomputer named PANGEA III, an IBM POWER9 system with more than 290,000 cores; the computer has been tested to produce nearly 18 petaflops, which placed it at #15 in the June 2020 Top500 list of the world's most powerful supercomputers. It is also ranked as the world's 9th most energy-efficient supercomputer. There is a fiber optic link between here and the Tour Coupole and Tour Michelet in Paris La Défense. The facility houses its own restaurant, and labs for research on petrol and gases. There is also a conference center capable of seating 100-200 people. Located inside the CSTJF is the company CE (comité d'entreprise) : which lends books, CDs and DVDs to employees as well as selling tickets for concerts at reduced prices. See also Total Homepage References Oil companies of France Pau, Pyrénées-Atlantiques TotalEnergies Buildings and structures in Pyrénées-Atlantiques Companies based in Nouvelle-Aquitaine
The Oblate () is the last novel by the French writer Joris-Karl Huysmans, first published in 1903. The Oblate is the final book in Huysmans' cycle of four novels featuring the character Durtal, a thinly disguised portrait of the author himself. Durtal had already appeared in Là-bas, En route and The Cathedral, which traced his (and the author's) conversion to Catholicism. In The Oblate, Durtal becomes an oblate, reflecting Huysmans' own experiences in the religious community at Ligugé. Like many of Huysmans' other novels, it has little plot. The author uses the book to examine the Christian liturgy, express his opinions about the state of Catholicism in contemporary France and explore the question of suffering. Sources External links Full French Text, at Internet Archive 1924 English translation by Edward Perceval 1903 French novels Catholic novels Novels by Joris-Karl Huysmans
```javascript /* * * 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. * * Neither the name of Google Inc. nor the names of its * contributors may be used to endorse or promote products derived from * this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT * 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. */ window.requestFileSystem = window.requestFileSystem || window.webkitRequestFileSystem; /** * @constructor */ WebInspector.TempFile = function() { this._fileEntry = null; this._writer = null; } /** * @param {string} dirPath * @param {string} name * @return {!Promise.<!WebInspector.TempFile>} */ WebInspector.TempFile.create = function(dirPath, name) { var file = new WebInspector.TempFile(); function requestTempFileSystem() { return new Promise(window.requestFileSystem.bind(window, window.TEMPORARY, 10)); } /** * @param {!FileSystem} fs */ function getDirectoryEntry(fs) { return new Promise(fs.root.getDirectory.bind(fs.root, dirPath, { create: true })); } /** * @param {!DirectoryEntry} dir */ function getFileEntry(dir) { return new Promise(dir.getFile.bind(dir, name, { create: true })); } /** * @param {!FileEntry} fileEntry */ function createFileWriter(fileEntry) { file._fileEntry = fileEntry; return new Promise(fileEntry.createWriter.bind(fileEntry)); } /** * @param {!FileWriter} writer */ function truncateFile(writer) { if (!writer.length) { file._writer = writer; return Promise.resolve(file); } /** * @param {function(?)} fulfill * @param {function(*)} reject */ function truncate(fulfill, reject) { writer.onwriteend = fulfill; writer.onerror = reject; writer.truncate(0); } function didTruncate() { file._writer = writer; writer.onwriteend = null; writer.onerror = null; return Promise.resolve(file); } function onTruncateError(e) { writer.onwriteend = null; writer.onerror = null; throw e; } return new Promise(truncate).then(didTruncate, onTruncateError); } return WebInspector.TempFile.ensureTempStorageCleared() .then(requestTempFileSystem) .then(getDirectoryEntry) .then(getFileEntry) .then(createFileWriter) .then(truncateFile); } WebInspector.TempFile.prototype = { /** * @param {!Array.<string>} strings * @param {function(number)} callback */ write: function(strings, callback) { var blob = new Blob(strings, {type: 'text/plain'}); this._writer.onerror = function(e) { WebInspector.console.error("Failed to write into a temp file: " + e.target.error.message); callback(-1); } this._writer.onwriteend = function(e) { callback(e.target.length); } this._writer.write(blob); }, finishWriting: function() { this._writer = null; }, /** * @param {function(?string)} callback */ read: function(callback) { this.readRange(undefined, undefined, callback); }, /** * @param {number|undefined} startOffset * @param {number|undefined} endOffset * @param {function(?string)} callback */ readRange: function(startOffset, endOffset, callback) { /** * @param {!Blob} file */ function didGetFile(file) { var reader = new FileReader(); if (typeof startOffset === "number" || typeof endOffset === "number") file = file.slice(/** @type {number} */ (startOffset), /** @type {number} */ (endOffset)); /** * @this {FileReader} */ reader.onloadend = function(e) { callback(/** @type {?string} */ (this.result)); }; reader.onerror = function(error) { WebInspector.console.error("Failed to read from temp file: " + error.message); }; reader.readAsText(file); } function didFailToGetFile(error) { WebInspector.console.error("Failed to load temp file: " + error.message); callback(null); } this._fileEntry.file(didGetFile, didFailToGetFile); }, /** * @param {!WebInspector.OutputStream} outputStream * @param {!WebInspector.OutputStreamDelegate} delegate */ writeToOutputSteam: function(outputStream, delegate) { /** * @param {!File} file */ function didGetFile(file) { var reader = new WebInspector.ChunkedFileReader(file, 10*1000*1000, delegate); reader.start(outputStream); } function didFailToGetFile(error) { WebInspector.console.error("Failed to load temp file: " + error.message); outputStream.close(); } this._fileEntry.file(didGetFile, didFailToGetFile); }, remove: function() { if (this._fileEntry) this._fileEntry.remove(function() {}); } } /** * @constructor * @param {string} dirPath * @param {string} name */ WebInspector.DeferredTempFile = function(dirPath, name) { /** @type {!Array.<!{strings: !Array.<string>, callback: function(number)}>} */ this._chunks = []; this._tempFile = null; this._isWriting = false; this._finishCallback = null; this._finishedWriting = false; this._callsPendingOpen = []; this._pendingReads = []; WebInspector.TempFile.create(dirPath, name) .then(this._didCreateTempFile.bind(this), this._failedToCreateTempFile.bind(this)); } WebInspector.DeferredTempFile.prototype = { /** * @param {!Array.<string>} strings * @param {function(number)=} callback */ write: function(strings, callback) { if (!this._chunks) return; if (this._finishCallback) throw new Error("No writes are allowed after close."); this._chunks.push({strings: strings, callback: callback}); if (this._tempFile && !this._isWriting) this._writeNextChunk(); }, /** * @param {function(?WebInspector.TempFile)} callback */ finishWriting: function(callback) { this._finishCallback = callback; if (this._finishedWriting) callback(this._tempFile); else if (!this._isWriting && !this._chunks.length) this._notifyFinished(); }, /** * @param {*} e */ _failedToCreateTempFile: function(e) { WebInspector.console.error("Failed to create temp file " + e.code + " : " + e.message); this._notifyFinished(); }, /** * @param {!WebInspector.TempFile} tempFile */ _didCreateTempFile: function(tempFile) { this._tempFile = tempFile; var callsPendingOpen = this._callsPendingOpen; this._callsPendingOpen = null; for (var i = 0; i < callsPendingOpen.length; ++i) callsPendingOpen[i](); if (this._chunks.length) this._writeNextChunk(); }, _writeNextChunk: function() { var chunk = this._chunks.shift(); this._isWriting = true; this._tempFile.write(/** @type {!Array.<string>} */(chunk.strings), this._didWriteChunk.bind(this, chunk.callback)); }, /** * @param {?function(number)} callback * @param {number} size */ _didWriteChunk: function(callback, size) { this._isWriting = false; if (size === -1) { this._tempFile = null; this._notifyFinished(); return; } if (callback) callback(size); if (this._chunks.length) this._writeNextChunk(); else if (this._finishCallback) this._notifyFinished(); }, _notifyFinished: function() { this._finishedWriting = true; if (this._tempFile) this._tempFile.finishWriting(); var chunks = this._chunks; this._chunks = []; for (var i = 0; i < chunks.length; ++i) { if (chunks[i].callback) chunks[i].callback(-1); } if (this._finishCallback) this._finishCallback(this._tempFile); var pendingReads = this._pendingReads; this._pendingReads = []; for (var i = 0; i < pendingReads.length; ++i) pendingReads[i](); }, /** * @param {number|undefined} startOffset * @param {number|undefined} endOffset * @param {function(string?)} callback */ readRange: function(startOffset, endOffset, callback) { if (!this._finishedWriting) { this._pendingReads.push(this.readRange.bind(this, startOffset, endOffset, callback)); return; } if (!this._tempFile) { callback(null); return; } this._tempFile.readRange(startOffset, endOffset, callback); }, /** * @param {!WebInspector.OutputStream} outputStream * @param {!WebInspector.OutputStreamDelegate} delegate */ writeToOutputStream: function(outputStream, delegate) { if (this._callsPendingOpen) { this._callsPendingOpen.push(this.writeToOutputStream.bind(this, outputStream, delegate)); return; } if (this._tempFile) this._tempFile.writeToOutputSteam(outputStream, delegate); }, remove: function() { if (this._callsPendingOpen) { this._callsPendingOpen.push(this.remove.bind(this)); return; } if (this._tempFile) this._tempFile.remove(); } } /** * @param {function(?)} fulfill * @param {function(*)} reject */ WebInspector.TempFile._clearTempStorage = function(fulfill, reject) { /** * @param {!Event} event */ function handleError(event) { WebInspector.console.error(WebInspector.UIString("Failed to clear temp storage: %s", event.data)); reject(event.data); } /** * @param {!Event} event */ function handleMessage(event) { if (event.data.type === "tempStorageCleared") { if (event.data.error) WebInspector.console.error(event.data.error); else fulfill(undefined); return; } reject(event.data); } try { var worker = new WorkerRuntime.Worker("temp_storage_shared_worker", "TempStorageCleaner"); worker.onerror = handleError; worker.port.onmessage = handleMessage; worker.port.onerror = handleError; } catch (e) { if (e.name === "URLMismatchError") console.log("Shared worker wasn't started due to url difference. " + e); else throw e; } } /** * @return {!Promise.<undefined>} */ WebInspector.TempFile.ensureTempStorageCleared = function() { if (!WebInspector.TempFile._storageCleanerPromise) WebInspector.TempFile._storageCleanerPromise = new Promise(WebInspector.TempFile._clearTempStorage); return WebInspector.TempFile._storageCleanerPromise; } /** * @constructor * @implements {WebInspector.BackingStorage} * @param {string} dirName */ WebInspector.TempFileBackingStorage = function(dirName) { this._dirName = dirName; this.reset(); } /** * @typedef {{ * string: ?string, * startOffset: number, * endOffset: number * }} */ WebInspector.TempFileBackingStorage.Chunk; WebInspector.TempFileBackingStorage.prototype = { /** * @override * @param {string} string */ appendString: function(string) { this._strings.push(string); this._stringsLength += string.length; var flushStringLength = 10 * 1024 * 1024; if (this._stringsLength > flushStringLength) this._flush(false); }, /** * @override * @param {string} string * @return {function():!Promise.<?string>} */ appendAccessibleString: function(string) { this._flush(false); this._strings.push(string); var chunk = /** @type {!WebInspector.TempFileBackingStorage.Chunk} */ (this._flush(true)); /** * @param {!WebInspector.TempFileBackingStorage.Chunk} chunk * @param {!WebInspector.DeferredTempFile} file * @return {!Promise.<?string>} */ function readString(chunk, file) { if (chunk.string) return /** @type {!Promise.<?string>} */ (Promise.resolve(chunk.string)); console.assert(chunk.endOffset); if (!chunk.endOffset) return Promise.reject("Nor string nor offset to the string in the file were found."); /** * @param {function(?string)} fulfill * @param {function(*)} reject */ function readRange(fulfill, reject) { // FIXME: call reject for null strings. file.readRange(chunk.startOffset, chunk.endOffset, fulfill); } return new Promise(readRange); } return readString.bind(null, chunk, this._file); }, /** * @param {boolean} createChunk * @return {?WebInspector.TempFileBackingStorage.Chunk} */ _flush: function(createChunk) { if (!this._strings.length) return null; var chunk = null; if (createChunk) { console.assert(this._strings.length === 1); chunk = { string: this._strings[0], startOffset: 0, endOffset: 0 }; } /** * @this {WebInspector.TempFileBackingStorage} * @param {?WebInspector.TempFileBackingStorage.Chunk} chunk * @param {number} fileSize */ function didWrite(chunk, fileSize) { if (fileSize === -1) return; if (chunk) { chunk.startOffset = this._fileSize; chunk.endOffset = fileSize; chunk.string = null; } this._fileSize = fileSize; } this._file.write(this._strings, didWrite.bind(this, chunk)); this._strings = []; this._stringsLength = 0; return chunk; }, /** * @override */ finishWriting: function() { this._flush(false); this._file.finishWriting(function() {}); }, /** * @override */ reset: function() { if (this._file) this._file.remove(); this._file = new WebInspector.DeferredTempFile(this._dirName, String(Date.now())); /** * @type {!Array.<string>} */ this._strings = []; this._stringsLength = 0; this._fileSize = 0; }, /** * @param {!WebInspector.OutputStream} outputStream * @param {!WebInspector.OutputStreamDelegate} delegate */ writeToStream: function(outputStream, delegate) { this._file.writeToOutputStream(outputStream, delegate); } } ```
Nancowry (Nancowry language: Mūöt, Hindi: नन्कोव्री Nankovrī) is an island in the central part of the Nicobar Islands chain, located in the northeast Indian Ocean between the Bay of Bengal and the Andaman Sea. History In 1755, the government of Denmark formally claimed sovereignty over Nicobars, under the name of Frederiksøerne ("Frederik Islands") and encouraged a mission established by the Moravian Brethren of Herrnhut. The Danes established a short-lived colony on the island which they named Ny Sjælland ("New Zealand"). Along with Kamorta Island, which lies just to the north, Nancowry Island forms the "magnificent land-locked" Nancowry Harbour, used by European sailors since at least the 17th century and described as "one of the safest natural harbours in the world" (). The harbour was apparently used as a base for piracy; in 1868, the British Navy entered the harbour in some force, destroying suspected pirate ships. 2004 tsunami The island, like many others in the Nicobar and Andaman islands, was severely affected by tsunamis generated by the 2004 Indian Ocean earthquake. According to reports from the Andaman and Nicobar Inspector General of Police, S.B. Deol, the Nancowry group of islands were among the worst-hit islands in the chain, with thousands missing and presumed dead. Post-tsunami satellite photos, and government situation reports indicate that while portions of Nancowry Island were affected, the adjoining islands of Katchall and Kamorta were more severely overrun. As of January 18, 2005, the government reported only 1 dead and 3 missing from Nancowry island, but 51 dead and 387 missing from Kamorta, and 345 dead and 4310 missing from Katchall. Demography As of the 2011 Indian census, there are 1019 persons living on Nancowry island. Geography Nancowry Island has an area of 47 km², and located 160 km south-southeast of Car Nicobar, the northernmost Nicobar island. Nancowry, like the Nicobar islands generally, is under the sovereignty of the nation of India. It is also part of the Nicobar and Andaman Tribal Reserve Area, which bars non-native people from visiting or conducting business on the island without permission in hopes of preserving the threatened native communities that live there. Climate Administration The island belongs to the township of Nancowry of Nancowry tehsil. Image gallery References Space Shuttle Photo of Nancowry and surrounding islands (courtesy Earth Sciences and Image Analysis, NASA-Johnson Space Center). Nancowry is the island on the bottom right. Adjoining it, with Nancowry Harbour between, is Camorta (Kamorta) Is. to the north (up) and Katchall Is. to the west (left). Government of the Andaman and Nicobar Union Territory (tsunami damage page) Andaman and Nicobar Police M.V.R. Murti, et al., Evaluation of Coral Systems through Remote Sensing – A case study in Nicobar Islands, India, presented at Poster Session 2, ACRS 1991. Includes various close-up line maps of the Nancowry group. Before-and-after satellite photos of Katchall island Islands of the Andaman and Nicobar Islands Nicobar district Nicobar Islands Islands of India Populated places in India Islands of the Bay of Bengal
Spilostethus pandurus is a species of "seed bugs" belonging to the family Lygaeidae, subfamily Lygaeinae. Etymology The species was described in 1763 by Scopoli in his "Entomologica carniolica" with locus typicus from the area around Ljubljana. Scopoli does not mention the etymology of the species name but may have named it for the Panduri infantry unit of the Habsburg monarchy. Subspecies Subspecies include: S. pandurus subsp. pandurus (Scopoli, 1763): Native to Albania, Austria, Bulgaria, Corsica, Crete, Crimea, Cyprus, Czech Republic, France, Germany, Greece, Hungary, Italy, Portugal, Russia, Sardinia, Spain, Switzerland, Yugoslavia, Algeria, Egypt, Libya, Morocco, Nigeria, Senegal, Sierra Leone, Slovakia, Sudan, Kenya, Arabia, Iran, Iraq, Israel and India. S. pandurus subsp. militaris (Fabricius, 1775): Native to Albania, Austria, Belgium, Bulgaria, Corsica, Crete, Cyprus, Czech Republic, France, Germany, Greece, Italy, Majorca, Malta, Portugal, Romania, Russia, Sardinia, Sicily, Slovakia, Spain, Switzerland, Yugoslavia, Algeria, Egypt, Ethiopia, Libya, Morocco, Mozambique, Sahara, Senegal and Sierra Leone. S. pandurus subsp. elegans (Wolff, 1802): Native to Central and Southern Africa, Canary Islands, India and Israel. S. pandurus subsp. asiaticus (Kolenati, F.A., 1845): Native to Madagascar. S. pandurus subsp. tetricus (Horvath, G., 1909): Native to the Canary and Madeira islands. Distribution This species can be found in the Euro-mediterranean-Turaniaan Region, with a more southern distribution than Spilostethus saxatilis. It is present in Albania, Austria, Bulgaria, Croatia, Cyprus, Czech Republic, France, Germany, Greece, Hungary, Italy, Israel, Malta, Portugal, Romania, Russia, Serbia, Slovakia, Slovenia, Spain, Switzerland, Turkey, Lebanon, in the Afrotropical realm. and in the southern Asia to India and China. Description Spilostethus pandurus can reach a length of . Body shows a red-black coloration with a white spot in the center of the membrane. Two wavy, broad, black, longitudinal stripes run from the front to the rear edge of the pronotum. Scutellum is black, sometimes with a small red spot at the end. The nymphs are bright red, with black markings. These bugs have two dorsolateral prothoracic glands capable of secreting substances repugnant to predators. Biology These polyphagous bugs feed on flowers and seeds of many plants. They preferentially feed on the plants of the family Apocynaceae. In Europe, they are present on various toxic plants such as jimsonweed (Datura stramonium) and oleander (Nerium oleander). They can cause serious damage to the crops of Sesamum indicum (Pedaliaceae) and to Calotropis gigantea and Calotropis procera (Apocynaceae). It can also attack sorghum crops (Sorghum bicolor), Eleusine coracana, Pennisetum americanum, Phaseolus mungo, Arachis hypogaea, Lycopersicon esculentum, tobacco, sunflowers etc. Gallery References External links Le Monde des Insectes INPN - Inventaire National du Patrimoine Naturel Les Insectes Spilostethus pandurus In: DrfpLib Lygaeidae Hemiptera of Europe Insect pests of millets
```xml type X = [...number[]]; ```
Dowzariv (, also Romanized as Dowzarīv; also known as Bādāmestān-e Pā’īn and Dowzarū’īyeh) is a village in Madvarat Rural District, in the Central District of Shahr-e Babak County, Kerman Province, Iran. At the 2006 census, its population was 17, in 7 families. References Populated places in Shahr-e Babak County
American Symphony is an 2023 American documentary film, written, shot, and edited by Matthew Heineman. It explores a year in the life of musician Jon Batiste. It had its world premiere at the 48th Telluride Film Festival on August 31, 2023, and is scheduled to be released on November 29, 2023, by Netflix. Premise Explores a year in the life of musician Jon Batiste, chronicling his career in music and struggles his wife, Suleika Jaouad faces with leukemia. Release The film had its world premiere at the 48th Telluride Film Festival on August 31, 2023. Shortly after, Netflix and Higher Ground Productions acquired distribution rights to the film. It is scheduled to be released on November 29, 2023. Reception References External links 2023 films 2023 documentary films Documentary films about music and musicians Netflix original documentary films Higher Ground Productions films Films directed by Matthew Heineman
The Journal of Natural History is a scientific journal published by Taylor & Francis focusing on entomology and zoology. The journal was established in 1841 under the name Annals and Magazine of Natural History (Ann. Mag. Nat. Hist.) and obtained its current title in 1967. The journal was formed by the merger of the Magazine of Natural History (1828–1840) and the Annals of Natural History (1838–1840; previously the Magazine of Zoology and Botany, 1836–1838) and Loudon and Charlesworth's Magazine of Natural History. In September 1855, the Annals and Magazine of Natural History published "On the Law which has Regulated the Introduction of New Species", a paper which Alfred Russel Wallace had written while working in the state of Sarawak on the island of Borneo in February of that year. This paper gathered and enumerated general observations regarding the geographic and geologic distribution of species (biogeography). The conclusion that "Every species has come into existence coincident both in space and time with a closely allied species" has come to be known as the "Sarawak Law". The paper was hailed by Edward Blyth and shook the thinking of Charles Lyell. They both advised Charles Darwin of the paper, and though he missed its significance, Lyell's concerns about priority pressed Darwin to push ahead towards the publication of his theory of natural selection. References External links Some parts of Annals and Magazine of Natural History at the Biodiversity Heritage Library Publications established in 1841 Taylor & Francis academic journals Zoology journals Biweekly journals English-language journals
The North East Mayoral Combined Authority (NEMCA) is a planned mayoral combined authority area in the North East of England. It will cover the counties of Northumberland and Tyne and Wear, as well as the County Durham council area. It will consist of eight members: the directly-elected Mayor for the North East and an appointed representative from the seven constituent councils of the combined authority area. It was announced on 28 December 2022 in the North East devolution deal and will be operational from May 2024. It will replace the existing North East Combined Authority and North of Tyne Combined Authority. The first election for the authority will take place on 2 May 2024. History The Tyne and Wear County Council was abolished in 1986 alongside other metropolitan county governments. In 2004, a referendum was held in the North East region to establish a devolved assembly, which was rejected by voters. The North East Combined Authority (NECA) was established in April 2014, including seven councils: Durham, Sunderland, Gateshead, South Tyneside, North Tyneside, Newcastle and Northumberland. A devolution deal was agreed, including the creation of a mayor to be elected in 2017. In September 2016, that deal broke down, as the leaders south of the Tyne were worried about the loss of EU funding, and in 2017 no mayor was elected. From 2 November 2018, the boundaries of NECA were reduced to Durham, Sunderland, Gateshead and South Tyneside. The remaining areas left to form a mayoral combined authority called the North of Tyne Combined Authority. The division of the Tyneside built up area into two combined authorities was criticised. In the Levelling Up white paper, the Government announced a larger mayoral combined authority would be created for the region. Durham was to negotiate a separate county deal. On 28 December 2022, Levelling Up Secretary Michael Gove announced a £1.4 billion devolution deal. The deal included the establishment of a unified mayoral combined authority, with a mayor to be elected in 2024. Martin Gannon, leader of Gateshead Council, said local councils were being forced into the deal and that it did not represent levelling up; he said he agreed with its introduction nevertheless. Geography Governance NEMCA will have eight voting members and two non-voting members: the Mayor a member for each council the Chair of the Business Board a representative of the Community and Voluntary sector The Mayor will provide leadership to the combined authority and chair combined authority meetings. A deputy Mayor will be appointed from among the voting members of the authority and the Mayor may delegate mayoral functions to authority members. Mayoral functions The functions devolved to the Mayor are - housing and regeneration education, skills and training the adult education budget the functional power of competence housing and planning, including mayoral development areas and corporations, land and acquisition powers finance, through council precepts and business rate supplements transport, including bus grants and franchising powers References Devolution in the United Kingdom Combined authorities North East England Local government in England
Patio Parada is a rail yard in Rosario, province of Santa Fe, Argentina. It is an important part of the railway system of the city and has been designed as the future site of a multi-modal public transport terminus. Formerly belonging to the Ferrocarril General Bartolomé Mitre company, it is now managed by the Nuevo Central Argentino (NCA) railway company. It employs a broad 5 ft 6 in (1676 mm) gauge railway. Overview Patio Parada is located in the north of Rosario, just outside the central section of the city, along Bordabehere Avenue, from Alberdi Avenue westward. A street bridge (part of Avellaneda Boulevard) runs above it in the north–south direction. Its administration building lies on one end, at the Cruce Alberdi (Alberdi Crossing), beside the remains of the former Ludueña Station (or Alberdi Stop) and a few blocks from NCA's headquarters. The railways that converge at Patio Parada are connected to Rosario Norte Station on the east. Towards the west, they divide in three branches: a north branch, which passes by the former Sarratea Station and exits Rosario towards the city of Santa Fe, reaching the city of Tucumán in the northwest of the country; a west branch, towards Fisherton, passing by the former Antártida Argentina Station and reaching the city of Córdoba almost 400 km away; and a southwest branch, that crosses Rosario in a diagonal, passing by the former Barrio Vila Station and the neighbouring city of Pérez, reaching Córdoba via Cruz Alta. Patio Parada has been designated as the future site of a multi-modal public transport terminus serving Rosario and its metropolitan area. The official plans are contained in the Municipality's 2007–2017 Urban Plan. The site is to contain a small bus terminus, a stop of the projected Buenos Aires–Rosario–Córdoba high-speed train, and a tram distribution node, plus direct communication with Rosario International Airport. See also Nuevo Central Argentino References Rail infrastructure in Argentina Rail transport in Rosario, Santa Fe
Javanmardi (, also Romanized as Javānmardī) is a village in, and the capital of, Javanmardi Rural District of the Central District of Khanmirza County, Chaharmahal and Bakhtiari province, Iran. At the 2006 census, its population was 2,179 in 520 households, when it was in the former Khanmirza District of Lordegan County. The following census in 2011 counted 2,337 people in 569 households. The latest census in 2016 showed a population of 2,385 people in 714 households. The village is populated by Lurs. After the census, Khanmirza District became the Central District, and Armand Rural District of Lordegan's Central District became Armand District in the new county. References Khanmirza County Populated places in Khanmirza County Luri settlements in Chaharmahal and Bakhtiari Province
Donji Čažanj (Cyrillic: Доњи Чажањ) is a village in the municipality of Konjic, Bosnia and Herzegovina. Demographics According to the 2013 census, its population was 61, all Bosniaks. References Populated places in Konjic
Sakrigali railway station is a railway station on Sahibganj loop line under the Malda railway division of Eastern Railway zone. It is situated at Chhota Bhagiamariand Partaba, Sakrigali in Sahebganj district in the Indian state of Jharkhand. References Railway stations in Sahibganj district Malda railway division
Sandra Dini (born 1 January 1958 in Florence) is a retired Italian high jumper. Biography She finished eleventh at the 1981 European Indoor Championships. She became Italian champion in 1981 and 1984. Her personal best jump was , achieved in June 1981 in Udine. National titles In the "Sara Simeoni era", Sandra Dini has won 4 times the individual national championship. 2 wins in high jump (1981, 1984) 2 wins in high jump indoor (1982, 1985) See also Italian all-time top lists - High jump References External links Athlete profile at All-athletics.com 1958 births Living people Italian female high jumpers Sportspeople from Florence Mediterranean Games bronze medalists for Italy Athletes (track and field) at the 1983 Mediterranean Games Mediterranean Games medalists in athletics 20th-century Italian women 21st-century Italian women
The rivière Moose is a tributary of lake Aylmer which is crossed by the Saint-François River which constitutes a tributary of the south shore of St. Lawrence River. The course of the Moose River crosses the territory of the municipalities of Disraelil and Beaulac-Garthby, in the Les Appalaches Regional County Municipality (MRC), in the administrative region of Estrie, on the South Shore of the St. Lawrence River, in Quebec, Canada. Geography The principal neighboring watersheds of the Moose River are: north side: lake Breeches; east side: lake Aylmer, Saint-François River, Moose bay; south side: Coulombe River, lake Aylmer; west side: Coulombe River. The Mosse River originates between two mountains, southeast of Lac Breeches and southwest of route 263. Its source is located near the municipal boundary of Saint-Jacques-le-Majeur-de-Wolfestown. From its head, the Moose River flows over: south-east to Breeches Road; southeasterly to the municipal boundary between Disraeli (parish) and Beaulac-Garthby; south-east, then east, to its mouth. The Moose River empties on a long strand on the west shore of Moose Bay which forms an appendage of lake Aylmer through which the St. Francis River crosses. Its confluence is located north of the confluence of the Longue Pointe stream, at south of the confluence of the Bourgeault stream and at (direct line) from the intersection of route 161 and route 112 at village of Beaulac-Garthby. The resort is particularly developed around Moose Bay. Toponymy The toponym Rivière Moose was officially registered on December 5, 1968, at the Commission de toponymie du Québec. See also List of rivers of Quebec References Les Appalaches Regional County Municipality Rivers of Chaudière-Appalaches
Reinhold Frosch (9 April 1935 – 14 February 2012) was an Austrian luger who competed from the mid-1950s to the early 1960s. He won a complete set of medals at the FIL World Luge Championships with a gold in the men's doubles (1960), a silver in the men's singles event (1960), and a bronze in the men's singles event (1958). Frosch also won a bronze medal in the men's doubles event at the 1962 FIL European Luge Championships in Weissenbach, Austria. References List of European luge champions Reinhold Frosch's obituary 1935 births 2012 deaths Austrian male lugers
```java /* * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * * path_to_url * * Unless required by applicable law or agreed to in writing, * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * specific language governing permissions and limitations */ package org.apache.weex.ui.view.listview; import android.annotation.SuppressLint; import android.annotation.TargetApi; import android.content.Context; import android.os.Build; import android.support.annotation.Nullable; import android.support.v7.widget.GridLayoutManager; import android.support.v7.widget.LinearLayoutManager; import android.support.v7.widget.OrientationHelper; import android.support.v7.widget.RecyclerView; import android.support.v7.widget.StaggeredGridLayoutManager; import android.view.MotionEvent; import org.apache.weex.common.Constants; import org.apache.weex.common.WXThread; import org.apache.weex.ui.view.gesture.WXGesture; import org.apache.weex.ui.view.gesture.WXGestureObservable; public class WXRecyclerView extends RecyclerView implements WXGestureObservable { public static final int TYPE_LINEAR_LAYOUT = 1; public static final int TYPE_GRID_LAYOUT = 2; public static final int TYPE_STAGGERED_GRID_LAYOUT = 3; private WXGesture mGesture; private boolean scrollable = true; private boolean hasTouch = false; public WXRecyclerView(Context context) { super(context); } public boolean isScrollable() { return scrollable; } public void setScrollable(boolean scrollable) { this.scrollable = scrollable; } public void initView(Context context, int type,int orientation) { initView(context,type, Constants.Value.COLUMN_COUNT_NORMAL,Constants.Value.COLUMN_GAP_NORMAL,orientation); } /** * * @param context * @param type * @param orientation should be {@link OrientationHelper#HORIZONTAL} or {@link OrientationHelper#VERTICAL} */ @TargetApi(Build.VERSION_CODES.JELLY_BEAN) public void initView(Context context, int type, int columnCount, float columnGap, int orientation) { if (type == TYPE_GRID_LAYOUT) { setLayoutManager(new GridLayoutManager(context, columnCount,orientation,false)); } else if (type == TYPE_STAGGERED_GRID_LAYOUT) { setLayoutManager(new ExtendedStaggeredGridLayoutManager(columnCount, orientation)); } else if (type == TYPE_LINEAR_LAYOUT) { setLayoutManager(new ExtendedLinearLayoutManager(context,orientation,false)); } } @Override public void registerGestureListener(@Nullable WXGesture wxGesture) { mGesture = wxGesture; } @Override public WXGesture getGestureListener() { return mGesture; } @SuppressLint("ClickableViewAccessibility") @Override public boolean onTouchEvent(MotionEvent event) { if(!scrollable) { return true; } return super.onTouchEvent(event); } @Override public boolean dispatchTouchEvent(MotionEvent event) { hasTouch = true; boolean result = super.dispatchTouchEvent(event); if (mGesture != null) { result |= mGesture.onTouch(this, event); } return result; } public void scrollTo(boolean smooth, int position, final int offset, final int orientation){ if (!smooth) { RecyclerView.LayoutManager layoutManager = getLayoutManager(); if (layoutManager instanceof LinearLayoutManager) { //GridLayoutManager is also instance of LinearLayoutManager ((LinearLayoutManager) layoutManager).scrollToPositionWithOffset(position, -offset); } else if (layoutManager instanceof StaggeredGridLayoutManager) { ((StaggeredGridLayoutManager) layoutManager).scrollToPositionWithOffset(position, -offset); } //Any else? } else { smoothScrollToPosition(position); if (offset != 0) { setOnSmoothScrollEndListener(new ExtendedLinearLayoutManager.OnSmoothScrollEndListener() { @Override public void onStop() { post(WXThread.secure(new Runnable() { @Override public void run() { if (orientation == Constants.Orientation.VERTICAL) { smoothScrollBy(0, offset); } else { smoothScrollBy(offset, 0); } } })); } }); } } } public void setOnSmoothScrollEndListener(final ExtendedLinearLayoutManager.OnSmoothScrollEndListener onSmoothScrollEndListener){ addOnScrollListener(new RecyclerView.OnScrollListener() { @Override public void onScrollStateChanged(RecyclerView recyclerView, int newState) { if (newState == RecyclerView.SCROLL_STATE_IDLE) { recyclerView.removeOnScrollListener(this); if(onSmoothScrollEndListener != null){ onSmoothScrollEndListener.onStop(); } } } }); } } ```
```javascript /*global angular*/ (function () { angular .module('simplAdmin.orders') .controller('OrderListCtrl', ['orderService', 'translateService', OrderListCtrl]); function OrderListCtrl(orderService, translateService) { var vm = this; vm.translate = translateService; vm.tableStateRef = {}; vm.orders = []; orderService.getOrderStatus().then(function (result) { vm.orderStatus = result.data; }); vm.getOrders = function getOrders(tableState) { vm.isLoading = true; vm.tableStateRef = tableState; orderService.getOrdersForGrid(tableState).then(function (result) { vm.orders = result.data.items; tableState.pagination.numberOfPages = result.data.numberOfPages; tableState.pagination.totalItemCount = result.data.totalRecord; vm.isLoading = false; }); }; vm.getOrdersExport = function getOrdersExport() { orderService.getOrdersExport(vm.tableStateRef); }; vm.getOrderLinesExport = function getOrderLinesExport() { orderService.getOrderLinesExport(vm.tableStateRef); }; } })(); ```
The 1947 Governor General's Awards for Literary Merit were the 12th rendition of the Governor General's Awards, Canada's annual national awards program which then comprised literary awards alone. The awards recognized Canadian writers for new English-language works published in Canada during 1947 and were presented early in 1948. There were no cash prizes. As every year from 1942 to 1948, there two awards for non-fiction, and four awards in the three established categories, which recognized English-language works only. Winners Fiction: Gabrielle Roy, The Tin Flute Poetry or drama: Dorothy Livesay, Poems for People Non-fiction: William Sclater, Haida Non-fiction: R. MacGregor Dawson, The Government of Canada References Governor General's Awards Governor General's Awards 1947 literary awards
The Last Gentleman is a 1966 novel by Walker Percy. The narrative centers on the character of Williston Bibb Barrett, a man born in the Mississippi Delta who has moved to New York City, where he lives at a YMCA and works as a night janitor. Will suffers from a "nervous condition", which causes him to experience fits of déjà vu and amnesiac fugues. Early in the story, Will meets the Vaughts, a Southern family temporarily living in New York City so that their son, Jamie, can receive medical treatment there. Mr. Vaught invites Will to return to the South with his family and serve as Jamie's caretaker. The novel focuses on the relationship between Will and the Vaughts, and on Will's continuing search for his own identity. Walker Percy followed the story of The Last Gentleman in The Second Coming. References 1966 American novels Farrar, Straus and Giroux books Novels by Walker Percy Novels set in New York City
Capitaine Raoul Cesar Robert Pierre Echard was a World War I flying ace credited with seven aerial victories. Biography Raoul Cesar Robert Pierre Echard was born at Rouen, France on 28 September 1883. Although it is not known just when he began his mandatory military service, he was serving as a Brigadier by 15 October 1908. After further promotions in the enlisted ranks, on 16 May 1910, he was chosen to be an Aspirant. This led to officer's training, and promotion to Sous lieutenant. He was serving in an infantry regiment when World War I began. On 1 October 1915, he was promoted to Lieutenant. He was sent to pilot's training on 6 January 1916. He graduated with his Military Pilot's Brevet on 17 May. After advanced training, he was assigned to Escadrille 26 on 7 August 1916. On 25 January 1917, he was transferred to command Escadrille 82. Between 18 March and 3 May, he shot down four German airplanes. On 13 May, he was promoted to Capitaine, and on the 22nd he was inducted into the Legion d'honneur. He shot down two more enemy airplanes, as well as an observation balloon during 1918. He ended World War I with a Croix de Guerre with six palms to go with his Legion of Honor. He died 1922 in an Air meeting starting from Zurich. After two steps of the "circuit des Alpes", his Spad crashed in a wood near Bodio, Switzerland, where he was found dead. Honors and awards He received the Legion d'Honneur and the Croix de Guerre for his valor. The award citation of his Légion d'honneur mentions : "An energetic officer, audacious and skillful pilot. In less than a month, by his courage and combat techniques, and by the example he gives each day to everyone, he made a newly formed young escadrille into a highly efficient unit. On 3 May 1917, he downed his third enemy plane in our lines. Cited twice in orders. List of aerial victories See also Aerial victory standards of World War I Sources of information References Franks, Norman; Bailey, Frank (1993). Over the Front: The Complete Record of the Fighter Aces and Units of the United States and French Air Services, 1914–1918 London, UK: Grub Street Publishing. . 1883 births 1922 deaths French World War I flying aces
Auspitz is a Jewish surname. Notable people with this name include: Auguste Auspitz-Kolar (1844-1878), Bohemian-born Austrian pianist and composer Heinrich Auspitz (1835–1886), Jewish Moravian-Austrian dermatologist Gábor Péter, born as Benjámin "Benő" Auspitz (or Eisenberger) (1906–1993), Jewish Hungarian Communist politician (1838-1907), Austrian k.k. Major general and writer (1859-1917), German theater actor and opera singer ( baritone ). (1803-1880), Austrian , Jewish surgeon and surgeon (born 1975), Austrian film producer Rudolf Auspitz (1837-1906), Austrian industrialist, economist, politician, and banker See also Auspitz's sign, named after Heinrich Auspitz Palais Lieben-Auspitz, Vienna Hustopeče, a Moravian town called Auspitz in German References Surnames of Jewish origin German-language surnames Surnames of Czech origin Yiddish-language surnames
Milefortlet 17 (Dubmill Point) was a Milefortlet of the Roman Cumbrian Coast defences. These milefortlets and intervening stone watchtowers extended from the western end of Hadrian's Wall, along the Cumbrian coast and were linked by a wooden palisade. They were contemporary with defensive structures on Hadrian's Wall. There is little to see except a slight depression in the ground, but Milefortlet 17 has been located and surveyed. Description Milefortlet 17 is situated at Dubmill Point, southwest of the village of Mawbray in the civil parish of Holme St Cuthbert. All that remains to be seen on the ground is a slight depression defining the ditch on the east and south sides. The fortlet was thought to have been lost to coastal erosion, but was located on aerial photographs in 1977. Limited excavations were conducted in 1983, although the only finds were some pottery and nails. A geophysical survey was carried out in 1994 which showed the precise position of the milefortlet, surrounded on three sides by a ditch, with the fourth west side now being overlaid by the modern road. Associated Towers Each milefortlet had two associated towers, similar in construction to the turrets built along Hadrian's Wall. These towers were positioned approximately one-third and two-thirds of a Roman mile to the west of the Milefortlet, and would probably have been manned by part of the nearest Milefortlet's garrison. The towers associated with Milefortlet 17 are known as Tower 17A () and Tower 17B (). The locations of both towers are uncertain, and their positions have been estimated by measurement to adjoining Roman frontier works. It is possible that coastal erosion has destroyed one or both sites. References External links Milecastles of Hadrian's Wall Roman sites in Cumbria Holme St Cuthbert
```objective-c //your_sha256_hash------------ // Anti-Grain Geometry (AGG) - Version 2.5 // A high quality rendering engine for C++ // Contact: mcseem@antigrain.com // mcseemagg@yahoo.com // path_to_url // // AGG is free software; you can redistribute it and/or // as published by the Free Software Foundation; either version 2 // // AGG 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 AGG; if not, write to the Free Software // Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, // MA 02110-1301, USA. //your_sha256_hash------------ #ifndef AGG_CONV_SMOOTH_POLY1_INCLUDED #define AGG_CONV_SMOOTH_POLY1_INCLUDED #include "agg_basics.h" #include "agg_vcgen_smooth_poly1.h" #include "agg_conv_adaptor_vcgen.h" #include "agg_conv_curve.h" namespace agg { //your_sha256_hashth_poly1 template<class VertexSource> struct conv_smooth_poly1 : public conv_adaptor_vcgen<VertexSource, vcgen_smooth_poly1> { typedef conv_adaptor_vcgen<VertexSource, vcgen_smooth_poly1> base_type; conv_smooth_poly1(VertexSource& vs) : conv_adaptor_vcgen<VertexSource, vcgen_smooth_poly1>(vs) { } void smooth_value(double v) { base_type::generator().smooth_value(v); } double smooth_value() const { return base_type::generator().smooth_value(); } private: conv_smooth_poly1(const conv_smooth_poly1<VertexSource>&); const conv_smooth_poly1<VertexSource>& operator = (const conv_smooth_poly1<VertexSource>&); }; //your_sha256_hashy1_curve template<class VertexSource> struct conv_smooth_poly1_curve : public conv_curve<conv_smooth_poly1<VertexSource> > { conv_smooth_poly1_curve(VertexSource& vs) : conv_curve<conv_smooth_poly1<VertexSource> >(m_smooth), m_smooth(vs) { } void smooth_value(double v) { m_smooth.generator().smooth_value(v); } double smooth_value() const { return m_smooth.generator().smooth_value(); } private: conv_smooth_poly1_curve(const conv_smooth_poly1_curve<VertexSource>&); const conv_smooth_poly1_curve<VertexSource>& operator = (const conv_smooth_poly1_curve<VertexSource>&); conv_smooth_poly1<VertexSource> m_smooth; }; } #endif ```
Translocation may refer to: Chromosomal translocation, a chromosome abnormality caused by rearrangement of parts Robertsonian translocation, a chromosomal rearrangement in pairs 13, 14, 15, 21, and 22 Nonreciprocal translocation, transfer of genes from one chromosome to another PEP group translocation, a method used by bacteria for sugar uptake Twin-arginine translocation pathway, a protein export pathway found in plants, bacteria, and archaea Translocation (botany), transport of nutrients through phloem Protein translocation, also called protein targeting, a process in protein biosynthesis Species translocation, movement of a species, by people, from one area to another
```smalltalk using System.Security.Claims; using System.Threading.Tasks; using Microsoft.AspNetCore.Identity; using Volo.Abp.DependencyInjection; using Volo.Abp.Guids; using Volo.Abp.Identity; using IdentityUser = Volo.Abp.Identity.IdentityUser; namespace Volo.Abp.Account; public class AbpAccountTestDataBuilder : ITransientDependency { private readonly IGuidGenerator _guidGenerator; private readonly IIdentityUserRepository _userRepository; private readonly AccountTestData _testData; public AbpAccountTestDataBuilder( AccountTestData testData, IGuidGenerator guidGenerator, IIdentityUserRepository userRepository) { _testData = testData; _guidGenerator = guidGenerator; _userRepository = userRepository; } public async Task Build() { await AddUsers(); } private async Task AddUsers() { var john = new IdentityUser(_testData.UserJohnId, "john.nash", "john.nash@abp.io"); john.AddLogin(new UserLoginInfo("github", "john", "John Nash")); john.AddLogin(new UserLoginInfo("twitter", "johnx", "John Nash")); john.AddClaim(_guidGenerator, new Claim("TestClaimType", "42")); john.SetToken("test-provider", "test-name", "test-value"); await _userRepository.InsertAsync(john); } } ```