text
stringlengths
1
22.8M
Kalyani Natarajan is an Indian actress who has appeared in Telugu, Tamil, and Hindi-language films. She played prominent roles in Saivam (2014), Pisaasu (2014) and Mahanubhavudu (2017). Career Kalyani had an interest in theatre and acted in plays in Mumbai. While in Mumbai, she was part of several major drama troupes. Later, she began acting in commercials including a jewellery commercial with Trisha. Her stage plays in Mumbai enabled her to get a role in Settai (2013), which was shot in Mumbai. In the same year, she played Imran Khan's sister-in-law in Dharma Productions' Gori Tere Pyaar Mein (2013). She was also cast as Sathyaraj's wife in A. L. Vijay's Thalaivaa (2013). However, she left the latter film. She collaborated again with director A. L. Vijay for Saivam (2014), which was her first major break. Kalyani had shot for 38 days in Karaikudi for the film. While she was in Chennai during the release of Saivam, she met director Mysskin and auditioned for a role in Pisaasu (2014), a role which she bagged. Atlee Kumar signed her to play a doctor in Theri (2016) after seeing her performance in Pisaasu. Kalyani made her Telugu film debut with Dictator (2016) and has acted in Mahanubhavudu (2017), Vijetha (2018), Dear Comrade (2019) amongst others. She is one of the most prominent and sought-after actors to play maternal roles in several films. Her short film debut was with Daro Mat (2017) in which she played a toxic mother-in-law. She is one of the founding members of a Mumbai-based theatre production house Clean Slate Creations along with her husband Balakrishnan Natarajan, who is also an actor in Hindi cinema. Filmography Tamil films Telugu films Hindi films References External links Living people Year of birth missing (living people) 21st-century Indian actresses Indian film actresses
Gunniopsis is a genus of flowering plants in the iceplant family, Aizoaceae. These plants are found in areas of inland Australia. Gunniopis comprises 14 species that were once members of the genera Aizoon, Gunnia and Neogunnia. The name of the genus honours the botanist and politician Ronald Campbell Gunn. The genus was first formally described by the botanist Ferdinand Pax in 1889 in Engler and Prantl's work Die Naturlichen Pflanzenfamilien. The name is derived from the Greek word opsis meaning resembling which alludes to the resemblance of the genus to the genus Gunnia. Members of this genus are succulents with the habit of a small shrub or herb. The plants are widespread throughout the eremaean zones of Western Australia and South Australia with some species extending into the areas in the Northern Territory, Queensland and New South Wales. Found in arid areas the plants are often found in shrubland area with saline soils in and around salt lake systems. The shrub-like Gunniopsis quadrifida has the largest distribution of all the species. Species The 14 recognised species belonging to the Gunniopsis genera are listed below: Gunniopsis calcarea Chinnock Nullarbor gunniopsis or yellow flowered pigface Gunniopsis calva Chinnock Gunniopsis divisa Chinnock Gunniopsis glabra (Ewart) C.A.Gardner Gunniopsis intermedia Diels yellow salt star Gunniopsis kochii (R.Wagner) Chinnock Koch's pigface Gunniopsis papillata Chinnock Gunniopsis propinqua Chinnock Gunniopsis quadrifida (F.Muell.) Pax sturts pigface Gunniopsis rodwayi (Ewart) C.A.Gardner Gunniopsis rubra Chinnock Gunniopsis septifraga (F.Muell.) Chinnock green pigface Gunniopsis tenuifolia Chinnock narrow-leaf pigface Gunniopsis zygophylloides (F.Muell.) Diels twin-leaf pigface References Aizoaceae genera
Domenico Viola (c.1610-1620 - 1696) was an Italian painter and draughtsman, who was born and died in Naples. His pupils included Francesco de Mura, whilst his contemporaries in the Accademia di San Luca included Michelangelo Cerquozzi. Artworks by him are in several North American and European art galleries and museums, such as the Smithsonian American Art Museum. and four works by him have been auctioned between 2005 and 2019 (Saint Peter Denies Christ (2004), Nine Men's Morris Players in a Tavern, The Card Players and The Martyrdom of Saint Lawrence) References Italian Baroque painters 1696 deaths 1610s births People from Naples 17th-century Italian painters
Kuprevičius is a Lithuanian language family name. The surname corresponds to Polish "Kuprewicz" and East Slavic "Kuprevich". The surname may refer to: Giedrius Kuprevičius (born 1944), Lithuanian composer, music educator (1901–1992), Lithuanian composer, music educator (1864–1932), Lithuanian doctor Lithuanian-language surnames
```javascript 'use strict'; var whitespace = require('is-whitespace-character'); var locate = require('../locate/link'); module.exports = link; link.locator = locate; var own = {}.hasOwnProperty; var C_BACKSLASH = '\\'; var C_BRACKET_OPEN = '['; var C_BRACKET_CLOSE = ']'; var C_PAREN_OPEN = '('; var C_PAREN_CLOSE = ')'; var C_LT = '<'; var C_GT = '>'; var C_TICK = '`'; var C_DOUBLE_QUOTE = '"'; var C_SINGLE_QUOTE = '\''; /* Map of characters, which can be used to mark link * and image titles. */ var LINK_MARKERS = {}; LINK_MARKERS[C_DOUBLE_QUOTE] = C_DOUBLE_QUOTE; LINK_MARKERS[C_SINGLE_QUOTE] = C_SINGLE_QUOTE; /* Map of characters, which can be used to mark link * and image titles in commonmark-mode. */ var COMMONMARK_LINK_MARKERS = {}; COMMONMARK_LINK_MARKERS[C_DOUBLE_QUOTE] = C_DOUBLE_QUOTE; COMMONMARK_LINK_MARKERS[C_SINGLE_QUOTE] = C_SINGLE_QUOTE; COMMONMARK_LINK_MARKERS[C_PAREN_OPEN] = C_PAREN_CLOSE; function link(eat, value, silent) { var self = this; var subvalue = ''; var index = 0; var character = value.charAt(0); var pedantic = self.options.pedantic; var commonmark = self.options.commonmark; var gfm = self.options.gfm; var closed; var count; var opening; var beforeURL; var beforeTitle; var subqueue; var hasMarker; var markers; var isImage; var content; var marker; var length; var title; var depth; var queue; var url; var now; var exit; var node; /* Detect whether this is an image. */ if (character === '!') { isImage = true; subvalue = character; character = value.charAt(++index); } /* Eat the opening. */ if (character !== C_BRACKET_OPEN) { return; } /* Exit when this is a link and were already inside * a link. */ if (!isImage && self.inLink) { return; } subvalue += character; queue = ''; index++; /* Eat the content. */ length = value.length; now = eat.now(); depth = 0; now.column += index; now.offset += index; while (index < length) { character = value.charAt(index); subqueue = character; if (character === C_TICK) { /* Inline-code in link content. */ count = 1; while (value.charAt(index + 1) === C_TICK) { subqueue += character; index++; count++; } if (!opening) { opening = count; } else if (count >= opening) { opening = 0; } } else if (character === C_BACKSLASH) { /* Allow brackets to be escaped. */ index++; subqueue += value.charAt(index); /* In GFM mode, brackets in code still count. * In all other modes, they dont. This empty * block prevents the next statements are * entered. */ } else if ((!opening || gfm) && character === C_BRACKET_OPEN) { depth++; } else if ((!opening || gfm) && character === C_BRACKET_CLOSE) { if (depth) { depth--; } else { /* Allow white-space between content and * url in GFM mode. */ if (!pedantic) { while (index < length) { character = value.charAt(index + 1); if (!whitespace(character)) { break; } subqueue += character; index++; } } if (value.charAt(index + 1) !== C_PAREN_OPEN) { return; } subqueue += C_PAREN_OPEN; closed = true; index++; break; } } queue += subqueue; subqueue = ''; index++; } /* Eat the content closing. */ if (!closed) { return; } content = queue; subvalue += queue + subqueue; index++; /* Eat white-space. */ while (index < length) { character = value.charAt(index); if (!whitespace(character)) { break; } subvalue += character; index++; } /* Eat the URL. */ character = value.charAt(index); markers = commonmark ? COMMONMARK_LINK_MARKERS : LINK_MARKERS; queue = ''; beforeURL = subvalue; if (character === C_LT) { index++; beforeURL += C_LT; while (index < length) { character = value.charAt(index); if (character === C_GT) { break; } if (commonmark && character === '\n') { return; } queue += character; index++; } if (value.charAt(index) !== C_GT) { return; } subvalue += C_LT + queue + C_GT; url = queue; index++; } else { character = null; subqueue = ''; while (index < length) { character = value.charAt(index); if (subqueue && own.call(markers, character)) { break; } if (whitespace(character)) { if (!pedantic) { break; } subqueue += character; } else { if (character === C_PAREN_OPEN) { depth++; } else if (character === C_PAREN_CLOSE) { if (depth === 0) { break; } depth--; } queue += subqueue; subqueue = ''; if (character === C_BACKSLASH) { queue += C_BACKSLASH; character = value.charAt(++index); } queue += character; } index++; } subvalue += queue; url = queue; index = subvalue.length; } /* Eat white-space. */ queue = ''; while (index < length) { character = value.charAt(index); if (!whitespace(character)) { break; } queue += character; index++; } character = value.charAt(index); subvalue += queue; /* Eat the title. */ if (queue && own.call(markers, character)) { index++; subvalue += character; queue = ''; marker = markers[character]; beforeTitle = subvalue; /* In commonmark-mode, things are pretty easy: the * marker cannot occur inside the title. * * Non-commonmark does, however, support nested * delimiters. */ if (commonmark) { while (index < length) { character = value.charAt(index); if (character === marker) { break; } if (character === C_BACKSLASH) { queue += C_BACKSLASH; character = value.charAt(++index); } index++; queue += character; } character = value.charAt(index); if (character !== marker) { return; } title = queue; subvalue += queue + character; index++; while (index < length) { character = value.charAt(index); if (!whitespace(character)) { break; } subvalue += character; index++; } } else { subqueue = ''; while (index < length) { character = value.charAt(index); if (character === marker) { if (hasMarker) { queue += marker + subqueue; subqueue = ''; } hasMarker = true; } else if (!hasMarker) { queue += character; } else if (character === C_PAREN_CLOSE) { subvalue += queue + marker + subqueue; title = queue; break; } else if (whitespace(character)) { subqueue += character; } else { queue += marker + subqueue + character; subqueue = ''; hasMarker = false; } index++; } } } if (value.charAt(index) !== C_PAREN_CLOSE) { return; } /* istanbul ignore if - never used (yet) */ if (silent) { return true; } subvalue += C_PAREN_CLOSE; url = self.decode.raw(self.unescape(url), eat(beforeURL).test().end, {nonTerminated: false}); if (title) { beforeTitle = eat(beforeTitle).test().end; title = self.decode.raw(self.unescape(title), beforeTitle); } node = { type: isImage ? 'image' : 'link', title: title || null, url: url }; if (isImage) { node.alt = self.decode.raw(self.unescape(content), now) || null; } else { exit = self.enterLink(); node.children = self.tokenizeInline(content, now); exit(); } return eat(subvalue)(node); } ```
LentSpace is a temporary outdoor art space and sculpture garden located in Hudson Square, Lower Manhattan, New York City. The space, which opened in September 2009, is bounded by Varick Street to the west, Canal Street and Albert Capsouto Park to the south, Grand Street to the north, and Sullivan Street and Duarte Square to the east. History The block occupied by LentSpace is part of a parcel of land granted to Trinity Church by Queen Anne in 1705. In the years prior to the park's opening in 2009, the church's development company demolished a number of buildings previously located on the site. The land is owned by Trinity Church and is slated for eventual development. The church negotiated a deal with the Lower Manhattan Cultural Council (LMCC) to use the idle space for a period of about three years. LMCC raised about $1 million to transform the empty lot into a space to promote art in the neighborhood. Interboro Partners of Brooklyn designed the landscape, incorporating inexpensive materials such as gravel and plywood, reflecting the temporary nature of the space. The park is surrounded by a fence, the eastern edge of which is decorated with small, reflective aluminum disks. The interior features planters, benches and straight paths. The inaugural show in the space was entitled "Points and Lines" and featured seven installations by Graham Hudson, Eli Hansen and Oscar Tuazon, Ryan Tabor, Tobias Putrih, Olga Chernysheva, Corban Walker and Oliver Babin. The pieces all referenced civic design and construction techniques, using materials such as flagpoles, ladders, concrete and steel. Since then, the space has been used for a variety of different purposes. In 2010 LentSpace was featured in an episode of Bravo's reality TV show, Work of Art: The Next Great Artist. In the summer of 2012 the space became home to a rotating lineup of food trucks, accompanied by musical performances throughout the week. In late 2011, protesters from the Occupy movement briefly occupied the space after being evicted from Zuccotti Park. Trinity Church had denied permission for the protestors to use the space. On December 17, some protesters scaled the fences which surround the park while others squeezed beneath the fences. New York City Police Department officers arrested a number of protesters, including retired Episcopal Bishop George Elden Packard. References External links LMCC's LentSpace in Hudson Square LentSpace slideshow at the New York Times Squares in Manhattan Sculpture gardens, trails and parks in New York (state) Public art in New York City Tribeca West Village Privately owned public spaces Hudson Square
The Treaty of Vienna or Peace of Vienna of 1738 ended the War of the Polish Succession. By the terms of the treaty, Stanisław Leszczyński renounced his claim on the Polish throne and recognized Augustus III, Duke of Saxony. As compensation he received instead the duchies of Lorraine and Bar, which was to pass to France upon his death. He died in 1766. Francis Stephen, who was the Duke of Lorraine, was indemnified with the vacant throne of the Grand Duchy of Tuscany, the last Medici having died in 1737. France also agreed to the Pragmatic Sanction in the Treaty of Vienna. In another provision of the treaty, the kingdoms of Naples and Sicily were ceded by Austria to Duke Charles of Parma and Piacenza, the younger son of King Philip V of Spain. Charles, in turn, had to cede Parma to Austria, and to give up his claims to the throne of Tuscany in favor of Francis Stephen. Signed on 18 November 1738, the treaty was one of the last international treaties written in Latin (together with the Treaty of Belgrade signed the following year). See also List of treaties Notes External links (original French and Latin text of the treaty) War of the Polish Succession Vienna 1738 Vienna 1738 Vienna 1738 Vienna 1738 Treaties of the Polish–Lithuanian Commonwealth 1738 in the Habsburg monarchy 1738 in the Holy Roman Empire 18th century in Austria 1738 in France 1738 in Spain Vienna Vienna 1738 Vienna 1738 Vienna 1738 Vienna 1738 Francis I, Holy Roman Emperor
The 2020 Food City 300 was a NASCAR Xfinity Series race held on September 18, 2020. It was contested over 300 laps on the short track. It was the twenty-sixth race of the 2020 NASCAR Xfinity Series season. Stewart-Haas Racing driver Chase Briscoe collected his seventh win of the season. Report Background The Bristol Motor Speedway, formerly known as Bristol International Raceway and Bristol Raceway, is a NASCAR short track venue located in Bristol, Tennessee. Constructed in 1960, it held its first NASCAR race on July 30, 1961. Despite its short length, Bristol is among the most popular tracks on the NASCAR schedule because of its distinct features, which include extraordinarily steep banking, an all concrete surface, two pit roads, and stadium-like seating. It has also been named one of the loudest NASCAR tracks. Entry list (R) denotes rookie driver. (i) denotes driver who is ineligible for series driver points. Qualifying Justin Allgaier was awarded the pole based on competition based formula. Qualifying results Race Race results Stage Results Stage One Laps: 85 Stage Two Laps: 85 Final Stage Results Laps: 130 Race statistics Lead changes: 10 among 5 different drivers Cautions/Laps: 7 for 45 Time of race: 1 hour, 55 minutes, and 39 seconds Average speed: References NASCAR races at Bristol Motor Speedway 2020 in sports in Tennessee Food City 300 2020 NASCAR Xfinity Series
Snow Lake may refer to: Lakes Pakistan Snow Lake (Pakistan) or Lukpe Lawo, a glacial basin United States Snow Lake (Idaho), an alpine lake Snow Lake (Nevada), a glacial tarn Snow Lake (New Mexico), a small reservoir Snow Lake (King County, Washington) Snow Lake (Mount Rainier), in Lewis County, Washington Snow Lakes system in the Alpine Lakes Wilderness, Chelan County, Washington Communities Snow Lake, Manitoba, Canada Snow Lake, Arkansas, United States Snow Lake, Indiana, United States Other uses Snow Lake Airport, serving Snow Lake, Manitoba Snow Lake Water Aerodrome, serving Snow Lake, Manitoba Snow Lake Peak, in Nevada
Karakyz is a village in the Quba Rayon of Azerbaijan. References Populated places in Quba District (Azerbaijan)
```java package com.netflix.metacat.connector.hive.util; import com.netflix.metacat.common.server.partition.util.PartitionUtil; import com.netflix.metacat.common.server.partition.visitor.PartitionKeyParserEval; import org.apache.hadoop.hive.common.FileUtils; /** * Hive partition key evaluation. */ public class HivePartitionKeyParserEval extends PartitionKeyParserEval { @Override protected String toValue(final Object value) { return value == null ? PartitionUtil.DEFAULT_PARTITION_NAME : FileUtils.escapePathName(value.toString()); } } ```
```xml <?xml version="1.0" encoding="utf-8"?> <Project DefaultTargets="Build" ToolsVersion="15.0" xmlns="path_to_url"> <ItemGroup Label="ProjectConfigurations"> <ProjectConfiguration Include="debug|Win32"> <Configuration>debug</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> <ProjectConfiguration Include="release|Win32"> <Configuration>release</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> <ProjectConfiguration Include="profile|Win32"> <Configuration>profile</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> <ProjectConfiguration Include="checked|Win32"> <Configuration>checked</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> </ItemGroup> <PropertyGroup Label="Globals"> <ProjectGuid>{F7306F72-804E-41BB-6430-8804934AD542}</ProjectGuid> <RootNamespace>ApexCommon</RootNamespace> </PropertyGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" /> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='debug|Win32'" Label="Configuration"> <ConfigurationType>StaticLibrary</ConfigurationType> <PlatformToolset>v141</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='release|Win32'" Label="Configuration"> <ConfigurationType>StaticLibrary</ConfigurationType> <PlatformToolset>v141</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='profile|Win32'" Label="Configuration"> <ConfigurationType>StaticLibrary</ConfigurationType> <PlatformToolset>v141</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='checked|Win32'" Label="Configuration"> <ConfigurationType>StaticLibrary</ConfigurationType> <PlatformToolset>v141</PlatformToolset> </PropertyGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" /> <ImportGroup Label="ExtensionSettings"> </ImportGroup> <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='debug|Win32'"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="../paths.vsprops" /> </ImportGroup> <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='release|Win32'"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="../paths.vsprops" /> </ImportGroup> <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='profile|Win32'"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="../paths.vsprops" /> </ImportGroup> <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='checked|Win32'"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="../paths.vsprops" /> </ImportGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='debug|Win32'"> <OutDir>./../../lib/vc15win32-PhysX_3.4\</OutDir> <IntDir>./build/Win32/ApexCommon/debug\</IntDir> <TargetExt>.lib</TargetExt> <TargetName>$(ProjectName)DEBUG</TargetName> <CodeAnalysisRuleSet>AllRules.ruleset</CodeAnalysisRuleSet> <CodeAnalysisRules /> <CodeAnalysisRuleAssemblies /> </PropertyGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='debug|Win32'"> <ClCompile> <FloatingPointModel>Precise</FloatingPointModel> <AdditionalOptions>/wd4201 /wd4324 /Wall /wd4514 /wd4820 /wd4127 /wd4710 /wd4711 /wd4061 /wd4668 /wd4626 /wd4266 /wd4263 /wd4264 /wd4640 /wd4625 /wd4574 /wd4191 /wd4987 /wd4986 /wd4946 /wd4836 /wd4571 /wd4826 /wd4577 /wd4458 /wd4456 /wd4457 /wd4548 /wd5026 /wd5027 /wd4464 /wd5038 /wd5039 /wd4596 /wd4365 /wd4774 /wd4996 /wd5045 /GR- /GF /WX /fp:fast /arch:SSE2 /MP /Od /RTCsu /d2Zi+</AdditionalOptions> <Optimization>Disabled</Optimization> <AdditionalIncludeDirectories>../../../PxShared/include;../../../PxShared/include/filebuf;../../../PxShared/include/foundation;../../../PxShared/include/task;../../../PxShared/include/cudamanager;../../../PxShared/include/pvd;../../../PxShared/src/foundation/include;../../../PxShared/src/filebuf/include;../../../PxShared/src/fastxml/include;../../../PxShared/src/pvd/include;./../../shared/general/shared;./../../public;../../../PhysX_3.4/Include;../../../PhysX_3.4/Include/common;../../../PhysX_3.4/Include/cooking;../../../PhysX_3.4/Include/extensions;../../../PhysX_3.4/Include/geometry;../../../PhysX_3.4/Include/gpu;../../../PhysX_3.4/Include/deformable;../../../PhysX_3.4/Include/particles;../../../PhysX_3.4/Include/characterkinematic;../../../PhysX_3.4/Include/characterdynamic;../../../PhysX_3.4/Include/vehicle;../../../PhysX_3.4/Source/GeomUtils/headers;../../../PhysX_3.4/Source/PhysXGpu/include;./../../shared/general/RenderDebug/public;./../../shared/general/shared/inparser/include;./../../common/include;./../../common/include/autogen;./../../common/include/windows;./../../shared/internal/include;./../../module/common/include;./../../NvParameterized/include;./../../include;./../../include/PhysX3;./../../../Externals/nvToolsExt/1/include;./../../framework/include;./../../framework/include/autogen;./../../include;./../../include/PhysX3;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> <PreprocessorDefinitions>WIN32;_CRT_SECURE_NO_DEPRECATE;_CRT_NONSTDC_NO_DEPRECATE;DISABLE_CUDA_PHYSX;INSTALLER=1;EXCLUDE_PARTICLES=1;ENABLE_TEST=0;_DEBUG;PX_DEBUG;PX_CHECKED;PHYSX_PROFILE_SDK;PX_SUPPORT_VISUAL_DEBUGGER;PX_PROFILE;PX_NVTX=1;PX_PHYSX_DLL_NAME_POSTFIX=DEBUG;%(PreprocessorDefinitions)</PreprocessorDefinitions> <ExceptionHandling>false</ExceptionHandling> <WarningLevel>Level4</WarningLevel> <RuntimeLibrary>MultiThreadedDebug</RuntimeLibrary> <PrecompiledHeader>NotUsing</PrecompiledHeader> <PrecompiledHeaderFile></PrecompiledHeaderFile> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> </ClCompile> <Lib> <AdditionalOptions>/INCREMENTAL:NO</AdditionalOptions> <AdditionalDependencies>%(AdditionalDependencies)</AdditionalDependencies> <OutputFile>$(OutDir)$(ProjectName)DEBUG.lib</OutputFile> <AdditionalLibraryDirectories>../../../PxShared/lib/vc15win32;../../../PhysX_3.4/Lib/vc15win32;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> <ProgramDatabaseFile>$(OutDir)/$(ProjectName)DEBUG.lib.pdb</ProgramDatabaseFile> <TargetMachine>MachineX86</TargetMachine> </Lib> <ResourceCompile> </ResourceCompile> <ProjectReference> <LinkLibraryDependencies>true</LinkLibraryDependencies> </ProjectReference> </ItemDefinitionGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='release|Win32'"> <OutDir>./../../lib/vc15win32-PhysX_3.4\</OutDir> <IntDir>./build/Win32/ApexCommon/release\</IntDir> <TargetExt>.lib</TargetExt> <TargetName>$(ProjectName)</TargetName> <CodeAnalysisRuleSet>AllRules.ruleset</CodeAnalysisRuleSet> <CodeAnalysisRules /> <CodeAnalysisRuleAssemblies /> </PropertyGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='release|Win32'"> <ClCompile> <FloatingPointModel>Precise</FloatingPointModel> <AdditionalOptions>/wd4201 /wd4324 /Wall /wd4514 /wd4820 /wd4127 /wd4710 /wd4711 /wd4061 /wd4668 /wd4626 /wd4266 /wd4263 /wd4264 /wd4640 /wd4625 /wd4574 /wd4191 /wd4987 /wd4986 /wd4946 /wd4836 /wd4571 /wd4826 /wd4577 /wd4458 /wd4456 /wd4457 /wd4548 /wd5026 /wd5027 /wd4464 /wd5038 /wd5039 /wd4596 /wd4365 /wd4774 /wd4996 /wd5045 /GR- /GF /WX /fp:fast /arch:SSE2 /MP /Ox /d2Zi+</AdditionalOptions> <Optimization>Disabled</Optimization> <AdditionalIncludeDirectories>../../../PxShared/include;../../../PxShared/include/filebuf;../../../PxShared/include/foundation;../../../PxShared/include/task;../../../PxShared/include/cudamanager;../../../PxShared/include/pvd;../../../PxShared/src/foundation/include;../../../PxShared/src/filebuf/include;../../../PxShared/src/fastxml/include;../../../PxShared/src/pvd/include;./../../shared/general/shared;./../../public;../../../PhysX_3.4/Include;../../../PhysX_3.4/Include/common;../../../PhysX_3.4/Include/cooking;../../../PhysX_3.4/Include/extensions;../../../PhysX_3.4/Include/geometry;../../../PhysX_3.4/Include/gpu;../../../PhysX_3.4/Include/deformable;../../../PhysX_3.4/Include/particles;../../../PhysX_3.4/Include/characterkinematic;../../../PhysX_3.4/Include/characterdynamic;../../../PhysX_3.4/Include/vehicle;../../../PhysX_3.4/Source/GeomUtils/headers;../../../PhysX_3.4/Source/PhysXGpu/include;./../../shared/general/RenderDebug/public;./../../shared/general/shared/inparser/include;./../../common/include;./../../common/include/autogen;./../../common/include/windows;./../../shared/internal/include;./../../module/common/include;./../../NvParameterized/include;./../../include;./../../include/PhysX3;./../../../Externals/nvToolsExt/1/include;./../../framework/include;./../../framework/include/autogen;./../../include;./../../include/PhysX3;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> <PreprocessorDefinitions>WIN32;_CRT_SECURE_NO_DEPRECATE;_CRT_NONSTDC_NO_DEPRECATE;DISABLE_CUDA_PHYSX;INSTALLER=1;EXCLUDE_PARTICLES=1;ENABLE_TEST=0;NDEBUG;APEX_SHIPPING;_SECURE_SCL=0;_ITERATOR_DEBUG_LEVEL=0;%(PreprocessorDefinitions)</PreprocessorDefinitions> <ExceptionHandling>false</ExceptionHandling> <WarningLevel>Level4</WarningLevel> <RuntimeLibrary>MultiThreaded</RuntimeLibrary> <PrecompiledHeader>NotUsing</PrecompiledHeader> <PrecompiledHeaderFile></PrecompiledHeaderFile> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> </ClCompile> <Lib> <AdditionalOptions>/INCREMENTAL:NO</AdditionalOptions> <AdditionalDependencies>%(AdditionalDependencies)</AdditionalDependencies> <OutputFile>$(OutDir)$(ProjectName).lib</OutputFile> <AdditionalLibraryDirectories>../../../PxShared/lib/vc15win32;../../../PhysX_3.4/Lib/vc15win32;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> <ProgramDatabaseFile>$(OutDir)/$(ProjectName).lib.pdb</ProgramDatabaseFile> <TargetMachine>MachineX86</TargetMachine> </Lib> <ResourceCompile> </ResourceCompile> <ProjectReference> <LinkLibraryDependencies>true</LinkLibraryDependencies> </ProjectReference> </ItemDefinitionGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='profile|Win32'"> <OutDir>./../../lib/vc15win32-PhysX_3.4\</OutDir> <IntDir>./build/Win32/ApexCommon/profile\</IntDir> <TargetExt>.lib</TargetExt> <TargetName>$(ProjectName)PROFILE</TargetName> <CodeAnalysisRuleSet>AllRules.ruleset</CodeAnalysisRuleSet> <CodeAnalysisRules /> <CodeAnalysisRuleAssemblies /> </PropertyGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='profile|Win32'"> <ClCompile> <FloatingPointModel>Precise</FloatingPointModel> <AdditionalOptions>/wd4201 /wd4324 /Wall /wd4514 /wd4820 /wd4127 /wd4710 /wd4711 /wd4061 /wd4668 /wd4626 /wd4266 /wd4263 /wd4264 /wd4640 /wd4625 /wd4574 /wd4191 /wd4987 /wd4986 /wd4946 /wd4836 /wd4571 /wd4826 /wd4577 /wd4458 /wd4456 /wd4457 /wd4548 /wd5026 /wd5027 /wd4464 /wd5038 /wd5039 /wd4596 /wd4365 /wd4774 /wd4996 /wd5045 /GR- /GF /WX /fp:fast /arch:SSE2 /MP /Ox /d2Zi+</AdditionalOptions> <Optimization>Disabled</Optimization> <AdditionalIncludeDirectories>../../../PxShared/include;../../../PxShared/include/filebuf;../../../PxShared/include/foundation;../../../PxShared/include/task;../../../PxShared/include/cudamanager;../../../PxShared/include/pvd;../../../PxShared/src/foundation/include;../../../PxShared/src/filebuf/include;../../../PxShared/src/fastxml/include;../../../PxShared/src/pvd/include;./../../shared/general/shared;./../../public;../../../PhysX_3.4/Include;../../../PhysX_3.4/Include/common;../../../PhysX_3.4/Include/cooking;../../../PhysX_3.4/Include/extensions;../../../PhysX_3.4/Include/geometry;../../../PhysX_3.4/Include/gpu;../../../PhysX_3.4/Include/deformable;../../../PhysX_3.4/Include/particles;../../../PhysX_3.4/Include/characterkinematic;../../../PhysX_3.4/Include/characterdynamic;../../../PhysX_3.4/Include/vehicle;../../../PhysX_3.4/Source/GeomUtils/headers;../../../PhysX_3.4/Source/PhysXGpu/include;./../../shared/general/RenderDebug/public;./../../shared/general/shared/inparser/include;./../../common/include;./../../common/include/autogen;./../../common/include/windows;./../../shared/internal/include;./../../module/common/include;./../../NvParameterized/include;./../../include;./../../include/PhysX3;./../../../Externals/nvToolsExt/1/include;./../../framework/include;./../../framework/include/autogen;./../../include;./../../include/PhysX3;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> <PreprocessorDefinitions>WIN32;_CRT_SECURE_NO_DEPRECATE;_CRT_NONSTDC_NO_DEPRECATE;DISABLE_CUDA_PHYSX;INSTALLER=1;EXCLUDE_PARTICLES=1;ENABLE_TEST=0;NDEBUG;PHYSX_PROFILE_SDK;PX_SUPPORT_VISUAL_DEBUGGER;PX_PROFILE;PX_NVTX=1;_SECURE_SCL=0;_ITERATOR_DEBUG_LEVEL=0;PX_PHYSX_DLL_NAME_POSTFIX=PROFILE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <ExceptionHandling>false</ExceptionHandling> <WarningLevel>Level4</WarningLevel> <RuntimeLibrary>MultiThreaded</RuntimeLibrary> <PrecompiledHeader>NotUsing</PrecompiledHeader> <PrecompiledHeaderFile></PrecompiledHeaderFile> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> </ClCompile> <Lib> <AdditionalOptions>/INCREMENTAL:NO</AdditionalOptions> <AdditionalDependencies>%(AdditionalDependencies)</AdditionalDependencies> <OutputFile>$(OutDir)$(ProjectName)PROFILE.lib</OutputFile> <AdditionalLibraryDirectories>../../../PxShared/lib/vc15win32;../../../PhysX_3.4/Lib/vc15win32;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> <ProgramDatabaseFile>$(OutDir)/$(ProjectName)PROFILE.lib.pdb</ProgramDatabaseFile> <TargetMachine>MachineX86</TargetMachine> </Lib> <ResourceCompile> </ResourceCompile> <ProjectReference> <LinkLibraryDependencies>true</LinkLibraryDependencies> </ProjectReference> </ItemDefinitionGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='checked|Win32'"> <OutDir>./../../lib/vc15win32-PhysX_3.4\</OutDir> <IntDir>./build/Win32/ApexCommon/checked\</IntDir> <TargetExt>.lib</TargetExt> <TargetName>$(ProjectName)CHECKED</TargetName> <CodeAnalysisRuleSet>AllRules.ruleset</CodeAnalysisRuleSet> <CodeAnalysisRules /> <CodeAnalysisRuleAssemblies /> </PropertyGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='checked|Win32'"> <ClCompile> <FloatingPointModel>Precise</FloatingPointModel> <AdditionalOptions>/wd4201 /wd4324 /Wall /wd4514 /wd4820 /wd4127 /wd4710 /wd4711 /wd4061 /wd4668 /wd4626 /wd4266 /wd4263 /wd4264 /wd4640 /wd4625 /wd4574 /wd4191 /wd4987 /wd4986 /wd4946 /wd4836 /wd4571 /wd4826 /wd4577 /wd4458 /wd4456 /wd4457 /wd4548 /wd5026 /wd5027 /wd4464 /wd5038 /wd5039 /wd4596 /wd4365 /wd4774 /wd4996 /wd5045 /GR- /GF /WX /fp:fast /arch:SSE2 /MP /Ox /d2Zi+</AdditionalOptions> <Optimization>Disabled</Optimization> <AdditionalIncludeDirectories>../../../PxShared/include;../../../PxShared/include/filebuf;../../../PxShared/include/foundation;../../../PxShared/include/task;../../../PxShared/include/cudamanager;../../../PxShared/include/pvd;../../../PxShared/src/foundation/include;../../../PxShared/src/filebuf/include;../../../PxShared/src/fastxml/include;../../../PxShared/src/pvd/include;./../../shared/general/shared;./../../public;../../../PhysX_3.4/Include;../../../PhysX_3.4/Include/common;../../../PhysX_3.4/Include/cooking;../../../PhysX_3.4/Include/extensions;../../../PhysX_3.4/Include/geometry;../../../PhysX_3.4/Include/gpu;../../../PhysX_3.4/Include/deformable;../../../PhysX_3.4/Include/particles;../../../PhysX_3.4/Include/characterkinematic;../../../PhysX_3.4/Include/characterdynamic;../../../PhysX_3.4/Include/vehicle;../../../PhysX_3.4/Source/GeomUtils/headers;../../../PhysX_3.4/Source/PhysXGpu/include;./../../shared/general/RenderDebug/public;./../../shared/general/shared/inparser/include;./../../common/include;./../../common/include/autogen;./../../common/include/windows;./../../shared/internal/include;./../../module/common/include;./../../NvParameterized/include;./../../include;./../../include/PhysX3;./../../../Externals/nvToolsExt/1/include;./../../framework/include;./../../framework/include/autogen;./../../include;./../../include/PhysX3;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> <PreprocessorDefinitions>WIN32;_CRT_SECURE_NO_DEPRECATE;_CRT_NONSTDC_NO_DEPRECATE;DISABLE_CUDA_PHYSX;INSTALLER=1;EXCLUDE_PARTICLES=1;ENABLE_TEST=0;NDEBUG;PX_CHECKED;PHYSX_PROFILE_SDK;PX_SUPPORT_VISUAL_DEBUGGER;PX_ENABLE_CHECKED_ASSERTS;PX_NVTX=1;_SECURE_SCL=0;_ITERATOR_DEBUG_LEVEL=0;PX_PHYSX_DLL_NAME_POSTFIX=CHECKED;%(PreprocessorDefinitions)</PreprocessorDefinitions> <ExceptionHandling>false</ExceptionHandling> <WarningLevel>Level4</WarningLevel> <RuntimeLibrary>MultiThreaded</RuntimeLibrary> <PrecompiledHeader>NotUsing</PrecompiledHeader> <PrecompiledHeaderFile></PrecompiledHeaderFile> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> </ClCompile> <Lib> <AdditionalOptions>/INCREMENTAL:NO</AdditionalOptions> <AdditionalDependencies>%(AdditionalDependencies)</AdditionalDependencies> <OutputFile>$(OutDir)$(ProjectName)CHECKED.lib</OutputFile> <AdditionalLibraryDirectories>../../../PxShared/lib/vc15win32;../../../PhysX_3.4/Lib/vc15win32;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> <ProgramDatabaseFile>$(OutDir)/$(ProjectName)CHECKED.lib.pdb</ProgramDatabaseFile> <TargetMachine>MachineX86</TargetMachine> </Lib> <ResourceCompile> </ResourceCompile> <ProjectReference> <LinkLibraryDependencies>true</LinkLibraryDependencies> </ProjectReference> </ItemDefinitionGroup> <ItemGroup> <ClCompile Include="..\..\common\src\autogen\ConvexHullParameters.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\autogen\DebugColorParams.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\autogen\DebugRenderParams.cpp"> </ClCompile> </ItemGroup> <ItemGroup> <ClCompile Include="..\..\common\src\ApexActor.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexAssetAuthoring.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexAssetTracker.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexCollision.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexContext.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexCudaProfile.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexCudaTest.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexGeneralizedCubeTemplates.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexGeneralizedMarchingCubes.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexIsoMesh.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexMeshContractor.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexMeshHash.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexPreview.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexPvdClient.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexQuadricSimplifier.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexResource.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexRWLockable.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexSDKCachedDataImpl.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexSDKHelpers.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexShape.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexSharedUtils.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexSubdivider.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ApexTetrahedralizer.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\CurveImpl.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ModuleBase.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ModuleUpdateLoader.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\PVDParameterizedHandler.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\ReadCheck.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\Spline.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\variable_oscillator.cpp"> </ClCompile> <ClCompile Include="..\..\common\src\WriteCheck.cpp"> </ClCompile> </ItemGroup> <ItemGroup> <ClInclude Include="..\..\common\include\autogen\ConvexHullParameters.h"> </ClInclude> <ClInclude Include="..\..\common\include\autogen\DebugColorParams.h"> </ClInclude> <ClInclude Include="..\..\common\include\autogen\DebugRenderParams.h"> </ClInclude> <ClInclude Include="..\..\common\include\autogen\ModuleCommonRegistration.h"> </ClInclude> </ItemGroup> <ItemGroup> <ClInclude Include="..\..\common\include\ApexActor.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexAssetAuthoring.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexAssetTracker.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexAuthorableObject.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexBinaryHeap.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCollision.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexConstrainedDistributor.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexContext.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCuda.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCudaDefs.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCudaProfile.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCudaSource.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCudaTest.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCudaWrapper.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexCutil.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexFIFO.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexFind.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexGeneralizedCubeTemplates.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexGeneralizedMarchingCubes.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexGroupsFiltering.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexIsoMesh.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexLegacyModule.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMarchingCubes.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMath.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMerge.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMeshContractor.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMeshHash.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMirrored.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexMirroredArray.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexPermute.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexPreview.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexPvdClient.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexQuadricSimplifier.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexQuickSelectSmallestK.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexRand.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexRenderable.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexResource.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexResourceHelper.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexRWLockable.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexSDKCachedDataImpl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexSDKHelpers.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexSDKIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexShape.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexSharedUtils.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexSubdivider.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexTest.h"> </ClInclude> <ClInclude Include="..\..\common\include\ApexTetrahedralizer.h"> </ClInclude> <ClInclude Include="..\..\common\include\AuthorableObjectIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\Cof44.h"> </ClInclude> <ClInclude Include="..\..\common\include\CurveImpl.h"> </ClInclude> <ClInclude Include="..\..\common\include\DebugColorParamsEx.h"> </ClInclude> <ClInclude Include="..\..\common\include\DeclareArray.h"> </ClInclude> <ClInclude Include="..\..\common\include\FieldBoundaryIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\FieldSamplerIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\FieldSamplerManagerIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\FieldSamplerQueryIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\FieldSamplerSceneIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\InplaceStorage.h"> </ClInclude> <ClInclude Include="..\..\common\include\InplaceTypes.h"> </ClInclude> <ClInclude Include="..\..\common\include\InplaceTypesBuilder.h"> </ClInclude> <ClInclude Include="..\..\common\include\InstancedObjectSimulationIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\IofxManagerIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ModuleBase.h"> </ClInclude> <ClInclude Include="..\..\common\include\ModuleFieldSamplerIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ModuleIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ModuleIofxIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ModuleUpdateLoader.h"> </ClInclude> <ClInclude Include="..\..\common\include\P4Info.h"> </ClInclude> <ClInclude Include="..\..\common\include\PhysXObjectDescIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ProfilerCallback.h"> </ClInclude> <ClInclude Include="..\..\common\include\PVDParameterizedHandler.h"> </ClInclude> <ClInclude Include="..\..\common\include\RandState.h"> </ClInclude> <ClInclude Include="..\..\common\include\RandStateHelpers.h"> </ClInclude> <ClInclude Include="..\..\common\include\ReadCheck.h"> </ClInclude> <ClInclude Include="..\..\common\include\RenderAPIIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\RenderMeshAssetIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\ResourceProviderIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\SceneIntl.h"> </ClInclude> <ClInclude Include="..\..\common\include\SimplexNoise.h"> </ClInclude> <ClInclude Include="..\..\common\include\Spline.h"> </ClInclude> <ClInclude Include="..\..\common\include\TableLookup.h"> </ClInclude> <ClInclude Include="..\..\common\include\variable_oscillator.h"> </ClInclude> <ClInclude Include="..\..\common\include\WriteCheck.h"> </ClInclude> </ItemGroup> <ItemGroup> </ItemGroup> <ItemGroup> <None Include="..\..\common\parameters\ConvexHullParamSchema.pl"> </None> <None Include="..\..\common\parameters\DebugColorParamSchema.pl"> </None> <None Include="..\..\common\parameters\DebugRenderParamSchema.pl"> </None> </ItemGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" /> <ImportGroup Label="ExtensionTargets"></ImportGroup> </Project> ```
Yelena Kurzina (born November 28, 1960) is a Belarusian slalom canoer who competed in the 1990s. She finished 25th in the K-1 event at the 1996 Summer Olympics in Atlanta. References Sports-Reference.com profile 1960 births Belarusian female canoeists Canoeists at the 1996 Summer Olympics Living people Olympic canoeists for Belarus Place of birth missing (living people) 20th-century Belarusian women
```c++ /* * Tencent is pleased to support the open source community by making * WCDB available. * * All rights reserved. * * * 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. */ #ifndef rwlock_hpp #define rwlock_hpp #include <condition_variable> #include <mutex> //std::shared_lock is supported from C++14 namespace WCDB { class RWLock { public: RWLock(); ~RWLock(); void lockRead(); void unlockRead(); bool tryLockRead(); void lockWrite(); void unlockWrite(); bool tryLockWrite(); bool isWriting() const; bool isReading() const; protected: mutable std::mutex m_mutex; std::condition_variable m_cond; int m_reader; int m_writer; int m_pending; }; } //namespace WCDB #endif /* rwlock_hpp */ ```
Ryan Trebon (born March 5, 1981) is a retired American bicycle racer, born in Loma Linda, California. He specialized in cyclo-cross and mountain bike racing. In cyclo-cross, Trebon captured the 2004 and 2006 U.S. Gran Prix of Cyclocross series championship. In 2006, Trebon became the first American man to claim national championships in cross-country mountain bike and cyclo-cross. Major results 2014 2nd, USA Cycling Cyclocross National Championships 2012 2nd, USA Cycling Cyclocross National Championships 2011 3rd, USA Cycling National Cross-Country Mountain Bike Championships (Short Track) 2010 2nd, USA Cycling Cyclocross National Championships 3rd, USA Cycling National Cross-Country Mountain Bike Championships 2009 2nd, USA Cycling Cyclocross National Championships 2008 1st, USA Cycling Cyclocross National Championships 2006 1st, USA Cycling Cyclocross National Championships 1st, USA Cycling National Cross-Country Mountain Bike Championships 1st, Overall, U.S. Gran Prix of Cyclocross series 1st, Whitmore's Landscaping Super Cross Cup #1, (Southampton, NY) 1st, Gran Prix of Gloucester #1 (Gloucester, MA) 1st, Gran Prix of Gloucester #2 (Gloucester, MA) 1st, Xilinx Cup (Longmont, CO) 4th, Boulder Cup (Boulder, CO) 1st, Rad Racing Cup (Lakewood, WA) 5th, Stumptown Cup (Portland, OR) 10th, Superprestige Round 5: Hamme-Zogge (Hamme, Belgium) 2005 4th, Overall, U.S. Gran Prix of Cyclocross series 1st, Stumptown Cyclocross Classic (Portland, OR) 2nd, Rad Racing GP of Cyclocross (Tacoma, WA) 1st, Gran Prix of Gloucester #2 (Gloucester, MA) 2004 1st, Overall, U.S. Gran Prix of Cyclocross series 2nd, Gran Prix of Gloucester #1 (Gloucester, MA) 1st, Gran Prix of Gloucester #2 (Gloucester, MA) 1st, Beacon Cyclocross (Bridgeton, NJ) 1st, Highland Park Cyclocross Race (Highland Park, NJ) 2003 3rd, USA Cycling Cyclocross National Championships 1st, North Carolina State Cyclo-cross Championship 1st, Overall, Mid-Atlantic Cyclo-cross Series 1st, Phrophecy Creek 1st, Worcester Mass 1st, Saturn Liberty Classic 1st, Rockville Bridge Classic 2nd, Granogue 2nd, Highland Park 4th, Clif Bar Grand Prix 9th, Gran Prix of Gloucester ECV (Big Head) 1st, Big Head Championships, Panama R.P. See also 2006/07 UCI Cyclo-cross World Cup 2006/07 Cyclo-cross Superprestige External links Kona/Les Gets Factory Team page Cyclocross Magazine Issue 18 Feature Story on Trebon 1981 births Living people American male cyclists Cyclo-cross cyclists Cross-country mountain bikers People from Loma Linda, California Sportspeople from San Bernardino County, California American mountain bikers American cyclo-cross champions
```xml import { ComponentFixture, TestBed, waitForAsync } from '@angular/core/testing'; import { PagesModule } from '~/app/core/pages/pages.module'; import { ShutdownPageComponent } from '~/app/core/pages/shutdown-page/shutdown-page.component'; import { TestingModule } from '~/app/testing.module'; describe('ShutdownPageComponent', () => { let component: ShutdownPageComponent; let fixture: ComponentFixture<ShutdownPageComponent>; beforeEach(waitForAsync(() => { TestBed.configureTestingModule({ imports: [PagesModule, TestingModule] }).compileComponents(); })); beforeEach(() => { fixture = TestBed.createComponent(ShutdownPageComponent); component = fixture.componentInstance; fixture.detectChanges(); }); it('should create', () => { expect(component).toBeTruthy(); }); }); ```
Michael Paul may refer to: Michael Paul (athlete) (born 1957), Trinidad and Tobago athlete Michael Paul (handballer) (born 1961), German handball player Mike Paul (born 1945), baseball player
Alexandru Săvulescu (8 January 1898 – 11 December 1961) was a Romanian football manager who coached Romania in the 1938 FIFA World Cup. References 1898 births 1961 deaths Romanian football managers Romania national football team managers 1938 FIFA World Cup managers People from Roman, Romania Sportspeople from Neamț County
```java /* * * * 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. */ package io.jenkins.blueocean.blueocean_git_pipeline; import org.eclipse.jgit.lib.ProgressMonitor; import java.util.Map; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.atomic.AtomicInteger; /** * Simple progress monitor to track progress during any clone operations * @author kzantow */ class CloneProgressMonitor implements ProgressMonitor { private final String repositoryUrl; private final AtomicInteger cloneCount = new AtomicInteger(0); private final AtomicInteger latestProgress = new AtomicInteger(0); private boolean cancel = false; public CloneProgressMonitor(String repositoryUrl) { this.repositoryUrl = repositoryUrl; } @Override public void beginTask(String task, int i) { CloneProgressMonitor existing = currentStatus.computeIfAbsent( repositoryUrl, k -> this ); existing.cloneCount.incrementAndGet(); existing.latestProgress.set(i); } @Override public void start(int i) { latestProgress.set(i); } @Override public void update(int i) { latestProgress.set(i); } @Override public void endTask() { latestProgress.set(100); if (0 == cloneCount.decrementAndGet()) { currentStatus.remove(repositoryUrl); } } @Override public boolean isCancelled() { return cancel; } @Override public void showDuration(boolean enabled) { } /** * Call this for the percentage complete * @return a number 0-100 */ public int getPercentComplete() { return latestProgress.get(); } /** * Call this to cancel the clone */ public void cancel() { this.cancel = true; } private static final Map<String, CloneProgressMonitor> currentStatus = new ConcurrentHashMap<>(); /** * Get the latest progress for a clone operation on the given repository * @param repositoryUrl url to find information for * @return the progress monitor */ public static CloneProgressMonitor get(String repositoryUrl) { return currentStatus.get(repositoryUrl); } } ```
Netra (Norddeutsche Erdgas Transversale) is a long natural gas pipeline system in Germany, which runs from the Dornum natural gas receiving facilitiy at the coast of North Sea to Salzwedel in eastern Germany, where it is connected with the JAGAL pipeline. The pipeline is extended to Berlin through the Salzwedel–Berlin connection. Construction of the Netra pipeline was agreed in 1994 and the pipeline was commissioned in 1995. Originally it run from the Etzel gas storage facility to Salzwedel. In 1999, after commissioning the Europipe II pipeline, the NETRA pipeline system is extended from Etzel to Dornum. The compressor station near Wardenburg was built in 2003. The pipeline was owned and operated by NETRA GmbH Norddeutsche Erdgas Transversale & Co KG, a joint venture of E.ON Ruhrgas (41.7%), Gasunie Deutschland (29.6%) and Statoil (28.7%). Now it is owned and operated by Open Grid Europe. See also Europipe I Europipe II References Buildings and structures completed in 1995 Natural gas pipelines in Germany
These are a list of settlements in Lasithi, Crete, Greece. Achladia Agia Triada Agios Antonios Agios Georgios, Oropedio Lasithiou Agios Georgios, Siteia Agios Ioannis Agios Konstantinos Agios Nikolaos Agios Stefanos Anatoli Apidi Armenoi Avrakontes Chamezi Chandras Choumeriakos Chrysopigi Elounta Episkopi Exo Lakkonia Exo Mouliana Exo Potamoi Ferma Fourni Gdochia Goudouras Gra Lygia Ierapetra Kalamafka Kalo Chorio Kaminaki Karydi, Agios Nikolaos Karydi, Itanos Kastelli Kato Chorio Kato Metochi Katsidoni Kavousi Koutsouras Kritsa Kroustas Krya Lagou Lastros Latsida Limnes Lithines Loumas Makry Gialos Makrylia Males Marmaketo Maronia Mesa Lakkonia Mesa Lasithi Mesa Mouliana Meseleroi Milatos Mitato Mochlos Monastiraki Mournies Myrsini Myrtos Mythoi Neapoli Nikithianos Oreino Pacheia Ammos Palaikastro Pappagiannades Pefkoi Perivolakia Piskokefalo Plati Praisos Prina Psychro Riza Roussa Ekklisia Schinokapsala Sfaka Siteia Skinias Skopi Stavrochori Stavromenos Tourloti Tzermiado Vainia Vasiliki Voulismeni Vrachasi Vrouchas Vryses Xerokambos Zakros Zenia Ziros By municipality See also List of towns and villages in Greece Lasithi
The was a railbus line in eastern Aomori Prefecture, Japan. Services on the railway began 1962 and ceased in 1997 due to financial hardship. It connected Noheji Station in the town of Noheji to Shichinohe Station in the town of Shichinohe. Organization The Nanbu Jūkan Railway was operated by the Nanbu Jūkan Company, a privately owned company. The majority of the railway facilities and tracks were owned by the company. The only exception to this was the section of the Tōhoku Main Line between Noheji Station and Nishichibiki Station that was shared between the company and the Japanese National Railways (later East Japan Railway Company (JR East)). The Nanbu Jūkan Railway originally shared the tracks free of charge, but the successor to Japanese National Railways began asking for compensation after that company was re-organized into the various JR companies. Station list History The Nanbu Jūkan Railway was established in 1962 as a private railway by the Nanbu Jūkan Company in 1962 between Shichinohe and Nishichibiki. At first, its construction was subsidized by the municipal governments it would pass through, but it was ultimately funded by a steel company based in the city of Mutsu. The railway was extended to Noheji via the Tōhoku Main Line on 5 August 1968. The railway fell into financial trouble after many people chose to purchase and drive cars instead of riding the railbus; however the railway hoped that they could serve as connecting railway between the planned Shinkansen station at Shichinohe. Plans for the Tōhoku Shinkansen instead placed Shichinohe-Towada Station to the north of the existing station, away from the Nanbu Jūkan Railway. The private railway served the area until 5 May 1997 when railbus services stopped because of maintenance costs. The division of the company was officially closed on 1 August 2002. Shichinohe Station (now the headquarters of Nanbu Jūkan Company), some of the track and a railbus are preserved. The rest of the rail line has been removed or left in a state of decay. See also References External links Railbuses of Japan Rail transport in Aomori Prefecture 1067 mm gauge railways in Japan Railway lines opened in 1962 Railway lines closed in 2002 1962 establishments in Japan 2002 disestablishments in Japan
```c++ // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "config.h" #include "modules/cachestorage/GlobalCacheStorage.h" #include "core/dom/ExecutionContext.h" #include "core/frame/LocalDOMWindow.h" #include "core/frame/UseCounter.h" #include "core/workers/WorkerGlobalScope.h" #include "modules/cachestorage/CacheStorage.h" #include "platform/Supplementable.h" #include "platform/heap/Handle.h" #include "platform/weborigin/DatabaseIdentifier.h" #include "public/platform/Platform.h" namespace blink { namespace { template <typename T> class GlobalCacheStorageImpl final : public NoBaseWillBeGarbageCollectedFinalized<GlobalCacheStorageImpl<T>>, public WillBeHeapSupplement<T> { WILL_BE_USING_GARBAGE_COLLECTED_MIXIN(GlobalCacheStorageImpl); public: static GlobalCacheStorageImpl& from(T& supplementable, ExecutionContext* executionContext) { GlobalCacheStorageImpl* supplement = static_cast<GlobalCacheStorageImpl*>(WillBeHeapSupplement<T>::from(supplementable, name())); if (!supplement) { supplement = new GlobalCacheStorageImpl(); WillBeHeapSupplement<T>::provideTo(supplementable, name(), adoptPtrWillBeNoop(supplement)); } return *supplement; } ~GlobalCacheStorageImpl() { if (m_caches) m_caches->dispose(); } CacheStorage* caches(T& fetchingScope, ExceptionState& exceptionState) { ExecutionContext* context = fetchingScope.executionContext(); if (!context->securityOrigin()->canAccessCacheStorage()) { if (context->securityContext().isSandboxed(SandboxOrigin)) exceptionState.throwSecurityError("Cache storage is disabled because the context is sandboxed and lacks the 'allow-same-origin' flag."); else if (context->url().protocolIs("data")) exceptionState.throwSecurityError("Cache storage is disabled inside 'data:' URLs."); else exceptionState.throwSecurityError("Access to cache storage is denied."); return nullptr; } if (!m_caches) { String identifier = createDatabaseIdentifierFromSecurityOrigin(context->securityOrigin()); ASSERT(!identifier.isEmpty()); m_caches = CacheStorage::create(GlobalFetch::ScopedFetcher::from(fetchingScope), Platform::current()->cacheStorage(identifier)); } return m_caches; } // Promptly dispose of associated CacheStorage. EAGERLY_FINALIZE(); DEFINE_INLINE_VIRTUAL_TRACE() { visitor->trace(m_caches); WillBeHeapSupplement<T>::trace(visitor); } private: GlobalCacheStorageImpl() { } static const char* name() { return "CacheStorage"; } PersistentWillBeMember<CacheStorage> m_caches; }; } // namespace CacheStorage* GlobalCacheStorage::caches(DOMWindow& window, ExceptionState& exceptionState) { return GlobalCacheStorageImpl<LocalDOMWindow>::from(toLocalDOMWindow(window), window.executionContext()).caches(toLocalDOMWindow(window), exceptionState); } CacheStorage* GlobalCacheStorage::caches(WorkerGlobalScope& worker, ExceptionState& exceptionState) { return GlobalCacheStorageImpl<WorkerGlobalScope>::from(worker, worker.executionContext()).caches(worker, exceptionState); } } // namespace blink ```
Iuliia Sergeevna Artemeva (, born 16 March 2005) is a Russian pair skater. With her former partner, Mikhail Nazarychev, she is the 2021 Gran Premio d'Italia bronze medalist. On the junior level, Artemeva/Nazarychev are the 2020 World Junior bronze medalists, the 2020 Russian junior national bronze medalists, the 2019 JGP Croatia champions, the 2019 JGP Russia silver medalists, and 2019–20 Junior Grand Prix Final qualifiers. Career Early years Artemeva began learning how to skate in 2008 at the age of three. Up until the end of 2017–18 figure skating season, she trained as a single skater in her hometown of Kazan at the Strela Youth Sports School. Coached by Svetlana Romanova and Rezeda Sibgatullina, she finished 14th at 2018 Russian Younger Age Nationals. Artemeva made the transition to pairs at the beginning of the 2018–19 figure skating season, teaming up with current partner Mikhail Nazarychev and relocating to Perm. Artemeva/Nazarychev only competed domestically during the 2018–19 season and finished 10th at 2019 Russian Elder Age Nationals. 2019–20 season Artemeva/Nazarychev made their international junior debut in September at the 2019 JGP Russia. The team placed second in both their short program and their free skate to earn a silver medal on the all-Russian podium between teammates Kseniia Akhanteva / Valerii Kolesov and Diana Mukhametzianova / Ilya Mironov. At their second Junior Grand Prix assignment, 2019 JGP Croatia, Artemeva/Nazarychev won gold and set new personal bests after placing second in the short program and first in the free skate, thus qualifying to the 2019–20 Junior Grand Prix Final. In qualifying to the Final, Artemeva/Nazarychev secured byes into the 2020 Russian Championships on both the senior and junior levels. They placed fourth at the Final. Seventh at the senior nationals, they were bronze medalists at junior nationals, securing a place at the 2020 World Junior Championships in Tallinn, Estonia. Artemeva/Nazarychev were third in the short program, narrowly behind second-place finishers Akhanteva/Kolesov. The free skate proved a struggle, Artemeva falling on both throw jumps as well as her side-by-side double Axel attempt. They nevertheless remained in bronze medal position, aided by errors by fourth-place finishers Hocke/Kunkel of Germany. 2020–21 season Artemeva/Nazarychev made their Grand Prix debut at the 2020 Rostelecom Cup, where they finished fifth. They placed eighth at the 2021 Russian Championships and then won the Russian junior national title. 2021–22 season Artemeva/Nazarychev were initially assigned to the 2021 Cup of China as their first Grand Prix, but following the event's cancellation they were reassigned to the 2021 Gran Premio d'Italia. Fourth in the short program, they rose to third in the free skate to win the bronze medal behind Chinese teams Sui/Han and Peng/Jin. At their second event, the 2021 Internationaux de France, they placed second in both programs to take the silver medal, making only one error in their free skate when Artemeva doubled and stepped out of her planned triple toe loop. Nazarychev said afterward, "overall, it was a good performance. We set goals for ourselves to do well on the Grand Prix, and I think we fulfilled that." At the 2022 Russian Championships, Artemeva/Nazarychev finished in fifth. They also competed at the junior edition, losing to Natalia Khabibullina / Ilya Knyazhuk. On 2 June 2022, it was announced that Artemeva/Nazarychev had ended their partnership. Artemeva teamed up with Aleksei Briukhanov. Programs With Briukhanov With Nazarychev Competitive highlights GP: Grand Prix; CS: Challenger Series; JGP: Junior Grand Prix With Briukhanov With Nazarychev Detailed results Small medals for short and free programs awarded only at ISU Championships. Personal bests highlighted in bold. With Briukhanov With Nazarychev Senior results Junior results References External links 2005 births Russian female pair skaters Living people Sportspeople from Kazan World Junior Figure Skating Championships medalists
Rama Raya (died 23 January 1565 CE) was a statesman of the Vijayanagara Empire, the son-in-law of Emperor Krishna Deva Raya and the progenitor of the Aravidu dynasty of Vijayanagara Empire, the fourth and last dynasty of the empire. As a regent, he was the de facto ruler of the empire from 1542 to 1565, although legally the emperor during this period was Sadasiva Raya, who was merely a puppet ruler. Rama Raya was killed at the Battle of Talikota, after which the Vijayanagara Empire got fragmented into several semi-independent principalities paying only nominal allegiance to the empire. Early life and career Rama Raya was born in a Telugu family. His mother was Abbaladevi, and she was the daughter of a chieftain in Nandyala. The Aravidu family of Rama Raya was native to South Andhra. Rama Raya and his younger brother Tirumala Deva Raya were sons-in-law of the great Vijayanagara emperor Krishna Deva Raya. He is referred to as Aliya Rama Raya by Kannada people. The word "Aliya" means "son-in-law" in the Kannada language. Along with another brother Venkatadri, the Aravidu brothers rose to prominence during the rule of Krishna Deva Raya. Rama Raya was a successful army general, able administrator, and tactful diplomat who conducted many victorious campaigns during the rule of Krishnadevaraya. After the demise of his illustrious father-in-law, as a member of the family, Rama Raya began to wield great influence over the affairs of the state. In particular, Rama Raya rose to power following a civil war with the help of Pemmasani Erra Timmanayudu of the Pemmasani Nayaks. Krishna Deva Raya was succeeded in 1529 by his younger brother Achyuta Deva Raya, upon whose demise, in 1542, the throne devolved upon his nephew Sadasiva Raya, then a minor. Rama Raya appointed himself regent during the minority of Sadasiva Raya. After Sadasiva Raya came of age to rule, Rama Raya kept him a virtual prisoner. During this time, he became the virtual ruler, having confined Sadasiva Raya. Rama Raya removed many loyal servants of the kingdom and replaced them with officers who were loyal to him. He also appointed two Muslim commanders, the Gilani brothers, who were earlier in the service of the Sultan Adil Shah as commanders in his army, a mistake that would cost the empire the final Battle of Talikota. Rama Raya lacked royal blood of his own and to legitimize his rule he claimed vicarious connection with two of the most powerful Empires of medieval India, the Western Chalukya Empire and the Chola empire. Sultanate affairs During his rule, the Deccan Sultanates were constantly involved in internal fights and requested Rama Raya on more than one occasion to act as a mediator, enabling Rama Raya to push north of the Krishna river and expand his domains utilizing the disunity of the Deccan Sultans. Rama Raya had a lot of money at his disposal, which he generously spent, and often sought strategic alliances with Deccani sultans, who he had intentionally kept divided. He also suppressed revolts of the chieftains of Travancore and Chandragiri. Some scholars have criticised Rama Raya for interfering in the affairs of the Sultans too much, but scholars like Dr. P. B. Desai have ably defended his political affairs, indicating that Rama Raya did whatever he could to increase the prestige and importance of the Vijayanagar empire, ensuring no single Sultanate would rise above the others in power, hence preventing a difficult situation for Vijayanagar empire. In fact Rama Raya had interfered in Sultanate affairs only upon the insistence of one Sultan or the other, just the way the Sultans had acted as parleys between Rama Raya and Achyuta Raya in earlier years. When the Nizam of Ahmednagar and Qutbshah of Golconda sought Rama Raya's help against Bijapur, Rama Raya secured the Raichur doab for his benefactors. Later in 1549 when the Adilshah of Bijapur and Baridshah of Bidar declared war on Nizamshah of Ahmednagar, Ramaraya fought on behalf of the Ahamednagar ruler and secured the fort of Kalyana. In 1557 Ramaraya allied himself with Ali Adilshah of Bijapur and Baridshah of Bidar when the Sultan of Bijapur invaded Ahmednagar. The combined armies of the three kingdoms defeated the partnership between Nizamshah of Ahmednagar and the Qutbshah of Golconda. The Vijayanagar ruler's constantly changing sides to improve his own position eventually prompted the Sultanates to form an alliance. Intermarriage between Sultanate families helped resolve internal differences between Muslim rulers. The Battle of Talikota resulted from this consolidation of Muslim power in the northern Deccan, who had felt insulted by Ramaraya and formed a 'general league of the faithful.' Battle of Talikota Rama Raya remained loyal to the legitimate dynasty until it was finally extinguished by war, with the notable exception of imprisoning the appointed ruler Sadasiva Raya and ruling in his stead. In 1565, it was Rama Raya, as the pre-eminent general of the Vijayanagar army, who led the defense against the invading army of Deccan Sultans (i.e. Husain Nizam Shah, Ali Adil Shah and Ibrahim Qutb Shah) in the battle of Talikota. This battle, which had seemed an easy victory for the large Vijayanagar army, instead became a disaster as two Muslim commanders (Gilani brothers) of the Vijayanagara army betrayed and switched sides and turned their loyalty to the united Sultanates during critical point of battle. It led to the surprise capture and death by beheading of Rama Raya who led the army, a blow from which it never recovered. Rama Raya was beheaded by Hussain Nizam Shah of Ahmadnagar, the Indian Muslim of Deccani origin. His severed head was on display at Ahmednagar at the anniversary of the battle of Talikota and would be covered in oil and red pigment by the descendant of his executioner. The city of Vijayanagara was thoroughly sacked by the invaders and the inhabitants were massacred. The royal family was largely exterminated. Vijayanagara, once a city of fabled splendour, the seat of a vast empire, became a desolate ruin, now known by the name of a sacred inner suburb within it, Hampi. References Dr. Suryanath U. Kamat, Concise History of Karnataka, 2001, MCC, Bangalore (Reprinted 2002) 1565 deaths 16th-century Indian monarchs 16th-century regents Vijayanagara emperors People from Bijapur district, Karnataka History of Karnataka Indian Hindus Year of birth uncertain
```hcl locals { cluster_name = "minimal-warmpool.example.com" master_autoscaling_group_ids = [aws_autoscaling_group.master-us-test-1a-masters-minimal-warmpool-example-com.id] master_security_group_ids = [aws_security_group.masters-minimal-warmpool-example-com.id] masters_role_arn = aws_iam_role.masters-minimal-warmpool-example-com.arn masters_role_name = aws_iam_role.masters-minimal-warmpool-example-com.name node_autoscaling_group_ids = [aws_autoscaling_group.nodes-minimal-warmpool-example-com.id] node_security_group_ids = [aws_security_group.nodes-minimal-warmpool-example-com.id] node_subnet_ids = [aws_subnet.us-test-1a-minimal-warmpool-example-com.id] nodes_role_arn = aws_iam_role.nodes-minimal-warmpool-example-com.arn nodes_role_name = aws_iam_role.nodes-minimal-warmpool-example-com.name region = "us-test-1" route_table_public_id = aws_route_table.minimal-warmpool-example-com.id subnet_us-test-1a_id = aws_subnet.us-test-1a-minimal-warmpool-example-com.id vpc_cidr_block = aws_vpc.minimal-warmpool-example-com.cidr_block vpc_id = aws_vpc.minimal-warmpool-example-com.id vpc_ipv6_cidr_block = aws_vpc.minimal-warmpool-example-com.ipv6_cidr_block vpc_ipv6_cidr_length = local.vpc_ipv6_cidr_block == "" ? null : tonumber(regex(".*/(\\d+)", local.vpc_ipv6_cidr_block)[0]) } output "cluster_name" { value = "minimal-warmpool.example.com" } output "master_autoscaling_group_ids" { value = [aws_autoscaling_group.master-us-test-1a-masters-minimal-warmpool-example-com.id] } output "master_security_group_ids" { value = [aws_security_group.masters-minimal-warmpool-example-com.id] } output "masters_role_arn" { value = aws_iam_role.masters-minimal-warmpool-example-com.arn } output "masters_role_name" { value = aws_iam_role.masters-minimal-warmpool-example-com.name } output "node_autoscaling_group_ids" { value = [aws_autoscaling_group.nodes-minimal-warmpool-example-com.id] } output "node_security_group_ids" { value = [aws_security_group.nodes-minimal-warmpool-example-com.id] } output "node_subnet_ids" { value = [aws_subnet.us-test-1a-minimal-warmpool-example-com.id] } output "nodes_role_arn" { value = aws_iam_role.nodes-minimal-warmpool-example-com.arn } output "nodes_role_name" { value = aws_iam_role.nodes-minimal-warmpool-example-com.name } output "region" { value = "us-test-1" } output "route_table_public_id" { value = aws_route_table.minimal-warmpool-example-com.id } output "subnet_us-test-1a_id" { value = aws_subnet.us-test-1a-minimal-warmpool-example-com.id } output "vpc_cidr_block" { value = aws_vpc.minimal-warmpool-example-com.cidr_block } output "vpc_id" { value = aws_vpc.minimal-warmpool-example-com.id } output "vpc_ipv6_cidr_block" { value = aws_vpc.minimal-warmpool-example-com.ipv6_cidr_block } output "vpc_ipv6_cidr_length" { value = local.vpc_ipv6_cidr_block == "" ? null : tonumber(regex(".*/(\\d+)", local.vpc_ipv6_cidr_block)[0]) } provider "aws" { region = "us-test-1" } provider "aws" { alias = "files" region = "us-test-1" } resource "aws_autoscaling_group" "master-us-test-1a-masters-minimal-warmpool-example-com" { enabled_metrics = ["GroupDesiredCapacity", "GroupInServiceInstances", "GroupMaxSize", "GroupMinSize", "GroupPendingInstances", "GroupStandbyInstances", "GroupTerminatingInstances", "GroupTotalInstances"] launch_template { id = aws_launch_template.master-us-test-1a-masters-minimal-warmpool-example-com.id version = aws_launch_template.master-us-test-1a-masters-minimal-warmpool-example-com.latest_version } max_instance_lifetime = 0 max_size = 1 metrics_granularity = "1Minute" min_size = 1 name = "master-us-test-1a.masters.minimal-warmpool.example.com" protect_from_scale_in = false tag { key = "KubernetesCluster" propagate_at_launch = true value = "minimal-warmpool.example.com" } tag { key = "Name" propagate_at_launch = true value = "master-us-test-1a.masters.minimal-warmpool.example.com" } tag { key = "aws-node-termination-handler/managed" propagate_at_launch = true value = "" } tag { key = "k8s.io/cluster-autoscaler/node-template/label/kops.k8s.io/kops-controller-pki" propagate_at_launch = true value = "" } tag { key = "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/control-plane" propagate_at_launch = true value = "" } tag { key = "k8s.io/cluster-autoscaler/node-template/label/node.kubernetes.io/exclude-from-external-load-balancers" propagate_at_launch = true value = "" } tag { key = "k8s.io/role/control-plane" propagate_at_launch = true value = "1" } tag { key = "k8s.io/role/master" propagate_at_launch = true value = "1" } tag { key = "kops.k8s.io/instancegroup" propagate_at_launch = true value = "master-us-test-1a" } tag { key = "kubernetes.io/cluster/minimal-warmpool.example.com" propagate_at_launch = true value = "owned" } vpc_zone_identifier = [aws_subnet.us-test-1a-minimal-warmpool-example-com.id] } resource "aws_autoscaling_group" "nodes-minimal-warmpool-example-com" { enabled_metrics = ["GroupDesiredCapacity", "GroupInServiceInstances", "GroupMaxSize", "GroupMinSize", "GroupPendingInstances", "GroupStandbyInstances", "GroupTerminatingInstances", "GroupTotalInstances"] launch_template { id = aws_launch_template.nodes-minimal-warmpool-example-com.id version = aws_launch_template.nodes-minimal-warmpool-example-com.latest_version } max_instance_lifetime = 0 max_size = 2 metrics_granularity = "1Minute" min_size = 2 name = "nodes.minimal-warmpool.example.com" protect_from_scale_in = false tag { key = "KubernetesCluster" propagate_at_launch = true value = "minimal-warmpool.example.com" } tag { key = "Name" propagate_at_launch = true value = "nodes.minimal-warmpool.example.com" } tag { key = "aws-node-termination-handler/managed" propagate_at_launch = true value = "" } tag { key = "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/node" propagate_at_launch = true value = "" } tag { key = "k8s.io/role/node" propagate_at_launch = true value = "1" } tag { key = "kops.k8s.io/instancegroup" propagate_at_launch = true value = "nodes" } tag { key = "kubernetes.io/cluster/minimal-warmpool.example.com" propagate_at_launch = true value = "owned" } vpc_zone_identifier = [aws_subnet.us-test-1a-minimal-warmpool-example-com.id] warm_pool { max_group_prepared_capacity = 1 min_size = 0 } } resource "aws_autoscaling_lifecycle_hook" "kops-warmpool-nodes" { autoscaling_group_name = aws_autoscaling_group.nodes-minimal-warmpool-example-com.id default_result = "ABANDON" heartbeat_timeout = 600 lifecycle_transition = "autoscaling:EC2_INSTANCE_LAUNCHING" name = "kops-warmpool" } resource "aws_autoscaling_lifecycle_hook" "master-us-test-1a-NTHLifecycleHook" { autoscaling_group_name = aws_autoscaling_group.master-us-test-1a-masters-minimal-warmpool-example-com.id default_result = "CONTINUE" heartbeat_timeout = 300 lifecycle_transition = "autoscaling:EC2_INSTANCE_TERMINATING" name = "master-us-test-1a-NTHLifecycleHook" } resource "aws_autoscaling_lifecycle_hook" "nodes-NTHLifecycleHook" { autoscaling_group_name = aws_autoscaling_group.nodes-minimal-warmpool-example-com.id default_result = "CONTINUE" heartbeat_timeout = 300 lifecycle_transition = "autoscaling:EC2_INSTANCE_TERMINATING" name = "nodes-NTHLifecycleHook" } resource "aws_cloudwatch_event_rule" "minimal-warmpool-example-com-ASGLifecycle" { event_pattern = file("${path.module}/data/aws_cloudwatch_event_rule_minimal-warmpool.example.com-ASGLifecycle_event_pattern") name = "minimal-warmpool.example.com-ASGLifecycle" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com-ASGLifecycle" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_cloudwatch_event_rule" "minimal-warmpool-example-com-InstanceScheduledChange" { event_pattern = file("${path.module}/data/aws_cloudwatch_event_rule_minimal-warmpool.example.com-InstanceScheduledChange_event_pattern") name = "minimal-warmpool.example.com-InstanceScheduledChange" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com-InstanceScheduledChange" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_cloudwatch_event_rule" "minimal-warmpool-example-com-InstanceStateChange" { event_pattern = file("${path.module}/data/aws_cloudwatch_event_rule_minimal-warmpool.example.com-InstanceStateChange_event_pattern") name = "minimal-warmpool.example.com-InstanceStateChange" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com-InstanceStateChange" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_cloudwatch_event_rule" "minimal-warmpool-example-com-SpotInterruption" { event_pattern = file("${path.module}/data/aws_cloudwatch_event_rule_minimal-warmpool.example.com-SpotInterruption_event_pattern") name = "minimal-warmpool.example.com-SpotInterruption" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com-SpotInterruption" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_cloudwatch_event_target" "minimal-warmpool-example-com-ASGLifecycle-Target" { arn = aws_sqs_queue.minimal-warmpool-example-com-nth.arn rule = aws_cloudwatch_event_rule.minimal-warmpool-example-com-ASGLifecycle.id } resource "aws_cloudwatch_event_target" "minimal-warmpool-example-com-InstanceScheduledChange-Target" { arn = aws_sqs_queue.minimal-warmpool-example-com-nth.arn rule = aws_cloudwatch_event_rule.minimal-warmpool-example-com-InstanceScheduledChange.id } resource "aws_cloudwatch_event_target" "minimal-warmpool-example-com-InstanceStateChange-Target" { arn = aws_sqs_queue.minimal-warmpool-example-com-nth.arn rule = aws_cloudwatch_event_rule.minimal-warmpool-example-com-InstanceStateChange.id } resource "aws_cloudwatch_event_target" "minimal-warmpool-example-com-SpotInterruption-Target" { arn = aws_sqs_queue.minimal-warmpool-example-com-nth.arn rule = aws_cloudwatch_event_rule.minimal-warmpool-example-com-SpotInterruption.id } resource "aws_ebs_volume" "us-test-1a-etcd-events-minimal-warmpool-example-com" { availability_zone = "us-test-1a" encrypted = false iops = 3000 size = 20 tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "us-test-1a.etcd-events.minimal-warmpool.example.com" "k8s.io/etcd/events" = "us-test-1a/us-test-1a" "k8s.io/role/control-plane" = "1" "k8s.io/role/master" = "1" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } throughput = 125 type = "gp3" } resource "aws_ebs_volume" "us-test-1a-etcd-main-minimal-warmpool-example-com" { availability_zone = "us-test-1a" encrypted = false iops = 3000 size = 20 tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "us-test-1a.etcd-main.minimal-warmpool.example.com" "k8s.io/etcd/main" = "us-test-1a/us-test-1a" "k8s.io/role/control-plane" = "1" "k8s.io/role/master" = "1" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } throughput = 125 type = "gp3" } resource "aws_iam_instance_profile" "masters-minimal-warmpool-example-com" { name = "masters.minimal-warmpool.example.com" role = aws_iam_role.masters-minimal-warmpool-example-com.name tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "masters.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_iam_instance_profile" "nodes-minimal-warmpool-example-com" { name = "nodes.minimal-warmpool.example.com" role = aws_iam_role.nodes-minimal-warmpool-example-com.name tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_iam_role" "masters-minimal-warmpool-example-com" { assume_role_policy = file("${path.module}/data/aws_iam_role_masters.minimal-warmpool.example.com_policy") name = "masters.minimal-warmpool.example.com" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "masters.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_iam_role" "nodes-minimal-warmpool-example-com" { assume_role_policy = file("${path.module}/data/aws_iam_role_nodes.minimal-warmpool.example.com_policy") name = "nodes.minimal-warmpool.example.com" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_iam_role_policy" "masters-minimal-warmpool-example-com" { name = "masters.minimal-warmpool.example.com" policy = file("${path.module}/data/aws_iam_role_policy_masters.minimal-warmpool.example.com_policy") role = aws_iam_role.masters-minimal-warmpool-example-com.name } resource "aws_iam_role_policy" "nodes-minimal-warmpool-example-com" { name = "nodes.minimal-warmpool.example.com" policy = file("${path.module}/data/aws_iam_role_policy_nodes.minimal-warmpool.example.com_policy") role = aws_iam_role.nodes-minimal-warmpool-example-com.name } resource "aws_internet_gateway" "minimal-warmpool-example-com" { tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } vpc_id = aws_vpc.minimal-warmpool-example-com.id } resource "aws_key_pair" your_sha256_hasheb9c7157" { key_name = "kubernetes.minimal-warmpool.example.com-c4:a6:ed:9a:a8:89:b9:e2:c3:9c:d6:63:eb:9c:71:57" public_key = file("${path.module}/data/aws_key_pair_kubernetes.minimal-warmpool.example.com-c4a6ed9aa889b9e2c39cd663eb9c7157_public_key") tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_launch_template" "master-us-test-1a-masters-minimal-warmpool-example-com" { block_device_mappings { device_name = "/dev/xvda" ebs { delete_on_termination = true encrypted = true iops = 3000 throughput = 125 volume_size = 64 volume_type = "gp3" } } block_device_mappings { device_name = "/dev/sdc" virtual_name = "ephemeral0" } iam_instance_profile { name = aws_iam_instance_profile.masters-minimal-warmpool-example-com.id } image_id = "ami-12345678" instance_type = "m3.medium" key_name = aws_key_pair.your_sha256_hasheb9c7157.id lifecycle { create_before_destroy = true } metadata_options { http_endpoint = "enabled" http_protocol_ipv6 = "disabled" http_put_response_hop_limit = 1 http_tokens = "optional" } monitoring { enabled = false } name = "master-us-test-1a.masters.minimal-warmpool.example.com" network_interfaces { associate_public_ip_address = true delete_on_termination = true ipv6_address_count = 0 security_groups = [aws_security_group.masters-minimal-warmpool-example-com.id] } tag_specifications { resource_type = "instance" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "master-us-test-1a.masters.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/kops.k8s.io/kops-controller-pki" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/control-plane" = "" "k8s.io/cluster-autoscaler/node-template/label/node.kubernetes.io/exclude-from-external-load-balancers" = "" "k8s.io/role/control-plane" = "1" "k8s.io/role/master" = "1" "kops.k8s.io/instancegroup" = "master-us-test-1a" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } tag_specifications { resource_type = "volume" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "master-us-test-1a.masters.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/kops.k8s.io/kops-controller-pki" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/control-plane" = "" "k8s.io/cluster-autoscaler/node-template/label/node.kubernetes.io/exclude-from-external-load-balancers" = "" "k8s.io/role/control-plane" = "1" "k8s.io/role/master" = "1" "kops.k8s.io/instancegroup" = "master-us-test-1a" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "master-us-test-1a.masters.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/kops.k8s.io/kops-controller-pki" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/control-plane" = "" "k8s.io/cluster-autoscaler/node-template/label/node.kubernetes.io/exclude-from-external-load-balancers" = "" "k8s.io/role/control-plane" = "1" "k8s.io/role/master" = "1" "kops.k8s.io/instancegroup" = "master-us-test-1a" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } user_data = filebase64("${path.module}/data/aws_launch_template_master-us-test-1a.masters.minimal-warmpool.example.com_user_data") } resource "aws_launch_template" "nodes-minimal-warmpool-example-com" { block_device_mappings { device_name = "/dev/xvda" ebs { delete_on_termination = true encrypted = true iops = 3000 throughput = 125 volume_size = 128 volume_type = "gp3" } } iam_instance_profile { name = aws_iam_instance_profile.nodes-minimal-warmpool-example-com.id } image_id = "ami-12345678" instance_type = "t2.medium" key_name = aws_key_pair.your_sha256_hasheb9c7157.id lifecycle { create_before_destroy = true } metadata_options { http_endpoint = "enabled" http_protocol_ipv6 = "disabled" http_put_response_hop_limit = 1 http_tokens = "optional" } monitoring { enabled = false } name = "nodes.minimal-warmpool.example.com" network_interfaces { associate_public_ip_address = true delete_on_termination = true ipv6_address_count = 0 security_groups = [aws_security_group.nodes-minimal-warmpool-example-com.id] } tag_specifications { resource_type = "instance" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/node" = "" "k8s.io/role/node" = "1" "kops.k8s.io/instancegroup" = "nodes" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } tag_specifications { resource_type = "volume" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/node" = "" "k8s.io/role/node" = "1" "kops.k8s.io/instancegroup" = "nodes" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "aws-node-termination-handler/managed" = "" "k8s.io/cluster-autoscaler/node-template/label/node-role.kubernetes.io/node" = "" "k8s.io/role/node" = "1" "kops.k8s.io/instancegroup" = "nodes" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } user_data = filebase64("${path.module}/data/aws_launch_template_nodes.minimal-warmpool.example.com_user_data") } resource "aws_route" "route-0-0-0-0--0" { destination_cidr_block = "0.0.0.0/0" gateway_id = aws_internet_gateway.minimal-warmpool-example-com.id route_table_id = aws_route_table.minimal-warmpool-example-com.id } resource "aws_route" "route-__--0" { destination_ipv6_cidr_block = "::/0" gateway_id = aws_internet_gateway.minimal-warmpool-example-com.id route_table_id = aws_route_table.minimal-warmpool-example-com.id } resource "aws_route_table" "minimal-warmpool-example-com" { tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" "kubernetes.io/kops/role" = "public" } vpc_id = aws_vpc.minimal-warmpool-example-com.id } resource "aws_route_table_association" "us-test-1a-minimal-warmpool-example-com" { route_table_id = aws_route_table.minimal-warmpool-example-com.id subnet_id = aws_subnet.us-test-1a-minimal-warmpool-example-com.id } resource "aws_s3_object" "cluster-completed-spec" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_cluster-completed.spec_content") key = "clusters.example.com/minimal-warmpool.example.com/cluster-completed.spec" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "etcd-cluster-spec-events" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_etcd-cluster-spec-events_content") key = "clusters.example.com/minimal-warmpool.example.com/backups/etcd/events/control/etcd-cluster-spec" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "etcd-cluster-spec-main" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_etcd-cluster-spec-main_content") key = "clusters.example.com/minimal-warmpool.example.com/backups/etcd/main/control/etcd-cluster-spec" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "kops-version-txt" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_kops-version.txt_content") key = "clusters.example.com/minimal-warmpool.example.com/kops-version.txt" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "manifests-etcdmanager-events-master-us-test-1a" { bucket = "testingBucket" content = file("${path.module}/data/your_sha256_hashtent") key = "clusters.example.com/minimal-warmpool.example.com/manifests/etcd/events-master-us-test-1a.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "manifests-etcdmanager-main-master-us-test-1a" { bucket = "testingBucket" content = file("${path.module}/data/your_sha256_hashnt") key = "clusters.example.com/minimal-warmpool.example.com/manifests/etcd/main-master-us-test-1a.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "manifests-static-kube-apiserver-healthcheck" { bucket = "testingBucket" content = file("${path.module}/data/your_sha256_hasht") key = "clusters.example.com/minimal-warmpool.example.com/manifests/static/kube-apiserver-healthcheck.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hashk8s-io-k8s-1-18" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-aws-cloud-controller.addons.k8s.io-k8s-1.18_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/aws-cloud-controller.addons.k8s.io/k8s-1.18.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hashs-io-k8s-1-17" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-aws-ebs-csi-driver.addons.k8s.io-k8s-1.17_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/aws-ebs-csi-driver.addons.k8s.io/k8s-1.17.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "minimal-warmpool-example-com-addons-bootstrap" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-bootstrap_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/bootstrap-channel.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hash12" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-coredns.addons.k8s.io-k8s-1.12_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/coredns.addons.k8s.io/k8s-1.12.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hash-k8s-1-12" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-dns-controller.addons.k8s.io-k8s-1.12_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/dns-controller.addons.k8s.io/k8s-1.12.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hasho-k8s-1-16" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-kops-controller.addons.k8s.io-k8s-1.16_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/kops-controller.addons.k8s.io/k8s-1.16.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hashio-k8s-1-9" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-kubelet-api.rbac.addons.k8s.io-k8s-1.9_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/kubelet-api.rbac.addons.k8s.io/k8s-1.9.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "minimal-warmpool-example-com-addons-limit-range-addons-k8s-io" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-limit-range.addons.k8s.io_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/limit-range.addons.k8s.io/v1.5.0.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hash6" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-networking.cilium.io-k8s-1.16_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/networking.cilium.io/k8s-1.16-v1.15.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hash-k8s-1-11" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-node-termination-handler.aws-k8s-1.11_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/node-termination-handler.aws/k8s-1.11.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" your_sha256_hash-15-0" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_minimal-warmpool.example.com-addons-storage-aws.addons.k8s.io-v1.15.0_content") key = "clusters.example.com/minimal-warmpool.example.com/addons/storage-aws.addons.k8s.io/v1.15.0.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "nodeupconfig-master-us-test-1a" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_nodeupconfig-master-us-test-1a_content") key = "clusters.example.com/minimal-warmpool.example.com/igconfig/control-plane/master-us-test-1a/nodeupconfig.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_s3_object" "nodeupconfig-nodes" { bucket = "testingBucket" content = file("${path.module}/data/aws_s3_object_nodeupconfig-nodes_content") key = "clusters.example.com/minimal-warmpool.example.com/igconfig/node/nodes/nodeupconfig.yaml" provider = aws.files server_side_encryption = "AES256" } resource "aws_security_group" "masters-minimal-warmpool-example-com" { description = "Security group for masters" name = "masters.minimal-warmpool.example.com" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "masters.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } vpc_id = aws_vpc.minimal-warmpool-example-com.id } resource "aws_security_group" "nodes-minimal-warmpool-example-com" { description = "Security group for nodes" name = "nodes.minimal-warmpool.example.com" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "nodes.minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } vpc_id = aws_vpc.minimal-warmpool-example-com.id } resource "aws_security_group_rule" your_sha256_hashple-com" { cidr_blocks = ["0.0.0.0/0"] from_port = 22 protocol = "tcp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 22 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashe-com" { cidr_blocks = ["0.0.0.0/0"] from_port = 22 protocol = "tcp" security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 22 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashample-com" { cidr_blocks = ["0.0.0.0/0"] from_port = 443 protocol = "tcp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 443 type = "ingress" } resource "aws_security_group_rule" your_sha256_hash0--0" { cidr_blocks = ["0.0.0.0/0"] from_port = 0 protocol = "-1" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 0 type = "egress" } resource "aws_security_group_rule" "from-masters-minimal-warmpool-example-com-egress-all-0to0-__--0" { from_port = 0 ipv6_cidr_blocks = ["::/0"] protocol = "-1" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 0 type = "egress" } resource "aws_security_group_rule" your_sha256_hashrs-minimal-warmpool-example-com" { from_port = 0 protocol = "-1" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 0 type = "ingress" } resource "aws_security_group_rule" your_sha256_hash-minimal-warmpool-example-com" { from_port = 0 protocol = "-1" security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id to_port = 0 type = "ingress" } resource "aws_security_group_rule" your_sha256_hash-0" { cidr_blocks = ["0.0.0.0/0"] from_port = 0 protocol = "-1" security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 0 type = "egress" } resource "aws_security_group_rule" "from-nodes-minimal-warmpool-example-com-egress-all-0to0-__--0" { from_port = 0 ipv6_cidr_blocks = ["::/0"] protocol = "-1" security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 0 type = "egress" } resource "aws_security_group_rule" your_sha256_hashinimal-warmpool-example-com" { from_port = 0 protocol = "-1" security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 0 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashers-minimal-warmpool-example-com" { from_port = 1 protocol = "tcp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 2379 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashasters-minimal-warmpool-example-com" { from_port = 2382 protocol = "tcp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 4000 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashmasters-minimal-warmpool-example-com" { from_port = 4003 protocol = "tcp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 65535 type = "ingress" } resource "aws_security_group_rule" your_sha256_hashters-minimal-warmpool-example-com" { from_port = 1 protocol = "udp" security_group_id = aws_security_group.masters-minimal-warmpool-example-com.id source_security_group_id = aws_security_group.nodes-minimal-warmpool-example-com.id to_port = 65535 type = "ingress" } resource "aws_sqs_queue" "minimal-warmpool-example-com-nth" { message_retention_seconds = 300 name = "minimal-warmpool-example-com-nth" policy = file("${path.module}/data/aws_sqs_queue_minimal-warmpool-example-com-nth_policy") tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool-example-com-nth" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_subnet" "us-test-1a-minimal-warmpool-example-com" { availability_zone = "us-test-1a" cidr_block = "172.20.32.0/19" enable_resource_name_dns_a_record_on_launch = true private_dns_hostname_type_on_launch = "resource-name" tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "us-test-1a.minimal-warmpool.example.com" "SubnetType" = "Public" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" "kubernetes.io/role/elb" = "1" "kubernetes.io/role/internal-elb" = "1" } vpc_id = aws_vpc.minimal-warmpool-example-com.id } resource "aws_vpc" "minimal-warmpool-example-com" { assign_generated_ipv6_cidr_block = true cidr_block = "172.20.0.0/16" enable_dns_hostnames = true enable_dns_support = true tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_vpc_dhcp_options" "minimal-warmpool-example-com" { domain_name = "us-test-1.compute.internal" domain_name_servers = ["AmazonProvidedDNS"] tags = { "KubernetesCluster" = "minimal-warmpool.example.com" "Name" = "minimal-warmpool.example.com" "kubernetes.io/cluster/minimal-warmpool.example.com" = "owned" } } resource "aws_vpc_dhcp_options_association" "minimal-warmpool-example-com" { dhcp_options_id = aws_vpc_dhcp_options.minimal-warmpool-example-com.id vpc_id = aws_vpc.minimal-warmpool-example-com.id } terraform { required_version = ">= 0.15.0" required_providers { aws = { "configuration_aliases" = [aws.files] "source" = "hashicorp/aws" "version" = ">= 5.0.0" } } } ```
Luciano Masiello (born 2 January 1951) is an Italian former professional footballer who played as a winger in England, Ireland and Italy. Playing career Masiello joined Charlton Athletic as a school boy in 1962 and came through the youth teams and reserves until he made his first team debut in a friendly against Dutch team FC Den Bosch in 1968, another first team outing followed against a very strong Italian under 21 team in a friendly at the valley until making his full first team league debut in December 1969 against Norwich City winning 3–0. He went on to make eight league appearances and two substitute appearances for Charlton Athletic and scored one goal against West Bromwich Albion in a league cup match at the Hawthorns. He had a loan spell with Athlone Town in Ireland, playing in the FIA league of Ireland Cup Final He played in Italy for six seasons making 179 appearances for Almas Roma, Frosinone Calcio S.S. Lazio and SS Francavilla. Managerial career Masiello coached for a number of years in Italy before returning to England. Luciano had spells as manager at Andover F.C. and was a player/coach at Woking F.C. and Bromley F.C. He also discovered the talent of Emeka Nwajiobi. Masiello decided to leave football as his family and businesses grew. He always had a passion for food so he bought and sold a number of restaurants until his retirement in 2015. External links Profile at Charlton Athletic Former Player's Association 1951 births Living people Sportspeople from the Province of Benevento Italian men's footballers Men's association football wingers League of Ireland players Charlton Athletic F.C. players Athlone Town A.F.C. players SS Lazio players Frosinone Calcio players Italian football managers Andover F.C. managers Woking F.C. managers Bromley F.C. managers Italian expatriate men's footballers Italian expatriate football managers Italian expatriate sportspeople in Ireland Expatriate men's association footballers in the Republic of Ireland Italian expatriate sportspeople in England Expatriate men's footballers in England Expatriate football managers in England Footballers from Campania
Lena Sjöholm (born 7 August 1946) represented Sweden internationally at archery. Career Sjöholm competed in the 1973 and 1975 World Archery Championships in the women's individual and team events. She finished thirteenth in the women's individual event at the 1976 Summer Olympics with a score of 2322 points. References External links Profile on worldarchery.org Profile on sok.se 1946 births Living people Swedish female archers Olympic archers for Sweden Archers at the 1976 Summer Olympics Sportspeople from Malmö 20th-century Swedish women
Demophilus ( Demophilos), according to Herodotus, was the commander of a contingent of 700 Thespians at the Battle of Thermopylae (480 BC). His father was Diadromes (). Demophilus and his men fought at the battle and at the end they stood along with the 300 Spartans at the last stand, all were killed. The ancient Greek traveler and geographer Pausanias also wrote about the stay of the Thespians at Thermopylae together with the Spartans. After the Battle of Thermopylae, the Persian army burned down the city of Thespiae. The citizens had fled to the Peloponnese. Later, the Thespians fought against the Persian army at the Battle of Plataea (479 BC). Demophilos is immortalised in many books and movies. In the 1962 movie The 300 Spartans, Demophilus was portrayed by the Greek actor Yorgos (George) Moutsios. In Thermopylae there is a monument, next to the monument of Leonidas, in memory of him and his men. There is also a monument to Demophilus in the modern Thespies. References Battle of Thermopylae 5th-century BC Greek people Ancient Greeks killed in battle 480 BC deaths Greek people of the Greco-Persian Wars Year of birth unknown Ancient Boeotians
Prêmio Jovem Brasileiro (English: Young Award Brazilian) established in 2002, it honors the young people who are featured in music, television, film, sports, environment and Brazilian internet. Winners 2015 Winners Among the winners 2015 stood Thaeme & Thiago, Neymar, Sophia Abrahão, Melody, Rhayner Cadete, Mel Fronckowiack, Lexa, Tulio Borgias , Larissa Manoela, Kéfera Buchmann, Hugo Gloss, Ivete Sangalo, Chris Leão, Arthur Aguiar, Camila Queiroz and Agatha Moreira. 2016 Winners Among the winners 2016 stood Anajú Dorigon, Anitta, Arthur Nory, Hugo Gloss, Sophia Abrahão, Ludmilla, Nah Cardoso, Neymar, Catraca Livre, Nonô Lellis, Thaynara OG and Whinderson Nunes. 2016 In 2016 came the 15th edition of the Prêmio Jovem Brasileiro, the award had the presence of several Brazilians famous 2017 In 2017, the awards ceremony took place on September 25 in São Paulo, Brazil. Several celebrities attended the awards, among them Emilly Araújo, Maria Claudia, Sophia Abrahão, Whindersson Nunes, Mayla Araújo, Banda Malta and Maisa. 2020 In 2020, the award ceremony took place on September 22, 2020 in São Paulo, presented by Rodrigo Faro and for the first time it took place in the drive-in format due to the COVID-19 pandemic. References Awards established in 2002 Brazilian awards Magazine awards
The Mer de Glace ("Sea of Ice") is a valley glacier located on the northern slopes of the Mont Blanc massif, in the French Alps. It is 7.5 km long and deep but, when all its tributary glaciers are taken into account, it can be regarded as the longest and largest glacier in France, and the second longest in the Alps after the Aletsch Glacier. Geography The glacier lies above the Chamonix valley. The pressure within the ice is known to reach at least 30 atmospheres. The Mer de Glace can be considered as originating at an elevation of , just north of the Aiguille du Tacul, where it is formed by the confluence of the Glacier de Leschaux and the Glacier du Tacul. The former is fed by the Glacier du Talefre, whilst the latter is, in turn, fed by the Glacier des Periardes, the vast Glacier du Géant and the broad icefields of the Vallee Blanche. The Glacier du Tacul supplies much more ice than the Glacier de Leschaux. However, if the Mer de Glace is considered in its broadest sense (i.e. from source to tongue), it is a compound valley glacier, gaining ice from snowfields that cover the heights directly north of Mont Blanc at an altitude of around 4,000 metres. It flows for a total distance of 12 kilometres, covering an area of 32 square kilometres in the central third of the Mont Blanc massif. From the Aiguille du Tacul, the Mer de Glace flows north-north-west between Aiguille du Moine on the east and Trélaporte on the west. It descends below Montenvers, at which point it is approximately 0.5 km wide, and descends to approximately . The glacier was once easily visible from Chamonix but has been shrinking backwards, and is now barely visible from below. The surface topography of the Mer de Glace changed very little during the first third of the 20th century, but from 1939 to 2001 the surface of the glacier has lowered an average of 30 cm each year, corresponding to an equivalent loss of 700 million cubic metres of water. When the tension in the ice increases as the slope increases, the glacier is unable to deform and crevasses appear. These are notably transversal and, when there is intense crevasse activity on the steepest terrain, blocks of seracs appear as the glacier breaks up. Crevasses are of variable depth, depending on their position, and may be as deep as fifty metres. Seracs always form in the same places, namely the steepest sections over which the glacier flows. As crevasses open and seracs tumble downstream, the supply of ice is renewed by the constant flow from upstream. Broad banding patterns, visible on the surface of the Mer de Glace, are known as ogives, or Forbes bands, and result from differences in summer and winter collapse rates of the serac fields. It was on 24 July 1842 that Scottish physicist James David Forbes observed the pattern of light and dark dirt bands on the Mer de Glace from the nearby Charmoz and began to consider whether glaciers flowed in a similar fashion to a sluggish river and with a viscous or plastic manner. In the 18th and 19th centuries the glacier descended all the way down to the hamlet of Les Bois, where it was known as Glacier des Bois. At that time the river Arveyron emerged from the glacier under a grotto-like vault (grotte d'Arveyron) and, through the accounts of early writers and explorers, attracted many more visitors, painters and later photographers, for example Joseph Mallord William Turner's "Source of the Arveron in the Valley of Chamouni Savoy", 1816. The position of its front end fluctuated over the years but its maximum extent was in the mid-19th century. Literary/Cultural References Mary Shelley's Frankenstein, The Modern Prometheus, references Mer de Glace during Victor Frankenstein's hikes into the Mount Blanc massif. Dr. Frankenstein meets his creation twice during mountaineering on the Mer de Glace. See also Arveyron Électricité de France List of glaciers Notes References NEW EDITION (reprinted as ) External links Mer de Glace and associated glaciers on French IGN mapping portal 360° photo from surface of Mer de Glace on Google StreetView Glaciers of Metropolitan France Landforms of Haute-Savoie Tourist attractions in Haute-Savoie Glaciers of the Alps Landforms of Auvergne-Rhône-Alpes
```c #include "include/opl.h" #include "include/ioman.h" #include <kernel.h> #include <string.h> #include <malloc.h> #include <stdio.h> #include <unistd.h> #ifdef __EESIO_DEBUG #include <sio.h> #endif #define MAX_IO_REQUESTS 64 #define MAX_IO_HANDLERS 64 extern void *_gp; static int gIOTerminate = 0; #define THREAD_STACK_SIZE (96 * 1024) static u8 thread_stack[THREAD_STACK_SIZE] ALIGNED(16); struct io_request_t { int type; void *data; struct io_request_t *next; }; struct io_handler_t { int type; io_request_handler_t handler; }; /// Circular request queue static struct io_request_t *gReqList; static struct io_request_t *gReqEnd; static struct io_handler_t gRequestHandlers[MAX_IO_HANDLERS]; static int gHandlerCount; // id of the processing thread static s32 gIOThreadId; // lock for tip processing static s32 gProcSemaId; // lock for queue end static s32 gEndSemaId; // ioPrintf sema id static s32 gIOPrintfSemaId; static ee_thread_t gIOThread; static ee_sema_t gQueueSema; static int isIOBlocked = 0; static int isIORunning = 0; int ioRegisterHandler(int type, io_request_handler_t handler) { WaitSema(gProcSemaId); if (handler == NULL) return IO_ERR_INVALID_HANDLER; if (gHandlerCount >= MAX_IO_HANDLERS) return IO_ERR_TOO_MANY_HANDLERS; int i; for (i = 0; i < gHandlerCount; ++i) { if (gRequestHandlers[i].type == type) return IO_ERR_DUPLICIT_HANDLER; } gRequestHandlers[gHandlerCount].type = type; gRequestHandlers[gHandlerCount].handler = handler; gHandlerCount++; SignalSema(gProcSemaId); return IO_OK; } static io_request_handler_t ioGetHandler(int type) { int i; for (i = 0; i < gHandlerCount; ++i) { struct io_handler_t *h = &gRequestHandlers[i]; if (h->type == type) return h->handler; } return NULL; } static void ioProcessRequest(struct io_request_t *req) { if (!req) return; io_request_handler_t hlr = ioGetHandler(req->type); // invalidate the request void *data = req->data; if (hlr) hlr(data); } static void ioWorkerThread(void *arg) { while (!gIOTerminate) { SleepThread(); // if term requested exit immediately from the loop if (gIOTerminate) break; // do we have a request in the queue? WaitSema(gProcSemaId); while (gReqList) { // if term requested exit immediately from the loop if (gIOTerminate) break; struct io_request_t *req = gReqList; ioProcessRequest(req); // lock the queue tip as well now WaitSema(gEndSemaId); // can't be sure if the request was gReqList = req->next; free(req); if (!gReqList) gReqEnd = NULL; SignalSema(gEndSemaId); } SignalSema(gProcSemaId); } // delete the pending requests while (gReqList) { struct io_request_t *req = gReqList; gReqList = gReqList->next; free(req); } // delete the semaphores DeleteSema(gProcSemaId); DeleteSema(gEndSemaId); isIORunning = 0; ExitDeleteThread(); } static void ioSimpleActionHandler(void *data) { io_simpleaction_t action = (io_simpleaction_t)data; if (action) action(); } void ioInit(void) { gIOTerminate = 0; gHandlerCount = 0; gReqList = NULL; gReqEnd = NULL; gIOThreadId = 0; gQueueSema.init_count = 1; gQueueSema.max_count = 1; gQueueSema.option = 0; gProcSemaId = CreateSema(&gQueueSema); gEndSemaId = CreateSema(&gQueueSema); gIOPrintfSemaId = CreateSema(&gQueueSema); // default custom simple action handler ioRegisterHandler(IO_CUSTOM_SIMPLEACTION, &ioSimpleActionHandler); gIOThread.attr = 0; gIOThread.stack_size = THREAD_STACK_SIZE; gIOThread.gp_reg = &_gp; gIOThread.func = &ioWorkerThread; gIOThread.stack = thread_stack; gIOThread.initial_priority = 30; isIORunning = 1; gIOThreadId = CreateThread(&gIOThread); StartThread(gIOThreadId, NULL); } int ioPutRequest(int type, void *data) { if (isIOBlocked) return IO_ERR_IO_BLOCKED; // check the type before queueing if (!ioGetHandler(type)) return IO_ERR_INVALID_HANDLER; WaitSema(gEndSemaId); // We don't have to lock the tip of the queue... // If it exists, it won't be touched, if it does not exist, it is not being processed struct io_request_t *req = gReqEnd; if (!req) { gReqList = (struct io_request_t *)malloc(sizeof(struct io_request_t)); req = gReqList; gReqEnd = gReqList; } else { req->next = (struct io_request_t *)malloc(sizeof(struct io_request_t)); req = req->next; gReqEnd = req; } req->next = NULL; req->type = type; req->data = data; SignalSema(gEndSemaId); // Worker thread cannot wake itself up (WakeupThread will return an error), but it will find the new request before sleeping. WakeupThread(gIOThreadId); return IO_OK; } int ioRemoveRequests(int type) { // lock the deletion sema and the queue end sema as well WaitSema(gProcSemaId); WaitSema(gEndSemaId); int count = 0; struct io_request_t *req = gReqList; struct io_request_t *last = NULL; while (req) { if (req->type == type) { struct io_request_t *next = req->next; if (last) last->next = next; if (req == gReqList) gReqList = next; if (req == gReqEnd) gReqEnd = last; count++; free(req); req = next; } else { last = req; req = req->next; } } SignalSema(gEndSemaId); SignalSema(gProcSemaId); return count; } void ioEnd(void) { // termination requested flag gIOTerminate = 1; // wake up and wait for end WakeupThread(gIOThreadId); } int ioGetPendingRequestCount(void) { int count = 0; struct io_request_t *req = gReqList; WaitSema(gProcSemaId); while (req) { count++; req = req->next; } SignalSema(gProcSemaId); return count; } int ioHasPendingRequests(void) { return gReqList != NULL ? 1 : 0; } #ifdef __EESIO_DEBUG static char tbuf[2048]; #endif int ioPrintf(const char *format, ...) { if (isIORunning == 1) WaitSema(gIOPrintfSemaId); va_list args; va_start(args, format); #ifdef __EESIO_DEBUG int ret = vsnprintf((char *)tbuf, sizeof(tbuf), format, args); sio_putsn(tbuf); #else int ret = vprintf(format, args); #endif va_end(args); if (isIORunning == 1) SignalSema(gIOPrintfSemaId); return ret; } int ioBlockOps(int block) { ee_thread_status_t status; int ThreadID; if (block && !isIOBlocked) { isIOBlocked = 1; ThreadID = GetThreadId(); ReferThreadStatus(ThreadID, &status); ChangeThreadPriority(ThreadID, 90); // wait for all io to finish while (ioHasPendingRequests()) { }; ChangeThreadPriority(ThreadID, status.current_priority); // now all io should be blocked } else if (!block && isIOBlocked) { isIOBlocked = 0; } return IO_OK; } ```
Tata Vasco is an opera in five scenes composed by Miguel Bernal Jiménez to a Spanish libretto with nationalistic and devoutly Roman Catholic themes by the Mexican priest and poet, Manuel Muñoz. It premiered in Pátzcuaro, Mexico on 15 February 1941. The opera is based on the life of Vasco de Quiroga, the first Bishop of Michoacán and known to the indigenous Purépecha of the region as 'Tata Vasco'. Considered one of Bernal Jiménez's most emblematic scores, the music incorporates native melodies, dances, and instruments as well as elements of Gregorian chant. Background and performance history Described as a drama sinfónico (symphonic drama), Tata Vasco was the first and only opera by Bernal Jiménez and composed when he was 30 years old. It was to be part of the celebrations for the 400th anniversary of Vasco de Quiroga's arrival in Pátzcuaro and was set to a libretto in rhyming verse by Manuel Muñoz Mendoza, a Catholic priest, poet, and writer who lived in Morelia, the composer's native city. The world premiere was originally planned for 1940 at the Palacio de Bellas Artes in Mexico City but was postponed due to fears that it would "provoke religious controversy". Instead, it premiered on 15 February 1941 in a performance conducted by the composer in the ruins of the Franciscan monastery chapel in Pátzcuaro. The opera had its Mexico City premiere at the Teatro Arbeu on 15 March 1941 and in September of that year was performed to great enthusiasm in Morelia. It was performed in 1943 at the Teatro Degollado in Guadalajara and in 1948 had its Spanish premiere, when at the invitation of General Franco, a reduced oratorio version was performed in Madrid. Part of Spain's commemorations for the 400th anniversary of the death of Hernán Cortés, the Madrid performance met with considerable success. On 29 September 1949, eight years after its premiere, Tata Vasco was finally staged at the Palacio de Bellas Artes where it was given a run of two performances, both conducted by the composer. The opera was revived there in 1975, 1992 (in concert version), and in 2006 to mark the 50th anniversary of the composer's death. Tata Vasco was given two performances by the National Opera Company of Mexico at the Teatro de la Ciudad de Mexico in February 2010, the year which marks not only the bicentenary of the Mexican War of Independence and the centenary of the Mexican Revolution but also the 100th anniversary of the composer's birth. Score The opera is scored for: 2 flutes, 1 piccolo, 2 oboes, 1 cor anglais, 2 clarinets, 1 bass clarinet, 2 bassoons, 4 French horns, 3 trumpets, 3 trombones, tuba, harp, piano, celesta, cymbals, drum, timbales, bombo (type of bass drum), pandero (type of frame drum), gong, glockenspiel, bells, maracas, vibraphone, teponaztli, and strings. Roles and premiere cast Vasco de Quiroga ("Tata Vasco", Bishop of Michoacán), baritone – Gilberto Cerda Coyuva (daughter of the Purépecha king, Tangaxuan II), soprano – Leonor Caden Ticátame (a Purépecha prince), tenor – Ricardo C. Lara Petámuti (a Purépecha sorcerer), bass – Felipe Aguilera Cuninjángari (the Purépecha governor of Tzintzuntzan), baritone – Ernesto Farfán Three friars, tenor, baritone, and bass – Nicolás Rico, Miguel Botello and Saturnino Huerta Watchman, baritone First singer, tenor Second singer, mezzo-soprano A child, boy soprano The cast also includes a mixed chorus, children, and dancers Synopsis Setting: Michoacán, circa 1537 Scene 1. At night in a forest where the Purépecha kings are buried, the warriors, led by the sorcerer Petámuti, are dancing around a bonfire. They have sworn revenge for the death of their king who was burnt at the stake by the Spanish conquistador, Nuño de Guzmán. Princess Coyuva, the king's daughter, arrives bearing his ashes. Her betrothed, Prince Ticátame, expresses his hatred for the Spanish and determination to avenge her father's death. Coyuva, who has become a Christian, tells him to forgive his enemies and to follow the teachings of 'Tata Vasco', Don Vasco de Quiroga, a priest and the Spanish judge (Oidor) for the territory. When Ticátame is persuaded by Coyuva's words, Petámuti tries to kill him and in the ensuing struggle with the prince is killed. In a fury, Petámuti curses the young lovers. Scene 2. In the sacristy of the Franciscan church in Tzintzuntzan, native children play while waiting for their lesson. A jovial friar arrives and after the lesson tells the children a story and asks them to sing like minstrels. When their song is finished, the children depart and Tata Vasco enters to receive a delegation from the natives in Tzintzuntzan, led by Cuninjángari, the city's governor and a relative of the dead king. Don Vasco assures them of his desire to help them and urges them to give up nomadic life and polygamy and convert to Christianity. Ticátame and Coyuva then arrive for an audience and ask Vasco (who has been made Bishop of Michoacán) to marry them in a Christian ceremony. Scene 3. At dawn in the courtyard of the Franciscan church, the natives can be heard singing as they work in the fields. They then come to the courtyard bringing gifts. Vasco and his entourage arrive for the wedding of Ticátame and Coyuva. Before entering the church, he speaks to the couple about the sacrament of marriage and they promise to be faithful to each other. The doors of the church swing open and a choir is heard singing. As the wedding party are about to enter the church, the sorcer Petámuti arrives, dagger in hand, to murder Ticátame and Coyuva. Petámuti accidentally falls on the church steps and is mortally wounded by his own weapon. Hearing his cries, Cuninjángari calls to Don Vasco to minister to the dying man. After Vasco speaks to him, Petámuti asks to be baptised before he dies. A group of native folk then carry off his body while songs of praise (ablados) heard in the distance. Scene 4. On a hill overlooking Lake Pátzcuaro, there is a fiesta to celebrate Ticátame and Coyuva's wedding. Don Vasco arrives and watches four dances performed by the natives and listens to a song and toast to the couple in their native language. Before leaving, he addresses the natives and invites them to come to Pátzcuaro where they can learn new trades to better their lives. Don Vasco departs and the scene closes with another dance in which all present take part. Scene 5. In the audience room of the Bishop's palace in Pátzcuaro, Don Vasco is looking over plans for the new cathedral and seminary. A group of natives arrive to present the first fruits of the industries he has taught them. A colourful parade ensues in which gourd cups, pottery, fishing nets, guitars, blouses and shawls are displayed to Don Vasco. Deeply touched, he tells the natives that he will dedicate his life to their welfare and shows them an image of the Virgin of Good Health, who he says will protect them and their children. Notes and references Sources Brennan, Juan Arturo, "Tata Vasco: ópera revisionista", La Jornada, 28 November 2008 (in Spanish, accessed 29 March 2010) Cortés, Raúl Arreola, La poesía en Michoacán: desde la época prehispánica hasta nuestros días, Fimax Publicistas, 1979 (in Spanish) Protocolo, "Con la ópera Tata Vasco, Bellas Artes inicia su temporada 2010", 12 February 2010 (in Spanish, accessed 29 March 2010) Saavedra, Leonora, "Staging the Nation: Race, Religion, and History in Mexican Opera of the 1940s", Opera Quarterly, Vol. 23, 2007, pp. 1–21 Sosa, José Octavio, Tata Vasco, Diccionario de la Ópera Mexicana, Consejo Nacional para la Cultura y las Artes, 2005 (reprinted on operacalli.com with permission of the author) (in Spanish, accessed 29 March 2010) Standish, Peter, A Companion to Mexican Studies, Boydell & Brewer Ltd, 2006. Stevenson, Robert, Music in Mexico: A historical survey, Crowell, 1952 Operas Spanish-language operas 1941 operas Operas set in Mexico One-act operas Operas set in the 16th century Operas based on real people Cultural depictions of religious leaders Cultural depictions of Mexican men
Duskland is a studio album by American musician Zachary Cale. It was released in August 2015 under No Quarter Records. Track list References 2015 albums
```objective-c /* Support for embedding graphical components in a buffer. This file is part of GNU Emacs. GNU Emacs is free software: you can redistribute it and/or modify your option) any later version. GNU Emacs 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 GNU Emacs. If not, see <path_to_url */ #ifndef XWIDGET_H_INCLUDED #define XWIDGET_H_INCLUDED #include "lisp.h" struct glyph_matrix; struct glyph_string; struct xwidget; struct xwidget_view; struct window; #ifdef HAVE_XWIDGETS # include <gtk/gtk.h> struct xwidget { union vectorlike_header header; /* Auxiliary data. */ Lisp_Object plist; /* The widget type. */ Lisp_Object type; /* The buffer where the xwidget lives. */ Lisp_Object buffer; /* A title used for button labels, for instance. */ Lisp_Object title; /* Here ends the Lisp part. "height" is the marker field. */ int height; int width; /* For offscreen widgets, unused if not osr. */ GtkWidget *widget_osr; GtkWidget *widgetwindow_osr; /* Kill silently if Emacs is exited. */ bool_bf kill_without_query : 1; }; struct xwidget_view { union vectorlike_header header; Lisp_Object model; Lisp_Object w; /* Here ends the lisp part. "redisplayed" is the marker field. */ /* If touched by redisplay. */ bool redisplayed; /* The "live" instance isn't drawn. */ bool hidden; GtkWidget *widget; GtkWidget *widgetwindow; GtkWidget *emacswindow; int x; int y; int clip_right; int clip_bottom; int clip_top; int clip_left; long handler_id; }; #endif /* Test for xwidget pseudovector. */ #define XWIDGETP(x) PSEUDOVECTORP (x, PVEC_XWIDGET) #define XXWIDGET(a) (eassert (XWIDGETP (a)), \ (struct xwidget *) XUNTAG (a, Lisp_Vectorlike)) #define CHECK_XWIDGET(x) \ CHECK_TYPE (XWIDGETP (x), Qxwidgetp, x) /* Test for xwidget_view pseudovector. */ #define XWIDGET_VIEW_P(x) PSEUDOVECTORP (x, PVEC_XWIDGET_VIEW) #define XXWIDGET_VIEW(a) (eassert (XWIDGET_VIEW_P (a)), \ (struct xwidget_view *) XUNTAG (a, Lisp_Vectorlike)) #define CHECK_XWIDGET_VIEW(x) \ CHECK_TYPE (XWIDGET_VIEW_P (x), Qxwidget_view_p, x) #define XG_XWIDGET "emacs_xwidget" #define XG_XWIDGET_VIEW "emacs_xwidget_view" #ifdef HAVE_XWIDGETS void syms_of_xwidget (void); bool valid_xwidget_spec_p (Lisp_Object); void xwidget_view_delete_all_in_window (struct window *); void x_draw_xwidget_glyph_string (struct glyph_string *); struct xwidget *lookup_xwidget (Lisp_Object spec); void xwidget_end_redisplay (struct window *, struct glyph_matrix *); void kill_buffer_xwidgets (Lisp_Object); #else INLINE_HEADER_BEGIN INLINE void syms_of_xwidget (void) {} INLINE bool valid_xwidget_spec_p (Lisp_Object obj) { return false; } INLINE void xwidget_view_delete_all_in_window (struct window *w) {} INLINE void x_draw_xwidget_glyph_string (struct glyph_string *s) { eassume (0); } INLINE struct xwidget *lookup_xwidget (Lisp_Object obj) { eassume (0); } INLINE void xwidget_end_redisplay (struct window *w, struct glyph_matrix *m) {} INLINE void kill_buffer_xwidgets (Lisp_Object buf) {} INLINE_HEADER_END #endif #endif /* XWIDGET_H_INCLUDED */ ```
```ruby class NicotinePlus < Formula include Language::Python::Virtualenv desc "Graphical client for the Soulseek peer-to-peer network" homepage "path_to_url" url "path_to_url" sha256 your_sha256_hash license "GPL-3.0-or-later" head "path_to_url", branch: "master" bottle do rebuild 1 sha256 cellar: :any_skip_relocation, arm64_sonoma: your_sha256_hash sha256 cellar: :any_skip_relocation, arm64_ventura: your_sha256_hash sha256 cellar: :any_skip_relocation, arm64_monterey: your_sha256_hash sha256 cellar: :any_skip_relocation, sonoma: your_sha256_hash sha256 cellar: :any_skip_relocation, ventura: your_sha256_hash sha256 cellar: :any_skip_relocation, monterey: your_sha256_hash sha256 cellar: :any_skip_relocation, x86_64_linux: your_sha256_hash end depends_on "adwaita-icon-theme" depends_on "gtk4" depends_on "libadwaita" depends_on "py3cairo" depends_on "pygobject3" depends_on "python@3.12" on_linux do depends_on "gettext" => :build # for `msgfmt` end conflicts_with "httm", because: "both install `nicotine` binaries" def install virtualenv_install_with_resources end test do # nicotine is a GUI app assert_match version.to_s, shell_output("#{bin}/nicotine --version") end end ```
Coomberdale is a small town located along the Midlands Road between Moora and Watheroo in the Wheatbelt region of Western Australia. It had 56 residents in the . The Midland Railway Company constructed a railway siding in 1895 when the Midland line to Walkaway was opened. The town's name comes from a well that was named by the explorer Alexander Forrest when he surveyed a property for Edmund King who settled there in 1866. The Coomberdale Hall, a timber framed, weatherboard clad structure with a corrugated iron roof, was built in about 1920. It is now heritage listed, and used as an adjunct to the adjoining community centre. The main industry in town is wheat farming with the town being a CBH Group receival site. A silicon producer, Simcoa, has a quartz mine close to the town. The mineral mined there, Coomberdale chert, is situated in the Coomberdale (also known as Noondine) threatened ecological community that contains some threatened species such as Acacia aristulata and Cryptandra glabiflora. References External links Wheatbelt (Western Australia)
```c /** * @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. */ #include <stdlib.h> #include <stdio.h> #include <math.h> #include <time.h> #include <sys/time.h> #define NAME "asin" #define ITERATIONS 1000000 #define REPEATS 3 /** * Prints the TAP version. */ static void print_version( void ) { printf( "TAP version 13\n" ); } /** * Prints the TAP summary. * * @param total total number of tests * @param passing total number of passing tests */ static void print_summary( int total, int passing ) { printf( "#\n" ); printf( "1..%d\n", total ); // TAP plan printf( "# total %d\n", total ); printf( "# pass %d\n", passing ); printf( "#\n" ); printf( "# ok\n" ); } /** * Prints benchmarks results. * * @param elapsed elapsed time in seconds */ static void print_results( double elapsed ) { double rate = (double)ITERATIONS / elapsed; printf( " ---\n" ); printf( " iterations: %d\n", ITERATIONS ); printf( " elapsed: %0.9f\n", elapsed ); printf( " rate: %0.9f\n", rate ); printf( " ...\n" ); } /** * Returns a clock time. * * @return clock time */ static double tic( void ) { struct timeval now; gettimeofday( &now, NULL ); return (double)now.tv_sec + (double)now.tv_usec/1.0e6; } /** * Generates a random number on the interval [0,1). * * @return random number */ static double rand_double( void ) { int r = rand(); return (double)r / ( (double)RAND_MAX + 1.0 ); } /** * Runs a benchmark. * * @return elapsed time in seconds */ static double benchmark( void ) { double elapsed; double x; double y; double t; int i; t = tic(); for ( i = 0; i < ITERATIONS; i++ ) { x = ( 2.0*rand_double() ) - 1.0; y = asin( x ); if ( y != y ) { printf( "should not return NaN\n" ); break; } } elapsed = tic() - t; if ( y != y ) { printf( "should not return NaN\n" ); } return elapsed; } /** * Main execution sequence. */ int main( void ) { double elapsed; int i; // Use the current time to seed the random number generator: srand( time( NULL ) ); print_version(); for ( i = 0; i < REPEATS; i++ ) { printf( "# c::%s\n", NAME ); elapsed = benchmark(); print_results( elapsed ); printf( "ok %d benchmark finished\n", i+1 ); } print_summary( REPEATS, REPEATS ); } ```
WOCK-CD (channel 13) is a low-power, Class A television station in Chicago, Illinois, United States, affiliated with Shop LC. The station is owned by Skokie-based KM Communications. WOCK-CD's studios are located on North Kedzie Avenue in Chicago, and its transmitter is located atop the John Hancock Center. History The station was originally assigned the translator call sign of W13BE; it changed to WOCK-LP in 1994, and received Class A status in 2000, making it WOCK-CA. WOCK was an affiliate of The Box until that network's acquisition by Viacom in 2001, resulting in The Box being merged into MTV2. The station became an affiliate of Florida-based Videomix which aired hip hop music videos, during the mid-summer 2001. That autumn, it began broadcasting programs from China Central Television, carrying a mix of CCTV-4 and CCTV-9 programming provided by China Star TV. It switched to Azteca América in October 2003, and then to CV Network in late 2008. WOCK-CA received a construction permit to build a low-power digital television station, WOCK-CD, on channel 4, radiating primarily to the southwest. This took to the air at midnight on June 4, 2009, with WOCK then ceasing its analog transmission. After the transition, WOCK was running the CV Network programming previously seen on the analog signal on virtual channel 13.1, and Korean language programming, simulcast from co-owned WOCH-CA, on virtual channel 13.2. WOCK dropped CV Network for Mega TV on January 11, 2010. In July 2010, WOCK acquired LATV from WGN-TV, after the latter dropped the network; it shortly after began its run on WOCK-CD's subchannel, 13.3. In August 2012, WOCK moved MegaTV to 13.5 and began carrying the MundoFox network on the primary 13.1 in HD. They also dropped LATV, which moved to W25DW-D as 25.5. Additionally, WOCK's main signal was picked up by Fox Television Stations on WPWR-TV over their 50.3 digital subchannel, both to provide a full-power over-the-air signal of MundoFox to the market and to address the weaknesses of transmitting in the low VHF band digitally. On January 28, 2013, America One/Asian American Network on 13.4 was replaced by WeatherNation TV. On May 27, 2013, MegaTV was replaced by Soul of the South Network. In January 2014, WeatherNation TV was replaced by Infomercials, then replaced by TheCoolTV a few months later. On March 1, 2015, Soul of the South was replaced by Arirang after WOCK's owners filed a lawsuit for breach of contract due to non-payment of lease fees. On March 1, 2015, TheCoolTV was replaced by Karmaloop TV. It was then replaced by FAD Channel in May 2015. Some time in August 2015, the WPWR-DT3 simulcast of 13.1 was taken dark after ownership of MundoFox was transferred fully to RCN Televisión; the network was rebranded as MundoMax, and Fox had no further obligations to extend WOCK's signal. In August 2016, 13.1 stopped airing MundoMax and began airing infomercials. Newscasts WOCK-CD launched a 9 p.m. newscast, Hoy Noticias MundoFox 13 (later Hoy Noticias MundoMax) on April 18, 2014. The newscast was produced by the Chicago Tribune-owned Spanish-language newspaper Hoy. Subchannels The station's digital signal is multiplexed: References Television stations in Chicago OCK-CD OCK-CD Television channels and stations established in 1984 1984 establishments in Illinois
Roundhill is an unincorporated community in Butler County, Kentucky, United States, situated on Butler County's eastern boundary with Edmonson County. Geography Roundhill is located on the county line between Butler and Edmonson counties at , at a crossroad intersection of State Highways 70 and 185. KY 70 leads west to Morgantown, and east to Brownsville. KY 185 leads north to Caneyville, and south to Bowling Green. The town is located along the Big Reedy Creek, a tributary of the Green River. Roundhill is part of the Bowling Green MSA, but it is part of Kentucky's Western Coal Fields region. Education Because the community straddles the Butler-Edmonson County line, it is on the boundary of two school districts based in Morgantown and Brownsville, respectively. Students west and/or south of the KY 70 and KY 185 junction attend Butler County Schools based in Morgantown, while students east and/or north of the junction attend Edmonson County Schools in the Brownsville area. North Butler Elementary just west of Jetson and Kyrock Elementary near Sweeden are the closest elementary/grade schools on their respective sides of the county line. Sites of interest Roundhill is home to two businesses along the county line, one is an auto parts/repair shop and the other, a convenience store named "The Corner Market," which is locally owned and operated since 1988 by the Raymer family, and it offers a limited grocery-line, lunch-meat, soft drinks, local weekly newspapers from both sides of the county line and, since the early to mid- 2010s, hot meals. That business also serves as the community's USPS village post office with ZIP code 42275. The Roundhill post office, which began operation in 1893, was previously housed in the former Roundhill Grocery building on KY 70; that building is still standing, but it is not in the condition to be used. Roundhill Church of Christ is the main place of worship in this community. Just east of the community on KY 70 is Hopewell Baptist Church. Threlkel Cemetery is located just west of the community. Nearby cities Morgantown Brownsville Big Reedy Bowling Green Caneyville References External links The Corner Market of Roundhill - official website The Corner Market on Facebook Roundhill Roundhill Unincorporated communities in Kentucky
```java package org.lognet.springboot.grpc.auth; import com.google.protobuf.Empty; import io.grpc.Metadata; import io.grpc.ServerCall; import io.grpc.ServerCallHandler; import io.grpc.ServerInterceptor; import io.grpc.Status; import io.grpc.StatusRuntimeException; import io.grpc.examples.SecuredGreeterGrpc; import org.hamcrest.Matchers; import org.junit.Assert; import org.junit.Test; import org.junit.runner.RunWith; import org.lognet.springboot.grpc.GRpcErrorHandler; import org.lognet.springboot.grpc.GRpcGlobalInterceptor; import org.lognet.springboot.grpc.GrpcServerTestBase; import org.lognet.springboot.grpc.demo.DemoApp; import org.lognet.springboot.grpc.security.AuthCallCredentials; import org.lognet.springboot.grpc.security.AuthHeader; import org.lognet.springboot.grpc.security.GrpcSecurity; import org.lognet.springboot.grpc.security.GrpcSecurityConfigurerAdapter; import org.springframework.boot.test.context.SpringBootTest; import org.springframework.boot.test.context.TestConfiguration; import org.springframework.boot.test.mock.mockito.SpyBean; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Import; import org.springframework.security.core.userdetails.User; import org.springframework.security.provisioning.InMemoryUserDetailsManager; import org.springframework.test.context.junit4.SpringRunner; import java.nio.ByteBuffer; import java.nio.charset.StandardCharsets; import static org.hamcrest.MatcherAssert.assertThat; import static org.mockito.ArgumentMatchers.any; import static org.mockito.ArgumentMatchers.eq; import static org.mockito.Mockito.verify; import static org.mockito.Mockito.verifyZeroInteractions; @SpringBootTest(classes = DemoApp.class) @RunWith(SpringRunner.class) @Import({SecurityInterceptorTest.TestCfg.class}) public class SecurityInterceptorTest extends GrpcServerTestBase { @TestConfiguration static class TestCfg extends GrpcSecurityConfigurerAdapter { @Override public void configure(GrpcSecurity builder) throws Exception { builder.authorizeRequests() .withSecuredAnnotation() .userDetailsService(new InMemoryUserDetailsManager( User.withDefaultPasswordEncoder() .username("user") .password("user") .authorities("SCOPE_profile") .build() )); } @GRpcGlobalInterceptor @Bean public ServerInterceptor customInterceptor(){ return new ServerInterceptor() { @Override public <ReqT, RespT> ServerCall.Listener<ReqT> interceptCall(ServerCall<ReqT, RespT> call, Metadata headers, ServerCallHandler<ReqT, RespT> next) { if(SecuredGreeterGrpc.getSayAuthHello2Method().equals(call.getMethodDescriptor())) { final Status status = Status.ALREADY_EXISTS; call.close(status, new Metadata()); throw status.asRuntimeException(); } return next.startCall(call,headers); } }; } } @Test public void originalCustomInterceptorStatusIsPreserved() { final StatusRuntimeException statusRuntimeException = Assert.assertThrows(StatusRuntimeException.class, () -> { SecuredGreeterGrpc.newBlockingStub(selectedChanel) .withCallCredentials(userCredentials()) .sayAuthHello2(Empty.newBuilder().build()).getMessage(); }); assertThat(statusRuntimeException.getStatus().getCode(), Matchers.is(Status.Code.ALREADY_EXISTS)); } @Test public void unsupportedAuthSchemeShouldThrowUnauthenticatedException() { AuthCallCredentials callCredentials = new AuthCallCredentials( AuthHeader.builder() .authScheme("custom") .tokenSupplier(() -> ByteBuffer.wrap("dummy".getBytes())) ); final StatusRuntimeException statusRuntimeException = Assert.assertThrows(StatusRuntimeException.class, () -> { SecuredGreeterGrpc.newBlockingStub(selectedChanel) .withCallCredentials(callCredentials) .sayAuthHello2(Empty.newBuilder().build()).getMessage(); }); assertThat(statusRuntimeException.getStatus().getCode(), Matchers.is(Status.Code.UNAUTHENTICATED)); } private AuthCallCredentials userCredentials(){ return new AuthCallCredentials( AuthHeader.builder() .basic("user","user".getBytes(StandardCharsets.UTF_8)) ); } } ```
```xml <?xml version="1.0" encoding="utf-8"?> <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="path_to_url" xmlns:tools="path_to_url" xmlns:app="path_to_url" android:orientation="vertical" android:layout_width="match_parent" android:layout_height="wrap_content"> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" android:showDividers="middle" android:divider="@drawable/space_8dp" app:layout_constraintStart_toStartOf="parent" app:layout_constraintEnd_toEndOf="parent" app:layout_constraintTop_toTopOf="parent"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:text="@string/quest_entrance_reference_reference_label" /> <include android:layout_width="128dp" android:layout_height="wrap_content" android:layout_gravity="center" layout="@layout/view_entrance_reference" /> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:layout_marginTop="8dp" android:text="@string/quest_entrance_reference_flat_range_label" /> <include android:layout_width="224dp" android:layout_height="wrap_content" android:layout_gravity="center" layout="@layout/view_entrance_flat_range" /> </LinearLayout> <Button android:id="@+id/toggleKeyboardButton" android:layout_width="64dp" android:layout_height="56dp" tools:text="abc" style="@style/Widget.MaterialComponents.Button.OutlinedButton" tools:ignore="RtlHardcoded" app:layout_constraintTop_toTopOf="parent" app:layout_constraintRight_toRightOf="parent" /> </androidx.constraintlayout.widget.ConstraintLayout> ```
Labeo macrostoma is fish in genus Labeo from the Congo Basin. References Labeo Fish described in 1898
Pittsfield Generating Facility is a natural gas or oil-fired station in Pittsfield, Massachusetts, built and operated by Altresco Pittsfield through 1993 (a subsidiary of Altresco Financial) when sold to J Makowski on behalf of PG&E. The plant is under a Reliability Must Run Agreement with ISO New England that requires the plant to be available to run at any time when needed by the regional grid operator. Description The plant consists of 3 GE Frame 6B 40 MW gas turbines running off of natural gas but capable of using fuel oil that feed a common 60 MW heat recovery steam generator. References Energy infrastructure completed in 1990 1990 establishments in Massachusetts Buildings and structures in Pittsfield, Massachusetts Natural gas-fired power stations in Massachusetts Oil-fired power stations in Massachusetts
```c++ // // Aspia Project // // This program is free software: you can redistribute it and/or modify // (at your option) any later version. // // This program is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // // along with this program. If not, see <path_to_url // #include "base/files/file_path_watcher.h" #include "base/logging.h" namespace base { namespace { class FilePathWatcherImpl final : public FilePathWatcher::PlatformDelegate { public: FilePathWatcherImpl(std::shared_ptr<TaskRunner> task_runner); ~FilePathWatcherImpl() final; bool watch(const std::filesystem::path& path, bool recursive, const FilePathWatcher::Callback& callback) final; void cancel() final; private: DISALLOW_COPY_AND_ASSIGN(FilePathWatcherImpl); }; //your_sha256_hash---------------------------------- FilePathWatcherImpl::FilePathWatcherImpl(std::shared_ptr<TaskRunner> task_runner) : FilePathWatcher::PlatformDelegate(std::move(task_runner)) { // Nothing } //your_sha256_hash---------------------------------- FilePathWatcherImpl::~FilePathWatcherImpl() = default; //your_sha256_hash---------------------------------- bool FilePathWatcherImpl::watch(const std::filesystem::path& /* path */, bool /* recursive */, const FilePathWatcher::Callback& /* callback */) { NOTIMPLEMENTED(); return false; } //your_sha256_hash---------------------------------- void FilePathWatcherImpl::cancel() { NOTIMPLEMENTED(); } } // namespace //your_sha256_hash---------------------------------- FilePathWatcher::FilePathWatcher(std::shared_ptr<TaskRunner> task_runner) { impl_ = std::make_shared<FilePathWatcherImpl>(std::move(task_runner)); } } // namespace base ```
```objective-c /* -*- Mode: C++; tab-width: 8; indent-tabs-mode: nil; c-basic-offset: 4 -*- * vim: set ts=8 sts=4 et sw=4 tw=99: * This Source Code Form is subject to the terms of the Mozilla Public * file, You can obtain one at path_to_url */ #ifndef vm_TypedArrayCommon_h #define vm_TypedArrayCommon_h /* Utilities and common inline code for TypedArray and SharedTypedArray */ #include "mozilla/Assertions.h" #include "mozilla/FloatingPoint.h" #include "mozilla/PodOperations.h" #include "js/Conversions.h" #include "js/Value.h" #include "vm/SharedTypedArrayObject.h" #include "vm/TypedArrayObject.h" namespace js { // Definitions below are shared between TypedArrayObject and // SharedTypedArrayObject. // ValueIsLength happens not to be according to ES6, which mandates // the use of ToLength, which in turn includes ToNumber, ToInteger, // and clamping. ValueIsLength is used in the current TypedArray code // but will disappear when that code is made spec-compliant. inline bool ValueIsLength(const Value& v, uint32_t* len) { if (v.isInt32()) { int32_t i = v.toInt32(); if (i < 0) return false; *len = i; return true; } if (v.isDouble()) { double d = v.toDouble(); if (mozilla::IsNaN(d)) return false; uint32_t length = uint32_t(d); if (d != double(length)) return false; *len = length; return true; } return false; } template<typename NativeType> static inline Scalar::Type TypeIDOfType(); template<> inline Scalar::Type TypeIDOfType<int8_t>() { return Scalar::Int8; } template<> inline Scalar::Type TypeIDOfType<uint8_t>() { return Scalar::Uint8; } template<> inline Scalar::Type TypeIDOfType<int16_t>() { return Scalar::Int16; } template<> inline Scalar::Type TypeIDOfType<uint16_t>() { return Scalar::Uint16; } template<> inline Scalar::Type TypeIDOfType<int32_t>() { return Scalar::Int32; } template<> inline Scalar::Type TypeIDOfType<uint32_t>() { return Scalar::Uint32; } template<> inline Scalar::Type TypeIDOfType<float>() { return Scalar::Float32; } template<> inline Scalar::Type TypeIDOfType<double>() { return Scalar::Float64; } template<> inline Scalar::Type TypeIDOfType<uint8_clamped>() { return Scalar::Uint8Clamped; } inline bool IsAnyTypedArray(JSObject* obj) { return obj->is<TypedArrayObject>() || obj->is<SharedTypedArrayObject>(); } inline uint32_t AnyTypedArrayLength(JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().length(); return obj->as<SharedTypedArrayObject>().length(); } inline Scalar::Type AnyTypedArrayType(JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().type(); return obj->as<SharedTypedArrayObject>().type(); } inline Shape* AnyTypedArrayShape(JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().lastProperty(); return obj->as<SharedTypedArrayObject>().lastProperty(); } inline const TypedArrayLayout& AnyTypedArrayLayout(const JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().layout(); return obj->as<SharedTypedArrayObject>().layout(); } inline void* AnyTypedArrayViewData(const JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().viewData(); return obj->as<SharedTypedArrayObject>().viewData(); } inline uint32_t AnyTypedArrayBytesPerElement(const JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().bytesPerElement(); return obj->as<SharedTypedArrayObject>().bytesPerElement(); } inline uint32_t AnyTypedArrayByteLength(const JSObject* obj) { if (obj->is<TypedArrayObject>()) return obj->as<TypedArrayObject>().byteLength(); return obj->as<SharedTypedArrayObject>().byteLength(); } inline bool IsAnyTypedArrayClass(const Class* clasp) { return IsTypedArrayClass(clasp) || IsSharedTypedArrayClass(clasp); } template<class SpecificArray> class ElementSpecific { typedef typename SpecificArray::ElementType T; typedef typename SpecificArray::SomeTypedArray SomeTypedArray; public: /* * Copy |source|'s elements into |target|, starting at |target[offset]|. * Act as if the assignments occurred from a fresh copy of |source|, in * case the two memory ranges overlap. */ static bool setFromAnyTypedArray(JSContext* cx, Handle<SomeTypedArray*> target, HandleObject source, uint32_t offset) { MOZ_ASSERT(SpecificArray::ArrayTypeID() == target->type(), "calling wrong setFromAnyTypedArray specialization"); MOZ_ASSERT(offset <= target->length()); MOZ_ASSERT(AnyTypedArrayLength(source) <= target->length() - offset); if (source->is<SomeTypedArray>()) { Rooted<SomeTypedArray*> src(cx, source.as<SomeTypedArray>()); if (SomeTypedArray::sameBuffer(target, src)) return setFromOverlappingTypedArray(cx, target, src, offset); } T* dest = static_cast<T*>(target->viewData()) + offset; uint32_t count = AnyTypedArrayLength(source); if (AnyTypedArrayType(source) == target->type()) { mozilla::PodCopy(dest, static_cast<T*>(AnyTypedArrayViewData(source)), count); return true; } #ifdef __arm__ # define JS_VOLATILE_ARM volatile // Inhibit unaligned accesses on ARM. #else # define JS_VOLATILE_ARM /* nothing */ #endif void* data = AnyTypedArrayViewData(source); switch (AnyTypedArrayType(source)) { case Scalar::Int8: { JS_VOLATILE_ARM int8_t* src = static_cast<int8_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Uint8: case Scalar::Uint8Clamped: { JS_VOLATILE_ARM uint8_t* src = static_cast<uint8_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Int16: { JS_VOLATILE_ARM int16_t* src = static_cast<int16_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Uint16: { JS_VOLATILE_ARM uint16_t* src = static_cast<uint16_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Int32: { JS_VOLATILE_ARM int32_t* src = static_cast<int32_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Uint32: { JS_VOLATILE_ARM uint32_t* src = static_cast<uint32_t*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Float32: { JS_VOLATILE_ARM float* src = static_cast<float*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } case Scalar::Float64: { JS_VOLATILE_ARM double* src = static_cast<double*>(data); for (uint32_t i = 0; i < count; ++i) *dest++ = T(*src++); break; } default: MOZ_CRASH("setFromAnyTypedArray with a typed array with bogus type"); } #undef JS_VOLATILE_ARM return true; } /* * Copy |source[0]| to |source[len]| (exclusive) elements into the typed * array |target|, starting at index |offset|. |source| must not be a * typed array. */ static bool setFromNonTypedArray(JSContext* cx, Handle<SomeTypedArray*> target, HandleObject source, uint32_t len, uint32_t offset = 0) { MOZ_ASSERT(target->type() == SpecificArray::ArrayTypeID(), "target type and NativeType must match"); MOZ_ASSERT(!IsAnyTypedArray(source), "use setFromAnyTypedArray instead of this method"); uint32_t i = 0; if (source->isNative()) { // Attempt fast-path infallible conversion of dense elements up to // the first potentially side-effectful lookup or conversion. uint32_t bound = Min(source->as<NativeObject>().getDenseInitializedLength(), len); T* dest = static_cast<T*>(target->viewData()) + offset; MOZ_ASSERT(!canConvertInfallibly(MagicValue(JS_ELEMENTS_HOLE)), "the following loop must abort on holes"); const Value* srcValues = source->as<NativeObject>().getDenseElements(); for (; i < bound; i++) { if (!canConvertInfallibly(srcValues[i])) break; dest[i] = infallibleValueToNative(srcValues[i]); } if (i == len) return true; } // Convert and copy any remaining elements generically. RootedValue v(cx); for (; i < len; i++) { if (!GetElement(cx, source, source, i, &v)) return false; T n; if (!valueToNative(cx, v, &n)) return false; len = Min(len, target->length()); if (i >= len) break; // Compute every iteration in case getElement/valueToNative is wacky. void* data = target->viewData(); static_cast<T*>(data)[offset + i] = n; } return true; } private: static bool setFromOverlappingTypedArray(JSContext* cx, Handle<SomeTypedArray*> target, Handle<SomeTypedArray*> source, uint32_t offset) { MOZ_ASSERT(SpecificArray::ArrayTypeID() == target->type(), "calling wrong setFromTypedArray specialization"); MOZ_ASSERT(SomeTypedArray::sameBuffer(target, source), "provided arrays don't actually overlap, so it's " "undesirable to use this method"); MOZ_ASSERT(offset <= target->length()); MOZ_ASSERT(source->length() <= target->length() - offset); T* dest = static_cast<T*>(target->viewData()) + offset; uint32_t len = source->length(); if (source->type() == target->type()) { mozilla::PodMove(dest, static_cast<T*>(source->viewData()), len); return true; } // Copy |source| in case it overlaps the target elements being set. size_t sourceByteLen = len * source->bytesPerElement(); void* data = target->zone()->template pod_malloc<uint8_t>(sourceByteLen); if (!data) return false; mozilla::PodCopy(static_cast<uint8_t*>(data), static_cast<uint8_t*>(source->viewData()), sourceByteLen); switch (source->type()) { case Scalar::Int8: { int8_t* src = static_cast<int8_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Uint8: case Scalar::Uint8Clamped: { uint8_t* src = static_cast<uint8_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Int16: { int16_t* src = static_cast<int16_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Uint16: { uint16_t* src = static_cast<uint16_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Int32: { int32_t* src = static_cast<int32_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Uint32: { uint32_t* src = static_cast<uint32_t*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Float32: { float* src = static_cast<float*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } case Scalar::Float64: { double* src = static_cast<double*>(data); for (uint32_t i = 0; i < len; ++i) *dest++ = T(*src++); break; } default: MOZ_CRASH("setFromOverlappingTypedArray with a typed array with bogus type"); } js_free(data); return true; } static bool canConvertInfallibly(const Value& v) { return v.isNumber() || v.isBoolean() || v.isNull() || v.isUndefined(); } static T infallibleValueToNative(const Value& v) { if (v.isInt32()) return T(v.toInt32()); if (v.isDouble()) return doubleToNative(v.toDouble()); if (v.isBoolean()) return T(v.toBoolean()); if (v.isNull()) return T(0); MOZ_ASSERT(v.isUndefined()); return TypeIsFloatingPoint<T>() ? T(JS::GenericNaN()) : T(0); } static bool valueToNative(JSContext* cx, const Value& v, T* result) { MOZ_ASSERT(!v.isMagic()); if (MOZ_LIKELY(canConvertInfallibly(v))) { *result = infallibleValueToNative(v); return true; } double d; MOZ_ASSERT(v.isString() || v.isObject() || v.isSymbol()); if (!(v.isString() ? StringToNumber(cx, v.toString(), &d) : ToNumber(cx, v, &d))) return false; *result = doubleToNative(d); return true; } static T doubleToNative(double d) { if (TypeIsFloatingPoint<T>()) { #ifdef JS_MORE_DETERMINISTIC // The JS spec doesn't distinguish among different NaN values, and // it deliberately doesn't specify the bit pattern written to a // typed array when NaN is written into it. This bit-pattern // inconsistency could confuse deterministic testing, so always // canonicalize NaN values in more-deterministic builds. d = JS::CanonicalizeNaN(d); #endif return T(d); } if (MOZ_UNLIKELY(mozilla::IsNaN(d))) return T(0); if (SpecificArray::ArrayTypeID() == Scalar::Uint8Clamped) return T(d); if (TypeIsUnsigned<T>()) return T(JS::ToUint32(d)); return T(JS::ToInt32(d)); } }; template<typename SomeTypedArray> class TypedArrayMethods { static_assert(mozilla::IsSame<SomeTypedArray, TypedArrayObject>::value || mozilla::IsSame<SomeTypedArray, SharedTypedArrayObject>::value, "methods must be shared/unshared-specific, not " "element-type-specific"); typedef typename SomeTypedArray::BufferType BufferType; typedef typename SomeTypedArray::template OfType<int8_t>::Type Int8ArrayType; typedef typename SomeTypedArray::template OfType<uint8_t>::Type Uint8ArrayType; typedef typename SomeTypedArray::template OfType<int16_t>::Type Int16ArrayType; typedef typename SomeTypedArray::template OfType<uint16_t>::Type Uint16ArrayType; typedef typename SomeTypedArray::template OfType<int32_t>::Type Int32ArrayType; typedef typename SomeTypedArray::template OfType<uint32_t>::Type Uint32ArrayType; typedef typename SomeTypedArray::template OfType<float>::Type Float32ArrayType; typedef typename SomeTypedArray::template OfType<double>::Type Float64ArrayType; typedef typename SomeTypedArray::template OfType<uint8_clamped>::Type Uint8ClampedArrayType; public: /* subarray(start[, end]) */ static bool subarray(JSContext* cx, CallArgs args) { MOZ_ASSERT(SomeTypedArray::is(args.thisv())); Rooted<SomeTypedArray*> tarray(cx, &args.thisv().toObject().as<SomeTypedArray>()); // These are the default values. uint32_t initialLength = tarray->length(); uint32_t begin = 0, end = initialLength; if (args.length() > 0) { if (!ToClampedIndex(cx, args[0], initialLength, &begin)) return false; if (args.length() > 1) { if (!ToClampedIndex(cx, args[1], initialLength, &end)) return false; } } if (begin > end) begin = end; if (begin > tarray->length() || end > tarray->length() || begin > end) { JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_BAD_INDEX); return false; } if (!SomeTypedArray::ensureHasBuffer(cx, tarray)) return false; Rooted<BufferType*> bufobj(cx, tarray->buffer()); MOZ_ASSERT(bufobj); uint32_t length = end - begin; size_t elementSize = tarray->bytesPerElement(); MOZ_ASSERT(begin < UINT32_MAX / elementSize); uint32_t arrayByteOffset = tarray->byteOffset(); MOZ_ASSERT(UINT32_MAX - begin * elementSize >= arrayByteOffset); uint32_t byteOffset = arrayByteOffset + begin * elementSize; JSObject* nobj = nullptr; switch (tarray->type()) { case Scalar::Int8: nobj = Int8ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Uint8: nobj = Uint8ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Int16: nobj = Int16ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Uint16: nobj = Uint16ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Int32: nobj = Int32ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Uint32: nobj = Uint32ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Float32: nobj = Float32ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Float64: nobj = Float64ArrayType::makeInstance(cx, bufobj, byteOffset, length); break; case Scalar::Uint8Clamped: nobj = Uint8ClampedArrayType::makeInstance(cx, bufobj, byteOffset, length); break; default: MOZ_CRASH("nonsense target element type"); break; } if (!nobj) return false; args.rval().setObject(*nobj); return true; } /* copyWithin(target, start[, end]) */ // ES6 draft rev 26, 22.2.3.5 static bool copyWithin(JSContext* cx, CallArgs args) { MOZ_ASSERT(SomeTypedArray::is(args.thisv())); // Steps 1-2. Rooted<SomeTypedArray*> obj(cx, &args.thisv().toObject().as<SomeTypedArray>()); // Steps 3-4. uint32_t len = obj->length(); // Steps 6-8. uint32_t to; if (!ToClampedIndex(cx, args.get(0), len, &to)) return false; // Steps 9-11. uint32_t from; if (!ToClampedIndex(cx, args.get(1), len, &from)) return false; // Steps 12-14. uint32_t final; if (args.get(2).isUndefined()) { final = len; } else { if (!ToClampedIndex(cx, args.get(2), len, &final)) return false; } // Steps 15-18. // If |final - from < 0|, then |count| will be less than 0, so step 18 // never loops. Exit early so |count| can use a non-negative type. // Also exit early if elements are being moved to their pre-existing // location. if (final < from || to == from) { args.rval().setObject(*obj); return true; } uint32_t count = Min(final - from, len - to); uint32_t lengthDuringMove = obj->length(); // beware ToClampedIndex // Technically |from + count| and |to + count| can't overflow, because // buffer contents are limited to INT32_MAX length. But eventually // we're going to lift this restriction, and the extra checking cost is // negligible, so just handle it anyway. if (from > lengthDuringMove || to > lengthDuringMove || count > lengthDuringMove - from || count > lengthDuringMove - to) { JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_TYPED_ARRAY_BAD_ARGS); return false; } const size_t ElementSize = obj->bytesPerElement(); MOZ_ASSERT(to <= UINT32_MAX / ElementSize); uint32_t byteDest = to * ElementSize; MOZ_ASSERT(from <= UINT32_MAX / ElementSize); uint32_t byteSrc = from * ElementSize; MOZ_ASSERT(count <= UINT32_MAX / ElementSize); uint32_t byteSize = count * ElementSize; #ifdef DEBUG uint32_t viewByteLength = obj->byteLength(); MOZ_ASSERT(byteSize <= viewByteLength); MOZ_ASSERT(byteDest <= viewByteLength); MOZ_ASSERT(byteSrc <= viewByteLength); MOZ_ASSERT(byteDest <= viewByteLength - byteSize); MOZ_ASSERT(byteSrc <= viewByteLength - byteSize); #endif uint8_t* data = static_cast<uint8_t*>(obj->viewData()); mozilla::PodMove(&data[byteDest], &data[byteSrc], byteSize); // Step 19. args.rval().set(args.thisv()); return true; } /* set(array[, offset]) */ static bool set(JSContext* cx, CallArgs args) { MOZ_ASSERT(SomeTypedArray::is(args.thisv())); Rooted<SomeTypedArray*> target(cx, &args.thisv().toObject().as<SomeTypedArray>()); // The first argument must be either a typed array or arraylike. if (args.length() == 0 || !args[0].isObject()) { JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_TYPED_ARRAY_BAD_ARGS); return false; } int32_t offset = 0; if (args.length() > 1) { if (!ToInt32(cx, args[1], &offset)) return false; if (offset < 0 || uint32_t(offset) > target->length()) { // the given offset is bogus JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_TYPED_ARRAY_BAD_INDEX, "2"); return false; } } RootedObject arg0(cx, &args[0].toObject()); if (IsAnyTypedArray(arg0)) { if (AnyTypedArrayLength(arg0) > target->length() - offset) { JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_BAD_ARRAY_LENGTH); return false; } if (!setFromAnyTypedArray(cx, target, arg0, offset)) return false; } else { uint32_t len; if (!GetLengthProperty(cx, arg0, &len)) return false; if (uint32_t(offset) > target->length() || len > target->length() - offset) { JS_ReportErrorNumber(cx, js_GetErrorMessage, nullptr, JSMSG_BAD_ARRAY_LENGTH); return false; } if (!setFromNonTypedArray(cx, target, arg0, len, offset)) return false; } args.rval().setUndefined(); return true; } static bool setFromArrayLike(JSContext* cx, Handle<SomeTypedArray*> target, HandleObject source, uint32_t len, uint32_t offset = 0) { MOZ_ASSERT(offset <= target->length()); MOZ_ASSERT(len <= target->length() - offset); if (IsAnyTypedArray(source)) return setFromAnyTypedArray(cx, target, source, offset); return setFromNonTypedArray(cx, target, source, len, offset); } private: static bool setFromAnyTypedArray(JSContext* cx, Handle<SomeTypedArray*> target, HandleObject source, uint32_t offset) { MOZ_ASSERT(IsAnyTypedArray(source), "use setFromNonTypedArray"); switch (target->type()) { case Scalar::Int8: return ElementSpecific<Int8ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Uint8: return ElementSpecific<Uint8ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Int16: return ElementSpecific<Int16ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Uint16: return ElementSpecific<Uint16ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Int32: return ElementSpecific<Int32ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Uint32: return ElementSpecific<Uint32ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Float32: return ElementSpecific<Float32ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Float64: return ElementSpecific<Float64ArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Uint8Clamped: return ElementSpecific<Uint8ClampedArrayType>::setFromAnyTypedArray(cx, target, source, offset); case Scalar::Float32x4: case Scalar::Int32x4: case Scalar::MaxTypedArrayViewType: break; } MOZ_CRASH("nonsense target element type"); } static bool setFromNonTypedArray(JSContext* cx, Handle<SomeTypedArray*> target, HandleObject source, uint32_t len, uint32_t offset) { MOZ_ASSERT(!IsAnyTypedArray(source), "use setFromAnyTypedArray"); switch (target->type()) { case Scalar::Int8: return ElementSpecific<Int8ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Uint8: return ElementSpecific<Uint8ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Int16: return ElementSpecific<Int16ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Uint16: return ElementSpecific<Uint16ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Int32: return ElementSpecific<Int32ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Uint32: return ElementSpecific<Uint32ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Float32: return ElementSpecific<Float32ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Float64: return ElementSpecific<Float64ArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Uint8Clamped: return ElementSpecific<Uint8ClampedArrayType>::setFromNonTypedArray(cx, target, source, len, offset); case Scalar::Float32x4: case Scalar::Int32x4: case Scalar::MaxTypedArrayViewType: break; } MOZ_CRASH("bad target array type"); } }; } // namespace js #endif // vm_TypedArrayCommon_h ```
Jon Teske (born May 4, 1997) is an American former professional basketball player. He played college basketball for the Michigan Wolverines. He was part of the 2017–18 team that reached the Championship Game of the 2018 NCAA Division I men's basketball tournament. Teske was a member of 2017 and 2018 Big Ten Conference men's basketball tournament champions during his first two seasons. Teske was not selected in the 2020 NBA draft and signed with the Orlando Magic for training camp. He was waived before the start of the season and joined their NBA G League affiliate, the Lakeland Magic, with whom he won a championship with in 2021. Teske joined Belgian team Filou Oostende in March 2021, but left the team before playing a single game. He re-joined Orlando for training camp in September 2022 and played again for Lakeland after getting waived in October. Teske also spent time with the Memphis Grizzlies on a 10-day contract in January 2022. He retired from pro basketball after the 2021–22 season. High school career Teske lived in the Grand Rapids, Michigan suburb of Grandville until he was 10 and his family moved to Medina, Ohio. Teske was as a high school freshman and as a sophomore before eclipsing as a junior for Medina High School. Among Teske's advisors on his recruitment was his maternal grandfather, Jim Zuidema. On August 7, 2014, he committed to Michigan via Twitter. Teske signed his National Letters of Intent on November 11, 2015, on the same day as future teammates Austin Davis, Ibi Watson and Zavier Simpson. Simpson, Watson and Teske were all named to the 2015–16 Associated Press Ohio high school Division I boys basketball all-state 1st team. College career Freshman season Teske logged just 61 minutes in 20 games for the 2016–17 Michigan Wolverines men's basketball team. The team won the 2017 Big Ten Conference men's basketball tournament. In the 2017 NCAA tournament, Michigan reached the round of 16 but lost to Oregon. Following the season, D. J. Wilson declared early for the 2017 NBA draft and Mark Donnal left the program, making way for Teske and Austin Davis to compete for more playing time. Sophomore season On November 16, 2017, Teske, who had previous career highs of four points and three rebounds, led the 2017–18 Wolverines with a 10-point, 11-rebound double-double in a victory against Southern Miss. On December 16, Michigan defeated Detroit 90–58 as Teske made his first collegiate start (in place of Mo Wagner) and recorded his second career double-double (15 points and 10 rebounds); the game marked the first collegiate basketball game at Little Caesars Arena. Michigan claimed their second consecutive Big Ten tournament championship at the 2018 Big Ten Conference men's basketball tournament, becoming the first team to win consecutive tournament championships since Ohio State in 2010 and 2011; in the championship game against (#8 AP Poll/#8 Coaches Poll) Purdue, Teske posted 14 points off the bench while matched up against Isaac Haas, when Wagner had foul trouble. In the 2018 NCAA tournament, Teske played 17 minutes in a buzzer beater 64–63 victory over (#21 AP Poll/#19 Coaches Poll) Houston, including a two free throws as part of a rare five-point play to tie the score at 51 with 5:41 remaining. Michigan reached the National Championship Game where it lost to (#2 Coaches Poll/#2 AP Poll) Villanova. Teske was one of a few players from the Cleveland area (including former Wolverine Eric Riley) to have played in a championship game. For the season, Teske averaged 12.3 minutes per game to go with 3.4 points and 3.3 rebounds. Since the team reached the championship games of both the Big Ten tournament and the NCAA tournament, Teske shares the Michigan (and NCAA) single-season games played record (41) with teammates Duncan Robinson, Muhammad-Ali Abdur-Rahkman, Simpson and Charles Matthews. Members of the 2010–11 Connecticut Huskies also played 41 games (an NCAA record). Junior season In November 2018, Teske twice posted 5 blocked shots in a game: On November 10 against Holy Cross and November 28 against (#11/#13) North Carolina 84–67 in the ACC–Big Ten Challenge. Teske first posted 17 points and made a three-point shot on November 18 in a win against Providence in the Hall of Fame Tip Off tournament championship game. Teske again posted 17 points on December 1, against (#19/#18) Purdue in Michigan's Big Ten Conference season opener. On December 4, Michigan defeated Northwestern 62–60. When Teske experienced his first foul trouble of the season Michigan saw a comfortable win turn into a nailbiter as Northwestern posted a 13–2 run after Teske joined teammate Matthews on the sidelines with three fouls. On January 10, 2019, Michigan defeated Illinois as Teske added 13 points and 11 rebounds, for his third career double-double, and first of the season. With the win, the Wolverines improved to 16–0 on the season, matching the 2012–13 and 1985–86 teams for the school's best start to a season. On January 13, Michigan defeated Northwestern to establish a school record for best start at 17–0 and tied the 1984–85 team's school record 17-game win streak on the strength of a career-high-tying 17 points by Teske, who posted his second consecutive double-double (11 rebounds). Teske tied his career high of 17 points again in wins against (#19/#19) Wisconsin on February 9 (in a double-double with 12 rebounds) and on February 21 against Minnesota when he again posted five blocks. On February 24, Teske posted 10 points and 11 rebounds, for his fourth double-double of the season in a loss to (#10/#11) Michigan State. On February 28, Teske posted a then career-high 22 points and 10 assists, for his second consecutive double-double and fifth of the season, in a win against Nebraska. On March 3, Teske posted 11 points and 10 rebounds, for his third consecutive game with a double-double and sixth of the season in a win against (#17/#20) Maryland. Following the season, he was a 2019 All-Big Ten honorable mention selection (coaches and media). Teske's 75 blocked shots in 37 games (2.03/game), finished second in the Big Ten to Purdue's Matt Haarms who had 79 blocks in 36 games (2.06/game). Senior season Prior to the season, Teske was named to the preseason Abdul-Jabbar Award 20-man watchlist. The team began the season unranked but received votes in the national polls. On November 5, 2019, in a game against Appalachian State, Teske posted 17 points and a career-high 13 rebounds, for his 11th career double-double. During the November 27–29, 2019 Battle 4 Atlantis, Michigan defeated Iowa State, (#6 AP Poll/#4 Coaches Poll) North Carolina, and (#8/#7) Gonzaga to win the tournament. In the championship game, Teske added 19 points, a career-high 15 rebounds and four blocks and was named tournament MVP. Teske's three double-digit-scoring games and 10-block/29-rebound tournament earned him co-Big Ten Player of the Week. His performance helped Michigan tie the 1989–90 Kansas Jayhawks for the largest jump in the history of the AP Poll as they jumped from unranked to number 4 in the 2019–20 basketball rankings. On December 5, Teske was one of six Big Ten athletes named to the Oscar Robertson Trophy Watch List. On December 29, Teske posted a career-high 25 points in a win against UMass Lowell. Professional career Lakeland Magic (2021–2022) After going undrafted in the 2020 NBA draft, Teske signed with the Orlando Magic for training camp. He was waived at the conclusion of training camp, and added to the roster of the Lakeland Magic for the NBA G League restart, averaging 6.7 points, 3.4 rebounds and 1.4 assists while helping Lakeland win the G League title. On March 25, 2021, Teske signed with Filou Oostende of the Belgian League, but left the team for personal reasons before playing a single game. On September 8, he signed with the Orlando Magic, but was later waived on October 7 after two preseason games. Teske subsequently rejoined the Lakeland Magic. Memphis Grizzlies (2022) On January 3, 2022, Teske signed a 10-day contract with the Memphis Grizzlies. Return to Lakeland (2022) Following the expiration of his 10-day contract, Teske returned to the Lakeland Magic. Teske retired from professional basketball shortly after the 2021–22 season. Personal life Teske is from a family of tall athletes. His father, Ben, is and his mother, Julie, is . His older sister, Hannah, and younger sister, Abby, are both at least . Both his parents played basketball for Grace College and his sisters played high school sports. His maternal grandparents remained in the Grand Rapids area after the family moved to Medina and Teske continued to visit Grand Rapids often while in college. Teske currently works in sales for Gordon Food Service. Career statistics NBA |- | style="text-align:left;"| | style="text-align:left;"| Memphis | 3 || 0 || 2.7 || .000 || — || .000 || .7 || .3 || .3 || .0 || .0 |- class="sortbottom" | style="text-align:center;" colspan="2"| Career | 3 || 0 || 2.7 || .000 || — || .000 || .7 || .3 || .3 || .0 || .0 College |- | style="text-align:left;"| 2016–17 | style="text-align:left;"| Michigan | 20 || 0 || 3.0 || .143 || .000 || .500 || .6 || .1 || .2 || .4 || .3 |- | style="text-align:left;"| 2017–18 | style="text-align:left;"| Michigan | style="background:#cfecec;"| 41* || 2 || 12.3 || .541 || .000 || .574 || 3.3 || .4 || .6 || .6 || 3.4 |- | style="text-align:left;"| 2018–19 | style="text-align:left;"| Michigan | 37 || 37 || 27.9 || .521 || .299 || .593 || 7.0 || .9 || .7 || 2.0 || 9.5 |- | style="text-align:left;"| 2019–20 | style="text-align:left;"| Michigan | 31 || 31 || 27.9 || .478 || .246 || .714 || 6.7 || 1.1 || 1.0 || 1.8 || 11.6 |- class="sortbottom" | style="text-align:center;" colspan="2"| Career | 129 || 70 || 19.1 || .501 || .271 || .631 || 4.8 || .7 || .6 || 1.3 || 6.6 References External links Michigan Wolverines bio Stats at ESPN Stats at CBS Sports 1997 births Living people American men's basketball players Basketball players from Grand Rapids, Michigan Basketball players from Indianapolis Basketball players from Ohio Centers (basketball) Lakeland Magic players Memphis Grizzlies players Michigan Wolverines men's basketball players People from Grandville, Michigan People from Medina, Ohio Undrafted National Basketball Association players
Marco Pischorn (born 1 January 1986 in Mühlacker) is a German retired football defender. In October 2007, he was promoted to the first team of VfB Stuttgart. He had his professional debut on 27 October 2007 against Bayer Leverkusen. He left for SV Sandhausen in 2010, where he would spend three and a half years before joining Preußen Münster. References External links 1986 births Living people People from Mühlacker Footballers from Karlsruhe (region) Men's association football defenders German men's footballers VfB Stuttgart players VfB Stuttgart II players SV Sandhausen players SC Preußen Münster players Bundesliga players 2. Bundesliga players 3. Liga players 21st-century German people
Mountain Division is a railroad line that was once owned and operated by the Maine Central Railroad (MEC). Mountain Division may also refer to: Infantry units Germany 1st Mountain Division (Bundeswehr) 1st Mountain Division (Wehrmacht) 2nd Mountain Division (Wehrmacht) 3rd Mountain Division (Wehrmacht) 4th Mountain Division (Wehrmacht) 5th Mountain Division (Wehrmacht) 6th Mountain Division (Wehrmacht) 6th SS Mountain Division Nord 7th Mountain Division (Wehrmacht) 7th SS Volunteer Mountain Division Prinz Eugen 8th Mountain Division (Wehrmacht) 9th Mountain Division (Wehrmacht) 13th Waffen Mountain Division of the SS Handschar (1st Croatian) 21st Waffen Mountain Division of the SS Skanderbeg 23rd Waffen Mountain Division of the SS Kama (2nd Croatian) 24th Waffen Mountain Division of the SS Karstjäger 188th Reserve Mountain Division (Wehrmacht) United States 10th Mountain Division 10th Mountain Division Artillery 4th Brigade Combat Team, 10th Mountain Division Combat Aviation Brigade, 10th Mountain Division Special Troops Battalion, 10th Mountain Division Special Troops Battalion, 1st Brigade Combat Team, 10th Mountain Division (United States) Special Troops Battalion, 2nd Brigade Combat Team, 10th Mountain Division (United States) Special Troops Battalion, 3rd Brigade Combat Team, 10th Mountain Division (United States) Other countries 4th Mountain Division (India) 8th Mountain Division (India) 4 Mountain Infantry Division Livorno (Italian Army) 76th Armenian Mountain Division, Soviet Union Other military units Cheyenne Mountain Division Other uses Mountain Division of the Mountain West Conference See also Mountain (disambiguation) to see other types. Central Division (disambiguation) Eastern Division (disambiguation) Northern Division (disambiguation) Southern Division (disambiguation) Western Division (disambiguation)
David Calder may refer to: David Calder (rower) (born 1978), Canadian rower and Olympic athlete David Calder (actor) (born 1946), British actor David O. Calder (1823–1884), Mormon pioneer and journalist
The Bible College of Wales, renamed the Trinity School of Ministry from 2009–2012, is a Christian ministry college located along Derwen Fawr Road in Swansea, Wales. Originally based in Swansea, Wales, it was founded in 1924 by Rees Howells. In 2009, it was relocated from Wales to England and renamed Trinity School of Ministry, run by Global Horizons. In 2012, Cornerstone Community Church, an independent Pentecostal congregation based in Singapore purchased and refurbished the property at Derwen Fawr. The college has since been reopened and runs a three-month School of Ministry programme twice a year. The College's current director, is Pastor Yang Tuck Yoong. Among its most prominent graduates is the late evangelist Reinhard Bonnke, who died in 2019. History Prior to starting the Bible College of Wales, founder Rees Howells was part of a ministry in Africa from 1915 to 1920. He left this life behind him to focus on the founding of a training college that could equip the growing number of Christian converts to become missionaries and ministry workers. Inspired by the Moody Bible Institute in Chicago, Illinois, he started a Bible College in Swansea. Despite having only two shillings when he purchased the first property for the Bible College of Wales, he eventually received gifts sufficient to make up for the shortfall. He went on to purchase four estates for the College Wales - Glynderwen, Derwen Fawr, Sketty Isaf, and Penllergaer. It formally opened at Glynderwen House, Swansea, UK in 1924. Rees Howells was director of the college until his death in 1950. He was succeeded by his son Samuel Rees Howells who led the college until a year before his death in 2004. The college continued to run under Alan Scotland. In July 2009 the Bible College of Wales saw its last graduation. In September 2009, the college operations moved to Rugby under the name Trinity School of Ministry and was run by Global Horizons. In December 2012, Cornerstone Community Church of Singapore purchased the Derwen Fawr site and announced intentions to establish a new Bible school on the site while retaining its original name and honouring its heritage and legacy. The Bible College of Wales was reopened and inaugurated on Whit Monday, 2015 under the new leadership. Accreditation The BCW School of Ministry is accredited by the Accreditation Service for International Schools, Colleges & Universities to offer a diploma in ministry. Notable alumni Reinhard Bonnke Evangelist Charles W Doss Bibliography Samuel, Son and Successor of Rees Howells, by Richard Maton, ByFaith Media, 2012. Covers the story of how the Bible College of Wales was founded, and its full history. Samuel Rees Howells: A Life of Intercession, The Legacy of Prayer and Spiritual Warfare of an Intercessor by Richard Maton. Covering the prayers of the Bible College of Wales 1939-2002 and the move from Swansea, to Trinity School of Ministry. References External links Trinity School of Ministry - official site Rees Howells The Life of Rees Howells Bible College of Wales - official site Bible College of Wales - Cornerstone Community Church Rees Howells, Intercessor DVD Official DVD on the life of Rees Howells Samuel, Son and Successor of Rees Howells. The full history of the Bible College of Wales, with many photos of Rees and Samuel Howells, plus the College buildings. Samuel Rees Howells: A Life of Intercession. The Legacy of Prayer and Spiritual Warfare of an Intercessor by Richard Maton. Covering the prayers of the Bible College of Wales, and the reasons for the move to Trinity School of Ministry 1939-2002. Further education colleges in Swansea 1924 establishments in Wales Bible colleges, seminaries and theological colleges in Wales Bible colleges, seminaries and theological colleges in England
The Wilcox-Cutts House is a historic house on Vermont Route 22A in Orwell, Vermont, USA. Its oldest portions date to 1789, but it is regarded as one of Vermont's finest examples of late Greek Revival architecture, the result of a major transformation in 1843. The house and accompanying farmland, also significant in the development of Morgan horse breeding in the state, was listed on the National Register of Historic Places in 1974. Description and history The Wilcox-Cutts House stands in a rural area of central-southern Orwell, on the east side of Vermont Route 22A just south of Sanford Brook. The house is set on a farm property in excess of which the road roughly bisects. The house is set back about from the road on a terraced rise with woods behind. It is an L-shaped -story wood-frame structure, with a gabled roof and clapboarded exterior. The main portion of the house has a Greek temple front, with five Ionic columns supporting a pedimented gable. Greek Revival detailing extends to single-story flanking wings, with the northern one acting as a connector to the rear ell, which is the original 18th-century farmhouse. The interior of the main block has high quality Greek Revival woodwork and plaster detailing. The house now forming the rear of the house was built in 1789 by William Holenbeck, one of Orwell's first permanent settlers. The house was purchased in 1800 by Ebenezer Wilcox, who enlarged it slightly (with an ell to the east) in 1819. Wilcox's son Lucius had the large Greek Revival front section added in 1843, retaining the services of the James Lamb, a regionally known master builder from Shoreham. The building is a remarkably sophisticated and high-style example of the Greek Revival for a rural setting, and has been twice copied: once for a house in Castleton, and again for a reduced-scale replica at the Shelburne Museum. Linus Wilcox was one of the first breeders of merino sheep in the state. In 1872, the property was acquired by Henry Cutts, who was one of the nation's leading breeders of the Morgan horse. See also National Register of Historic Places listings in Addison County, Vermont References Houses on the National Register of Historic Places in Vermont National Register of Historic Places in Addison County, Vermont Greek Revival architecture in Vermont Houses completed in 1789 Houses in Addison County, Vermont Buildings and structures in Orwell, Vermont
The Irish League in season 1946–47 was suspended due to the Second World War. A Northern Regional League was played instead by 8 teams, and Belfast Celtic won the championship. League standings References External links Northern Ireland - List of final tables (RSSSF) NIFL Premiership seasons 1946–47 in European association football leagues 1946–47 in Northern Ireland association football
R1200 may refer to any of the following motorcycles: BMW R1200C R1200GS R1200R R1200RT R1200S R1200ST Kawasaki ZZ-R1200
David Albert Westbrook is a German-born American author, academic and legal expert. He is Louis A. Del Cotto professor and co-directs the NYC Program in Finance and Law at the University at Buffalo School of Law, State University of New York. Westbrook writes on the social and intellectual consequences of contemporary political economy as expressed in corporations and finance, international law, globalization and social theory. Westbrook has authored several books including City Of Gold: An Apology for Global Capitalism in a Time of Discontent, Navigators of the Contemporary: Why Ethnography Matters, and Getting Through Security: Counterterrorism, Bureaucracy, and a Sense of the Modern. In the wake of the financial crisis, Westbrook spoke about political economy and the fragilities of capitalism in China, Pakistan, Jamaica, Brazil and Portugal. Education Westbrook received his B.A. degree in German Studies in 1988 from Emory University, where he was a Woodruff Scholar. He studied with and worked as a Research Associate for Harold J. Berman at Emory University Law School. In 1992, he received his J.D. degree from Harvard Law School, where he was a Ford Fellow in Public International Law. Westbrook wrote his thesis and was a teaching assistant for Mary Ann Glendon. Career Westbrook clerked at the United States Court of Appeals for the Federal Circuit from 1993 till 1995 for Judge S. Jay Plager and then worked as an Associate at Wilmer Cutler Pickering Hale and Dorr. He joined the University at Buffalo School of Law, State University of New York, as an Associate Professor in 1998 and was promoted to Professor in 2004. During his term at the University, Westbrook was appointed as Floyd H. and Hilda L. Hurst Faculty Scholar from 2007 till 2013. He became Louis A. Del Cotto Professor in 2013. Scholarship Westbrook has conducted research on corporations and finance, international law and globalization, political economy and social theory. He has also published various works on the significance of developments in the equity markets and corporate governance, in order to facilitate understanding of commercial society. Political economy Westbrook has researched on political economy and discussed the contextual changes in politics and highlighted how globalization affected the law. In the early 2010s, he authored a paper discussing the economy of North Atlantic countries and highlighted the presented approaches for collective thinking and decision making. Westbrook focused on three movements and discussed the various methods for forming an elite consensus along with the relevant major conceptual obstacles. Westbrook published his book, City Of Gold: An Apology for Global Capitalism in a Time of Discontent in 2003. The book was reviewed as "a powerful demonstration of the limits at which global capitalism may be seen as an effective and efficient way of organizing economic interaction in our cosmopolitan society." According to E. Fuat Keyman, "In City of Gold, Westbrook makes a significant contribution to the literature on globalization by going beyond a purely market-based or a state-centric analysis of social change". Corporations and finance After the Global Financial Crisis, Westbrook focused on the failures of classical economic thought, and discussed new ways to regulate financial markets In 2010, Westbrook published his book, Out of Crisis: Rethinking Our Financial Markets''', which was reviewed as "a fascinating new book" which "is a compelling and entertaining diatribe against some of the sacred cows of finance." Mae Kuykendall reviewed that "Westbrook draws on his wide knowledge of law, finance, literary theory, cultural anthropology, and political history to guide us through our recent disaster." Westbrook's work on corporations and finance also includes his book, Between Citizen and State: An Introduction to the Corporation. Possibilities for intellectual life Westbrook also considers what it means to be an intellectual under contemporary circumstances. His book, Navigators of the Contemporary: Why Ethnography Matters (2009), considers the refunctioning of ethnography to address modern life, and was written out of conversation with the anthropologists George Marcus and Douglas Holmes. Werner Kraus wrote: "The transition from admiration of the ethnographic method per se to an exploration of multisited fieldwork and the paraethnographic is fluent and often enough brilliant." According to Tobias Rees, "the book is the result of the anthropologists' effort to engage the paraethnographer in a discussion about anthropology and its current dilemma." In "Critical Issues for Qualitative Research", Westbrook discussed changes in the institutional meaning of the University, and consequences for the humanities and the social sciences. International law Westbrook has also conducted research on international law, focusing especially on security, environment, and Islam. He focused on sustainable development and discussed the visions of history and the pragmatism of environmentalists. He presented his ideas regarding sustainability and stressed upon sustainable development as a pragmatic concept. In 2011, Westbrook published Deploying Ourselves: Islamist Violence, Globalization, and the Responsible Projection of U.S. Force. Bibliography BooksCity Of Gold: An Apology for Global Capitalism in a Time of Discontent (2003) Between Citizen and State: An Introduction to the Corporation (2007) Navigators of the Contemporary: Why Ethnography Matters (2009) Out of Crisis: Rethinking Our Financial Markets (2010) Deploying Ourselves: Islamist Violence, Globalization, and the Responsible Projection of U.S. Force (2011) Welcome to New Country: Music for Today's America (2017) Getting Through Security: Counterterrorism, Bureaucracy, and a Sense of the Modern (2020) Selected articles Westbrook, A. D., & Westbrook, D. A. (2018). Snapchat's Gift: Equity Culture in High-Tech Firms. Fla. St. UL Rev., 46, 861. Westbrook, D. A., & Maguire, M. (2019). Those People [May Yet Be] a Kind of Solution Late Imperial Thoughts on the Humanization of Officialdom. Buff. L. Rev., 67, 889. Westbrook, A. D., & Westbrook, D. A. (2017). Unicorns, Guardians, and the Concentration of the US Equity Markets. Neb. L. Rev., 96, 688. Westbrook, D. A. (2017). The paradigm sways: Macroeconomics turns to history. Westbrook, DA (2017), The Paradigm Sways: Macroeconomics Turns to History. Int Finance, 20, 2016–047. "Critical Issues for Qualitative Research," last chapter in The Sage Handbook of Qualitative Research'', 5th ed., (Norman Denzin and Yvonna Lincoln, eds.), ch. 41, pp. 915-922 (2017). Westbrook, D. A. (2016). Losing our manners: The current crisis and possible durability of liberal discourse. References External links Westbrook's publications Living people 1965 births German American Emory University alumni Harvard Law School alumni University at Buffalo faculty
Greatest Disco Hits: Music for Non-Stop Dancing is an album released by the Salsoul Orchestra in 1978 on Salsoul Records (LP record SA 8508). It is noted for its pioneering use of slip-cueing, known at the time as “disco blending,” a phrase coined by Walter Gibbons. Reception Prior to landing on the charts, the album had been reviewed as a “perfect party record” by Billboard magazine. Greatest Disco Hits entered the Billboard 200 album charts on September 9, 1978, and remained there for 13 weeks; it peaked at #97 and was the group's last album to break the top 100. Track listing All tracks written by Vincent Montana Jr. except where noted. "Salsoul: 3001 [Introduction]" (adapted by Montana from Also sprach Zarathustra by Richard Strauss) "Nice ‘n' Naasty" "Getaway" (Peter Cor, Beloyd Taylor) "You're Just the Right Size" "Chicago Bus Stop (Ooh, I Love It)" "Tangerine" (Johnny Mercer, Victor Schertzinger) "Salsoul Hustle" "Magic Bird of Fire" "It's Good for the Soul" "Salsoul Rainbow" "Don’t Beat Around the Bush" "Salsoul: 3001" (adapted by Montana from Also sprach Zarathustra by Richard Strauss) References 1978 albums Salsoul Orchestra albums
```c /*++ version 3. Alternative licensing terms are available. Contact info@minocacorp.com for details. See the LICENSE file at the root of this project for complete licensing information. Module Name: rsa.c Abstract: This module impelements support for the Rivest Shamir Adleman public/ private key encryption scheme. Author: Evan Green 21-Jul-2015 Environment: Any --*/ // // your_sha256_hash--- Includes // #include "../cryptop.h" // // your_sha256_hash Definitions // // // ------------------------------------------------------ Data Type Definitions // // // ----------------------------------------------- Internal Function Prototypes // PBIG_INTEGER CypRsaRunPrivateKey ( PRSA_CONTEXT Context, PBIG_INTEGER Message ); PBIG_INTEGER CypRsaRunPublicKey ( PRSA_CONTEXT Context, PBIG_INTEGER Message ); // // your_sha256_hash---- Globals // // // your_sha256_hash-- Functions // CRYPTO_API KSTATUS CyRsaInitializeContext ( PRSA_CONTEXT Context ) /*++ Routine Description: This routine initializes an RSA context. The caller must have filled out the allocate, reallocate, and free memory routine pointers in the big integer context, and zeroed the rest of the structure. Arguments: Context - Supplies a pointer to the context to initialize. Return Value: Status code. --*/ { KSTATUS Status; Status = CypBiInitializeContext(&(Context->BigIntegerContext)); if (!KSUCCESS(Status)) { return Status; } ASSERT(Context->ModulusSize == 0); return Status; } CRYPTO_API VOID CyRsaDestroyContext ( PRSA_CONTEXT Context ) /*++ Routine Description: This routine destroys a previously intialized RSA context. Arguments: Context - Supplies a pointer to the context to destroy. Return Value: None. --*/ { PBIG_INTEGER_CONTEXT BigContext; PBIG_INTEGER Value; BigContext = &(Context->BigIntegerContext); Value = Context->PublicExponent; if (Value != NULL) { CypBiMakeNonPermanent(Value); CypBiReleaseReference(BigContext, Value); } CypBiReleaseModuli(BigContext, BIG_INTEGER_M_OFFSET); Value = Context->PrivateExponent; if (Value != NULL) { CypBiMakeNonPermanent(Value); CypBiReleaseReference(BigContext, Value); } Value = Context->PValue; if (Value != NULL) { CypBiReleaseModuli(BigContext, BIG_INTEGER_P_OFFSET); } Value = Context->QValue; if (Value != NULL) { CypBiReleaseModuli(BigContext, BIG_INTEGER_Q_OFFSET); } Value = Context->DpValue; if (Value != NULL) { CypBiMakeNonPermanent(Value); CypBiReleaseReference(BigContext, Value); } Value = Context->DqValue; if (Value != NULL) { CypBiMakeNonPermanent(Value); CypBiReleaseReference(BigContext, Value); } Value = Context->QInverse; if (Value != NULL) { CypBiMakeNonPermanent(Value); CypBiReleaseReference(BigContext, Value); } CypBiDestroyContext(BigContext); // // Zero out the whole context to be safe. // RtlZeroMemory(Context, sizeof(RSA_CONTEXT)); return; } CRYPTO_API KSTATUS CyRsaLoadPrivateKey ( PRSA_CONTEXT Context, PRSA_PRIVATE_KEY_COMPONENTS PrivateKey ) /*++ Routine Description: This routine adds private key information to the given RSA context. Arguments: Context - Supplies a pointer to the context. PrivateKey - Supplies a pointer to the private key information. All fields are required, including the public key ones. Return Value: Status code. --*/ { PBIG_INTEGER_CONTEXT BigInteger; KSTATUS Status; PBIG_INTEGER Value; Status = CyRsaLoadPublicKey(Context, &(PrivateKey->PublicKey)); if (!KSUCCESS(Status)) { return Status; } BigInteger = &(Context->BigIntegerContext); Value = CypBiImport(BigInteger, PrivateKey->PrivateExponent, PrivateKey->PrivateExponentLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } CypBiMakePermanent(Value); Context->PrivateExponent = Value; Value = CypBiImport(BigInteger, PrivateKey->PValue, PrivateKey->PValueLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } Context->PValue = Value; Value = CypBiImport(BigInteger, PrivateKey->QValue, PrivateKey->QValueLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } Context->QValue = Value; Value = CypBiImport(BigInteger, PrivateKey->DpValue, PrivateKey->DpValueLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } CypBiMakePermanent(Value); Context->DpValue = Value; Value = CypBiImport(BigInteger, PrivateKey->DqValue, PrivateKey->DqValueLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } CypBiMakePermanent(Value); Context->DqValue = Value; Value = CypBiImport(BigInteger, PrivateKey->QInverse, PrivateKey->QInverseLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } CypBiMakePermanent(Value); Context->QInverse = Value; Status = CypBiCalculateModuli(BigInteger, Context->PValue, BIG_INTEGER_P_OFFSET); if (!KSUCCESS(Status)) { return Status; } Status = CypBiCalculateModuli(BigInteger, Context->QValue, BIG_INTEGER_Q_OFFSET); if (!KSUCCESS(Status)) { return Status; } return STATUS_SUCCESS; } CRYPTO_API KSTATUS CyRsaLoadPublicKey ( PRSA_CONTEXT Context, PRSA_PUBLIC_KEY_COMPONENTS PublicKey ) /*++ Routine Description: This routine adds public key information to the given RSA context. This routine should not be called if private key information was already added. Arguments: Context - Supplies a pointer to the context. PublicKey - Supplies a pointer to the public key information. All fields are required. Return Value: Status code. --*/ { PBIG_INTEGER_CONTEXT BigInteger; KSTATUS Status; PBIG_INTEGER Value; BigInteger = &(Context->BigIntegerContext); Context->ModulusSize = PublicKey->ModulusLength; Value = CypBiImport(BigInteger, PublicKey->Modulus, PublicKey->ModulusLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } Status = CypBiCalculateModuli(BigInteger, Value, BIG_INTEGER_M_OFFSET); if (!KSUCCESS(Status)) { return Status; } Value = CypBiImport(BigInteger, PublicKey->PublicExponent, PublicKey->PublicExponentLength); if (Value == NULL) { return STATUS_INSUFFICIENT_RESOURCES; } CypBiMakePermanent(Value); Context->PublicExponent = Value; return STATUS_SUCCESS; } CRYPTO_API INTN CyRsaDecrypt ( PRSA_CONTEXT Context, PVOID Ciphertext, PVOID Plaintext, BOOL IsDecryption ) /*++ Routine Description: This routine performs RSA decryption. Arguments: Context - Supplies a pointer to the context. Ciphertext - Supplies a pointer to the ciphertext, which must be less than the size of the modulus minus 11. Plaintext - Supplies a pointer where the plaintext will be returned. IsDecryption - Supplies a boolean indicating if this is a decryption operation (TRUE) or a verify operation (FALSE). Return Value: Returns the number of bytes that were originally encrypted on success. -1 on allocation failure. --*/ { PBIG_INTEGER_CONTEXT BigContext; PUCHAR Block; UINTN BlockSize; PBIG_INTEGER CipherInteger; UINTN LastIndex; PBIG_INTEGER PlainInteger; INTN Size; KSTATUS Status; BigContext = &(Context->BigIntegerContext); Size = -1; BlockSize = Context->ModulusSize; ASSERT(BlockSize > 10); Block = BigContext->AllocateMemory(BlockSize); if (Block == NULL) { goto RsaDecryptEnd; } CipherInteger = CypBiImport(BigContext, Ciphertext, BlockSize); if (CipherInteger == NULL) { goto RsaDecryptEnd; } if (IsDecryption != FALSE) { PlainInteger = CypRsaRunPrivateKey(Context, CipherInteger); } else { PlainInteger = CypRsaRunPublicKey(Context, CipherInteger); } if (PlainInteger == NULL) { CypBiReleaseReference(BigContext, CipherInteger); goto RsaDecryptEnd; } Status = CypBiExport(BigContext, PlainInteger, Block, BlockSize); if (!KSUCCESS(Status)) { CypBiReleaseReference(BigContext, PlainInteger); goto RsaDecryptEnd; } // // There are at least 11 bytes of padding even for a zero length // message. // LastIndex = 11; // // PKCS1.5 encryption is padded with random bytes. // if (IsDecryption != FALSE) { while ((Block[LastIndex] != 0) && (LastIndex < BlockSize)) { LastIndex += 1; } // // PKCS1.5 signing is padded with 0xFF. // } else { while ((Block[LastIndex] == 0xFF) && (LastIndex < BlockSize)) { LastIndex += 1; } if (Block[LastIndex - 1] != 0xFF) { LastIndex = BlockSize - 1; } } LastIndex += 1; Size = BlockSize - LastIndex; if (Size > 0) { RtlCopyMemory(Plaintext, &(Block[LastIndex]), Size); } RsaDecryptEnd: if (Block != NULL) { BigContext->FreeMemory(Block); } return Size; } CRYPTO_API INTN CyRsaEncrypt ( PRSA_CONTEXT Context, PVOID Plaintext, UINTN PlaintextLength, PVOID Ciphertext, BOOL IsSigning ) /*++ Routine Description: This routine performs RSA encryption. Arguments: Context - Supplies a pointer to the context. Plaintext - Supplies a pointer to the plaintext to encrypt. PlaintextLength - Supplies the length of the plaintext buffer in bytes. Ciphertext - Supplies a pointer where the ciphertext will be returned. This buffer must be the size of the modulus. IsSigning - Supplies a boolean indicating whether this is a signing operation (TRUE) and should therefore use the private key, or whether this is an encryption operation (FALSE) and should use the public key. Return Value: Returns the number of bytes that were originally encrypted on success. This is the same as the modulus size. -1 on allocation failure. --*/ { PBIG_INTEGER_CONTEXT BigContext; PUCHAR Bytes; PBIG_INTEGER CipherInteger; UINTN PaddingBytes; PBIG_INTEGER PlainInteger; UINTN Size; KSTATUS Status; BigContext = &(Context->BigIntegerContext); Size = Context->ModulusSize; ASSERT(PlaintextLength <= Size - 3); PaddingBytes = Size - PlaintextLength - 3; // // Borrow the ciphertext buffer to construct the padded input buffer. // Bytes = Ciphertext; // // For PKCS1.5, signing pads with 0xFF bytes. // Bytes[0] = 0; if (IsSigning != FALSE) { Bytes[1] = 1; RtlSetMemory(&(Bytes[2]), 0xFF, PaddingBytes); // // Encryption pads with random bytes. // } else { Bytes[1] = 2; if (Context->FillRandom == NULL) { ASSERT(FALSE); return -1; } Context->FillRandom(&(Bytes[2]), PaddingBytes); } Bytes[2 + PaddingBytes] = 0; RtlCopyMemory(&(Bytes[2 + PaddingBytes + 1]), Plaintext, PlaintextLength); // // Make an integer from the padded plaintext. // PlainInteger = CypBiImport(BigContext, Ciphertext, Size); if (PlainInteger == NULL) { return -1; } if (IsSigning != FALSE) { CipherInteger = CypRsaRunPrivateKey(Context, PlainInteger); } else { CipherInteger = CypRsaRunPublicKey(Context, PlainInteger); } if (CipherInteger == NULL) { CypBiReleaseReference(BigContext, PlainInteger); } Status = CypBiExport(BigContext, CipherInteger, Ciphertext, Size); if (!KSUCCESS(Status)) { CypBiReleaseReference(BigContext, CipherInteger); return -1; } return Size; } // // --------------------------------------------------------- Internal Functions // PBIG_INTEGER CypRsaRunPrivateKey ( PRSA_CONTEXT Context, PBIG_INTEGER Message ) /*++ Routine Description: This routine runs the given message integer through the private key, performing c^d mod n. Arguments: Context - Supplies a pointer to the context. Message - Supplies a pointer to the message to encrypt/decrypt using the private key. A reference on this value will be released on success. Return Value: Returns a pointer to the new value. NULL on allocation failure. --*/ { PBIG_INTEGER Result; Result = CypBiChineseRemainderTheorem(&(Context->BigIntegerContext), Message, Context->DpValue, Context->DqValue, Context->PValue, Context->QValue, Context->QInverse); return Result; } PBIG_INTEGER CypRsaRunPublicKey ( PRSA_CONTEXT Context, PBIG_INTEGER Message ) /*++ Routine Description: This routine runs the given message integer through the public key, performing c^e mod n. Arguments: Context - Supplies a pointer to the context. Message - Supplies a pointer to the message to encrypt/decrypt using the public key. A reference on this value will be released on success. Return Value: Returns a pointer to the new value. NULL on allocation failure. --*/ { PBIG_INTEGER Result; Context->BigIntegerContext.ModOffset = BIG_INTEGER_M_OFFSET; Result = CypBiExponentiateModulo(&(Context->BigIntegerContext), Message, Context->PublicExponent); return Result; } ```
Serge Aubrey Savard (born January 22, 1946) is a Canadian former professional ice hockey defenceman, most famously with the Montreal Canadiens of the National Hockey League (NHL). He previously served as Senior Vice President, Hockey Operations, and as general manager of the Montreal Canadiens. He is also a local businessman in Montreal, and is nicknamed "the Senator." In 2017 Savard was named one of the 100 Greatest NHL Players in history. Playing career Savard played minor league hockey with the Montreal Junior Canadiens, then with the Omaha Knights. After playing with the Montreal Jr. Canadiens, he started playing with the Montreal Canadiens in 1966. In 1968–69, his second full NHL season, he led the Canadiens to a second consecutive Stanley Cup win, becoming the first defencemen to win the Conn Smythe Trophy as the playoffs' most valuable player. In fifteen seasons with the Canadiens, Savard played on eight Stanley Cup championship teams: 1968, 1969, 1971, 1973, 1976, 1977, 1978, and 1979. In 1979, he won the Bill Masterton Memorial Trophy for perseverance and dedication to the game. Savard played the last two seasons of his career with the Winnipeg Jets before retiring in 1983. Savard was the second last player of the Original Six era, as Wayne Cashman and his Boston Bruins advanced to the next round of the playoffs, while Winnipeg did not. The "Savardian Spin-o-rama", which is a quick pivoting turn with the puck done in order to evade opponents, was coined by sportscaster Danny Gallivan and named after Serge Savard, and not Denis Savard (who was adept at the same manoeuvre) as is often thought. However, Serge did say that it was Doug Harvey, a Montreal defenseman whom Savard idolized, who inspired him to mimic the move Harvey had started. Savard played for Canada in the 1972 Summit Series against the Soviet Union. Team Canada was 4-0-1 when Savard was in the starting lineup. He did not play in the opening loss at the Forum in Montreal but was in the starting lineup for games 2 and 3 in Toronto and Winnipeg (a win and tie, respectively). He suffered a hairline fracture in his leg which forced him to sit out Canada's losses in games 4 and 5. He returned to the lineup for games 6, 7, and 8, all wins for Canada. Post-playing career After Savard retired as a player, he was named the general manager of the Canadiens, also serving as the general manager of the minor-league Sherbrooke Canadiens. Savard won the Calder Cup with Sherbrooke in 1985. In 1986 and 1993 he was the general manager of the Stanley Cup champion Montreal Canadiens. In 1994 he was made an Officer of the Order of Canada. In 2004, he was made a Knight of the National Order of Quebec. He is currently the chairman of the annual Canada Day festivities in Montreal. He lived a few years in Saint-Bruno-de-Montarville, Quebec. His son Marc ran for the Liberal Party in the riding of Saint-Bruno-Saint-Hubert in the 2005 federal election but lost. In 1998, he was ranked number 81 on [[List of 100 greatest hockey players by The Hockey News|The Hockey News''' list of the 100 Greatest Hockey Players]]. Since 1993, Savard has been a partner in a firm of real-estate developers, Thibault, Messier, Savard & Associates, based in Montreal. In September 2004, Savard was arrested in Montreal under suspicion of drunk driving. He pleaded not guilty in November 2004, but would later plead guilty in May 2006. On November 18, 2006, the Montreal Canadiens retired his jersey number (18) in a special ceremony at the Bell Centre. In April 2012 after the dismissal of Pierre Gauthier, Montreal Canadiens owner Geoff Molson called upon Savard to assist and advise him in the team's search for a new general manager. Savard was part-owner in a resort called El Senador'' located in Cayo Coco, Cuba until it was sold in 2005. The name was a reference to his nickname. Savard has been a longtime fan of harness racing. He has co-owned many successful horses, including Canadian Horse Racing Hall of Fame inductee Shadow Play and Meadowlands Pace champion Lawless Shadow. Awards Won Stanley Cup — {8} 1968, 1969, 1971, 1973, 1976, 1977, 1978, and 1979 as a player & {2} 1986, and 1993 as a manager; all with Montreal Canadiens Won Conn Smythe Trophy — 1969 Named an NHL Second-Team All-Star — 1979 Played in 4 NHL All-Star Games (1970, 1973, 1977, 1978) Played in the 1979 Challenge Cup Won Bill Masterton Memorial Trophy — 1979 Inducted into the Hockey Hall of Fame — 1986 In 1998, he was ranked number 81 on ''The Hockey News''' list of the 100 Greatest Hockey Players. Career statistics Regular season and playoffs International See also Captain List of NHL players with 1000 games played References "One on One with Serge Savard" by Kevin Shea, December 16, 2003, retrieved August 10, 2006 External links 1946 births Living people Bill Masterton Memorial Trophy winners Canadian ice hockey defencemen Conn Smythe Trophy winners Hockey Hall of Fame inductees Houston Apollos players Ice hockey people from Montreal Knights of the National Order of Quebec Montreal Canadiens executives Montreal Canadiens players Montreal Junior Canadiens players National Hockey League players with retired numbers Officers of the Order of Canada Omaha Knights (CHL) players Order of Hockey in Canada recipients Stanley Cup champions Winnipeg Jets (1979–1996) players
The Deutscher Computerspielpreis (, also DPC) is a prize mainly aimed at the German games industry and has been awarded since 2009. The DCP is awarded by the Cabinet of Germany and the German Games Industry Association game. In addition to awards, chosen categories receive various amounts of prize money donated by supporters of the award ceremony. The 2023 recipient for Best German Game is Chained Echoes, while God of War Ragnarök received the award for Best International Game. Description The German Computer Game Award (Deutscher Computerspielpreis, DCP) was first awarded on March 31, 2009. The awards are given out by the Cabinet of Germany and the German Games Industry Association game. The ceremony includes a certain amount of prize money for specific categories. The requirement to receive the money is that the winner must prove that they will use the check to develop a new computer game that meets the DCP criteria. The distribution of the prize money is also clearly regulated: the developer receives 70 percent of the sum, while the publisher (if available) receives 30 percent. The prize money is donated by supporters and most recently amounted to a total of €800,000 in 2023. Format The German Computer Game Award consists of a main jury and ten specialist juries. The main jury is composed of two representatives from each specialist jury. In addition, the German Bundestag may appoint two more members. Berlin and Bavaria, as the hosting federal states, may each appoint one more member of the jury as well. Specialist juries, the Bundestag, and the hosting federal states ultimately select eleven more individuals to join the main jury. This results in a total of 35 responsible members. The main jury determines the winners of the categories "Best German Game," "Special Jury Award," and "Best International Game." The specialist juries are assembled by the two organizers, game and BMVI. The jurors come from politics, research, or a field related to gaming. This includes the DCP developer, active players, the press, media educators, and youth media protectors. On average, the specialist juries consist of four people and determine the winners of the remaining ten categories. The format includes the possibility of games being nominated after the official announcement. Awarded games 2009 In March 2009, the nominations for the first award ceremony were announced, consisting of nine categories with the ceremony being announced to happen on 31 March 2009. The winners were set to receive a total of €600.000 in all categories except for "Best International Game". The winner in the “Best German Game” category was chosen from the winners of the other categories, with the exception of the school and student concepts and the special prize. The ceremony was held in Munich, Germany, with Drakensang: The Dark Eye receiving two awards overall. 2010 The second ceremony took place on April 29 2010, where Anno 1404 took the lead by securing two awards. The game was nominated for "Best International Game" after the official announcement of nominations was given out. Gamestar observed that the heightened level of violence in the preceding nominees, Uncharted 2: Among Thieves and Dragon Age: Origins, might have influenced the expansion of nominations. 2011 Source: Best German Game and Best Youth Game: A New Beginning Best Children's Game: The Kore Gang Best Browser Game: The Settlers Online Best mobile Game: Galaxy on Fire 2 Best "Serious Game": Energetika Best concept of the young talents competition: Tiny & Big in Grandpa's Leftovers 2012 Source: Best German Game Crysis 2 Best Youth Game: Edna & Harvey: Harvey’s New Eyes Best Children's Game: The Great Jitters: Pudding Panic Best Browser Game: Drakensang Online Best mobile Game: Das verrückte Labyrinth HD Best "Serious Game": Vom Fehlenden Fisch – Die Geheimnisvolle Welt der Gemälde Best Concept of the Young Talents Competition: About Love, Hate and Other Ones Special Award Browser Game: Trauma Special Award of the Young Talents Competition: Pan it! 2013 Source: Best German Game Chaos on Deponia Best Youth Game: Tiny & Big in Grandpa's Leftovers Best Children's Game: Meine 1. App – Band 1 Fahrzeuge Best Browser Game: Forge of Empires Best Mobile Game: Word Wonders: The Tower of Babel Best "Serious Game": Menschen auf der Flucht Best Concept of the Young Talents Competition: GroundPlay 2014 Source: Best German Game The Inner World Best Youth Game: Beatbuddy: Tale of the Guardians Best Children's Game: Malduell Best Browser Game: Anno Online Best Mobile Game: CLARC Best Concept of the Young Talents Competition: Scherbenwerk – Bruchteil einer Ewigkeit Special award: The Day the Laughter Stopped 2015 The winners were announced on April 21, 2015 in Berlin. Best German Game: Lords of the Fallen (Deck13, CI Games) Best Children's Game: Fire (Daedalic Entertainment) Best Youth Game: TRI: Of Friendship and Madness (Rat King Entertainment, Rising Star Games) Best Concept of the Young Talents Competition: In Between Best Innovation: Spiel des Friedens (Studio Fizbin, Landesmuseum für Kunst und Kultur Münster) Best Staging: Lords of the Fallen (Deck13, CI Games) Best Serious Game: Utopolis – Aufbruch der Tiere (Reality Twist, Nemetschek Stiftung) Best Mobile Game: Rules! (The Coding Monkeys) Best Game Design: The Last Tinker: City of Colors (Mimimi Productions) Best International Game: This War of Mine (11 bit studios) Best International Multiplayer Game: Hearthstone: Heroes of Warcraft (Blizzard Entertainment) Best International New Game World: This War of Mine (11 bit studios) Audience Award: Dark Souls II (From Software, Bandai Namco) 2016 The winners were announced on April 7, 2016 in Munich. Best German game: Anno 2205 (Blue Byte/Ubisoft) Best Concept of the Young Talents Competition: 1. Cubiverse (Mediadesign Hochschule Munich), 2. Lost Ember (HAW Hamburg, Mooneye Studios), 3. Leaves (TU Cologne) Best Children's Game: 1. Fiete Choice (Ahoiii Entertainment); 2. Shift Happens (Klonk) Best Youth Game: One Button Travel (The Coding Monkeys) Best Innovation: The Climb (Crytek) Best Staging: Typoman (Brainseed Factory, Headup Games) Best Serious Game: Professor S. (LudInc, Berlin) Best Mobile Game: Path of War (Envision Entertainment, Nexon) Best Game Design: Shift Happens (Klonk) Best International Game: The Witcher 3: Wild Hunt (CD Projekt RED, Bandai Namco) Best International Multiplayer Game: Splatoon (Nintendo) Best International New Game World: The Witcher 3: Wild Hunt (CD Projekt Red, Bandai Namco) Special Jury Award: Indie Arena Booth Audience Award: The Witcher 3: Wild Hunt (CD Projekt Red, Bandai Namco) 2017 The nominations were announced on March, 2017 while the ceremony was held in April, 2017 in Berlin. Best German game: Portal Knights (Keen Games/505 Games) Best Concept of the Young Talents Competition: 1. DYO (HTW Berlin), 2. Isometric Epilepsy (Technical University of Cologne, North Rhine-Westphalia), 3. ViSP – Virtual Space Port (HTW Berlin) Best Children's Game: She Remembered Caterpillars (Jumpsuit Entertainment, Kassel/Ysbyrd Games, Brighton) Best Youth Game: Code 7 – Episode 0: Allocation (Goodwolf Studio, Bonn) Best Innovation: VR Coaster Rides and Coastiality App (VR Coaster, Kaiserslautern) Best Staging: Robinson: The Journey (Crytek, Frankfurt) Best Serious Game (two winners): Debugger 3.16: Hack’n’Run (Spiderwork Games, Vechta), Orwell (Osmotic Studios, Hamburg/Surprise Attack, Melbourne) Best Mobile Game: Glitchskier (Shelly Alon, Hamburg) Best Game Design: Shadow Tactics: Blades of the Shogun (Mimimi Productions , Munich/Daedalic Entertainment, Hamburg) Best International Game: The Legend of Zelda: Breath of the Wild (Nintendo, Kyoto/Japan) Best International Multiplayer Game: Overwatch (video game) (Activision Blizzard, Santa Monica, California/United States) Best International New Game World: Uncharted 4: A Thief's End (Naughty Dog/Sony Interactive Entertainment, Santa Monica, California) Special Jury Award: Computerspielemuseum Berlin (Berlin) Audience Award: The Witcher 3: Wild Hunt – Blood and Wine (CD Projekt, Warsaw/Poland) 2018 The winners were announced on April 10, 2018 in Munich. Best German game: Witch It (Barrel Roll Games, Hamburg) Best Children's Game: Monkey Swag (Tiny Crocodile Studios/kunst-stoff, Berlin) Best Youth Game: Witch It (Barrel Roll Games, Hamburg) Best Innovation: HUXLEY (Exit Adventures, Kaiserslautern) Best Staging: The Long Journey Home (Daedalic Entertainment, Düsseldorf) Best Serious Game: Vocabicar (Quantum Frog, Oldenburg) Best Mobile Game: Card Thief (Arnold Rauers, Berlin) Best Game Design: TownsmenVR (HandyGames, Giebelstadt) Best International Game: Assassin's Creed Origins (Ubisoft) Best International Multiplayer Game: Witch It (Barrel Roll Games, Hamburg) Best International Game World: Horizon Zero Dawn (Guerrilla Games/Sony Interactive Entertainment) Young Talent with Concept: 1. Ernas Unheil (HTW Berlin), 2. Sunset Devils (Carl-Hofer-Schule, Karlsruhe) Young Talent with Prototype: 1. Fading Skies (HAW Hamburg), 2. Realm of the Machines (Mediadesign Hochschule, München) Special Jury Award: Friendly Fire (charity campaign) Audience Award: ELEX (Piranha Bytes, Essen) 2019 The awards were announced on April 9, 2019 in Munich. Best German game: Trüberbrook (Headup Games) Best Children's Game: Laika (Mad About Pandas) Best Youth Game: Unforeseen Incidents (Application Systems Heidelberg) Best Innovation: Bcon – The Gaming Wearable (CapLab) Best Staging: Trüberbrook (Headup Games) Best Serious Game: State of Mind (Daedalic Entertainment) Best Mobile Game: see/saw (kamibox) Best Game Design: Tower Tag (VR Nerds) Best International Game: God of War (Sony Interactive Entertainment) Best International Multiplayer Game: Super Smash Bros. Ultimate (Nintendo) Best International Game World: Red Dead Redemption 2 (Rockstar Games) Young Talent with Concept: Elizabeth (HTW Berlin) Young Talent with Prototype: A Juggler’s Tale (Film Academy Baden-Württemberg) Special Jury Award: A Maze. / Berlin (International Games and Playful Media Festival) Audience Award: Thronebreaker: The Witcher Tales (CD Projekt Red) 2020 Source: Best German Game: Anno 1800 (Ubisoft Mainz/Ubisoft) Best Family Game: Tilt Pack (Navel/Super.com) Young Talent - Best Debut: The Longing (Studio Seufz/Application Systems Heidelberg) Young Talent - Best Prototype: Couch Monsters (Laurin Grossmann, John Kees, Marie Maslofski, Dennis Oprisa, Luca Storz, Jaqueline Vintonjek – HTW Berlin) Best Innovation and Technology: Lonely Mountains: Downhill (Megagon Industries/Thunderful Publishing) Best Games World and Aesthetics: Sea of Solitude (Jo-Mei/Electronic Arts) Best Game Design: Anno 1800 (Ubisoft Mainz/Ubisoft) Best Serious Game: Through the Darkest of Times (Paintbucket Games/HandyGames) Best Mobile Game: Song of Bloom (Kamibox) Best Expert Game: Avorion (Boxelware) Best International Game: Star Wars Jedi: Fallen Order (Electronic Arts) Best International Multiplayer Game: Apex Legends (Electronic Arts) Player of the Year: gob b (Fatih Dayik) Best Studio: Yager Development (Berlin) Special Jury Award: Foldit Audience Award: The Witcher 3: Wild Hunt for Nintendo Switch (CD Projekt RED / Bandai Namco) 2021 Source: Best German Game: Desperados III (Mimimi Games/THQ Nordic) Best Family Game: El Hijo – A Wild West Tale (Honig Studios, Quantumfrog/HandyGames – a THQ Nordic Division) Young Talent - Best Debut: Dorfromantik (Toukana Interactive) Young Talent - Best Prototype: Passing By (Hannah Kümmel, Jan Milosch, Marius Mühleck, Ilona Treml) Best Innovation and Technology: Holoride (Holoride) Best Games World and Aesthetics: Cloudpunk (ION Lands) Best Game Design: Dorfromantik (Toukana Interactive) Best Serious Game: Welten der Werkstoffe (Cologne Game Lab der TH Köln) Best Mobile Game: Polarized! (Marcel-André Casasola Merkle/TheCodingMonkeys) Best Expert Game: Suzerain (Torpor Games/Fellow Traveller) Best International Game: The Last of Us Part II (Naughty Dog/Sony Interactive Entertainment) Best International Multiplayer Game: Animal Crossing: New Horizons (Nintendo) Player of the Year: Gnu (Jasmin K.) Best Studio: Mimimi Games (Munich) Special Jury Award: Indie Arena Booth Online 2020 (Super Crowd Entertainment) 2022 Source: Best Live Game: Hunt: Showdown (Crytek) Best German Game: Chorus (Deep Silver) Best Family Game: Omno (Studio Inkyfox, Future Friends Games) Best Games World and Aesthetics: A Juggler’s Tale (Mixtvision Games, kaleidoscube) Young Talent - Best Debut: White Shadow (Headup Games, Thunderful Games, Mixtvision Games, Monokel) Young Talent - Best Prototype: Wiblu (Donausaurus) Best Innovation and Technology: Warpdrive Holocafe Best Game Design: Kraken Academy!! (Fellow Traveller, Happy Broccoli Games) Best Serious Game: EZRA (Landesverband Kinder- und Jugendfilm Berlin e.V.) Best Mobile Game: Albion Online (Sandbox Interactive) Best Expert Game: Imagine Earth (Serious Brothers) Best International Game: Elden Ring (BANDAI NAMCO Entertainment Germany, From Software) Best International Multiplayer Game: It Takes Two (video game) (Electronic Arts, Hazelight Studios) Player of the Year: Maximilian Knabe „HandOfBlood“ Best Studio: CipSoft Special Jury Award: Games Jobs Germany 2023 Source: Best German Game: Chained Echoes (Deck13, Matthias Linda) Best Family Game: Die magische Bretterbudenburg (Meander Books) Young Talent - Best Debut: Signalis (Humble Games Rose Engine) Young Talent - Best Prototype: Light of Atlantis (HAW Hamburg) Best Innovation and Technology: Beethoven (Opus 360, agon e.V.) Best Game Design: Dome Keeper (Raw Fury, Bippinbits) Best Serious Game: Beholder 3 (Alawar, Paintbucket Games) Best Mobile Game: Dungeons of Dreadrock (Christoph Minnameier) Best Expert Game: Touch Type Tale - Strategic Typing (Epic Games, Pumpernickel Studios) Best Graphics Design: Abriss (Randwerk Games) Best Audio Design: Signalis (Humble Games, Rose Engine) Best International Game: God of War Ragnarök (Sony Interactive Entertainment, Santa Monica Studio) Player of the Year: Pia Scholz aka Shurjoka Best Studio: Paintbucket Games Special Jury Award: FemDevMeetup References See also Deutscher Entwicklerpreis External links 2009 establishments in Germany Awards established in 2009 German awards Video game awards Video gaming in Germany
Merlinda Bobis (born 25 November 1959) is a contemporary Filipina-Australian writer and academic. Biography Born in Legazpi City, in the Philippines province of Albay, Merlinda Bobis attended Bicol University High School then completed her B.A. at Aquinas University in Legazpi City. She holds post-graduate degrees from the University of Santo Tomas and University of Wollongong, and now lives in Australia. Written in various genres in both Filipino and English, her work integrates elements of the traditional culture of the Philippines with modern immigrant experience. Also a dancer and visual artist, Bobis currently teaches at Wollongong University. Her play Rita's Lullaby was the winner of the 1998 Awgie for Best Radio Play and the international Prix Italia of the same year; in 2000 White Turtle won the Steele Rudd Award for the Best Collection of Australian Short Stories and the 2000 Philippine National Book Award. Most recently, in 2006, she has received the Gintong Aklat Award (Golden Book Award, Philippines) for her novel Banana Heart Summer, from the Book Development Association of the Philippines. Bobis won the 2016 Christina Stead Prize for Fiction and NSW Premier's Literary Awards for her book, Locust Girl: A Lovesong. Work Poetry Rituals: Selected poems, 1985-1990. (1990) Summer was a Fast Train without Terminals. (Melbourne: Spinifex, 1998) usaping ina at anak Accidents of Composition (Melbourne: Spinifex, 2017) Short stories White Turtle. (Melbourne: Spinifex, 1999) review The Kissing (Aunt Lute, 2001) [US reissue of White Turtle] review Novels Banana Heart Summer (Murdoch Books, 2005) The Solemn Lantern Maker (Sydney: Murdoch Books, 2008) Fish-hair Woman (North Melbourne: Spinifex, 2011) Locust Girl: A Lovesong (North Melbourne: Spinifex, 2015) The Kindness of Birds (North Melbourne: Spinifex, 2021) Awards Among her awards are: Australian Classical Music Award for Best Vocal/Choral Work of the Year for Daragang Magayon Cantata (2007) Gawad Pambansang Alagad ni Balagtas (National Balagtas Award: a lifetime award for author's poetry and prose in English, Pilipino, Bikol) from the Unyon ng Manunulat ng Pilipinas (Union of Philippine Writers) (2006) Gintong Aklat Award (Golden Book Award: Philippine publishers' award) for Banana Heart Summer (2006) Australian Literature Society Gold Medal for Banana Heart Summer (2006) Nomination: Best in Foreign Language in Fiction from the Manila Critics' Circle for Banana Heart Summer (2006) Judges' Choice Award, Bumbershoot Bookfair, Seattle Arts Festival for The Kissing (collection of short stories published as White Turtle in Australia and the Philippines) (2001) Arts Queensland Steele Rudd Australian Short Story Award (for the Best Published Collection of Australian Short Stories, joint winner) for White Turtle (2000) Philippine National Book Award for Fiction (Joint winner) from the Manila Critics' Circle for White Turtle (2000) NSW Ministry for the Arts Writers' Fellowship for novel in progress, Fish-Hair Woman (2000) Canberra Writing Fellowship jointly from the Australian National University, the University of Canberra, and the Australian Defence Force Academy (2000) Prix Italia (international award) for Rita's Lullaby (radio play) (1998) Australian Writers' Guild Award (AWGIE) for Rita's Lullaby (1998) Pamana Philippine Presidential Award for achievement in the arts (for Filipino expatriates) (1998) Shortlist: The Age Poetry Book of the Year Award for Summer Was a Fast Train Without Terminals (collection of poems) (1998) Winner, Out of the Ashes Trans-Tasman Short Story Competition for White Turtle (short story) (1998) Commended: National Short Story Competition, Society of Women Writers for The Sadness Collector (short story) (1998) Joint winner, ABC Radio National's 'Books & Writing Short Story Competition' for The Tongue (also known as The Parable of Illawarra Street) (1997) Ian Reed Foundation Prize for Radio Drama for Rita's Lullaby (1995) Carlos Palanca Memorial Award in Literature (Philippine national award), Honourable Mention for Ms. Serena Serenata (one-act play) (1995) Gawad Cultural Centre of the Philippines (national award for poetry in Filipino) for Mula Dulo Hanggang Kanto ('From End to Corner', collection of poems) (1990) Likhaan Award for Daragang Magayon and other poems, University of the Philippines Writers' Workshop (1990) Carlos Palanca Memorial Award in Literature, Second Prize for Lupang di Hinirang: Kuwento at Sikreto ('Land Not Dearest: Story and Secret', collection of poems in Filipino) (1989) Carlos Palanca Memorial Award in Literature, joint winner, First Prize for Peopleness (collection of poems in English) (1987) References Sources Biography Dr Merlinda Bobis External links covenant animation of poem Food, Love and other Engagements Merlinda Bobis in conversation Re-Inventing the Epic 1959 births Living people Australian women novelists Filipino emigrants to Australia Filipino women short story writers Filipino short story writers Australian women short story writers Australian women poets Filipino women novelists Filipino novelists English-language writers from the Philippines 20th-century Australian novelists University of Wollongong alumni 20th-century Australian women writers People from Legazpi, Albay 20th-century Australian short story writers
"The Prodigal Son Returns" is the tenth episode and season finale of the first season of the American supernatural drama television series The Leftovers, based on the novel of the same name by Tom Perrotta. The episode was written by series creators Damon Lindelof and Tom Perrotta, and directed by Mimi Leder. It was first broadcast on HBO in the United States on September 7, 2014. The series is set four years after the "Sudden Departure" – an event which saw 2% of the world's population (approximately 140 million people) disappear and profoundly affected the townspeople. The characters of police chief Kevin Garvey and his family (wife Laurie, son Tom, daughter Jill and father Kevin Sr.) are focal points, alongside grieving widow Nora Durst, her brother Reverend Matt Jamison, and the mysterious cult-like organization the Guilty Remnant (GR), led by Patti Levin. In the episode, GR plans their next move with Patti's plan, while Kevin asks Matt for help in the cabin. According to Nielsen Media Research, the episode was seen by an estimated 1.53 million household viewers and gained a 0.7 ratings share among adults aged 18–49. The episode received critical acclaim, with critics praising the performances (Justin Theroux), writing, themes, directing, character development and closure. Plot While on the run, Tom (Chris Zylka) stops their car so Christine (Annie Q.) can feed her baby. Christine laments how all her promises proved to be lies and leaves for the restroom. After a few minutes, Tom rushes to the restroom when she hears the baby crying, and is horrified to discover that Christine abandoned him and the baby. On Memorial Day, GR prepares for a new plan involving the replicas. Laurie (Amy Brenneman) does not want Jill (Margaret Qualley) to participate out of fear for the protests, but Jill comes along. During the day, GR places life-like replicas of the departed civilians on their vanishing point. Nora (Carrie Coon) wakes up to discover replicas of her husband and children, making her cry. After Patti (Ann Dowd) committed suicide, Kevin (Justin Theroux) calls Matt (Christopher Eccleston) for help. Matt is willing to help despite the fact that it could incriminate him, aware that Patti's death was on her own. After burying her, Kevin returns to Mapleton. He experiences a dream where he finds himself at a mental institution with Kevin Sr. (Scott Glenn) and Patti. Stopping at a diner, Kevin confesses to his infidelity, noting that his relationship with his family feels lost even when they are still here and he still has hopes that they can reunite. Kevin then goes to the restroom, where he discovers Holy Wayne (Paterson Joseph), mortally wounded. Wayne accepts his death and asks Kevin to make a wish, which he can grant. Kevin silently wishes something and Wayne claims to grant it before dying from his wounds. ATFEC agents storm the diner for Wayne, and Matt vouches for Kevin, claiming that he is an innocent person. Matt and Kevin are allowed to go. Kevin and Matt stumble upon Mapleton falling into chaos, with civilians attacking GR members and burning down their cul-de-sac. Kevin saves Laurie from being attacked by a man and carries an unconscious Jill out of a burning house. The next day, Tom arrives at Mapleton, finding Laurie. Nora writes a letter to Kevin, deciding to leave town. Kevin and Jill walk back home, taking a dog they find on the street. Nora arrives at the Garvey house to deliver the letter, where she finds Christine's baby in the doorstep. As she cuddles the baby, Kevin and Jill arrive. Production Development In August 2014, the episode's title was revealed as "The Prodigal Son Returns" and it was announced that series creators Damon Lindelof and Tom Perrotta had written the episode while Mimi Leder had directed it. This was Lindelof's ninth writing credit, Perrotta's third writing credit, and Leder's third directing credit. Reception Viewers The episode was watched by 1.53 million viewers, earning a 0.7 in the 18-49 rating demographics on the Nielson ratings scale. This means that 0.7 percent of all households with televisions watched the episode. This was a 18% decrease from the previous episode, which was watched by 1.85 million viewers with a 0.9 in the 18-49 demographics. Critical reviews "The Prodigal Son Returns" received critical acclaim. The review aggregator website Rotten Tomatoes reported a 91% approval rating for the episode, based on 11 reviews. The site's consensus states: "'The Prodigal Son Returns' balances gripping horror against deeply felt drama, adding up to a white-knuckle season finale that still manages to retain The Leftovers essential humanity." Matt Fowler of IGN gave the episode a perfect "masterpiece" 10 out of 10 and wrote in his verdict, "'The Prodigal Son Returns' was chilling and cathartic, with many tears shed throughout. Some critics wondered why, given the global crisis at hand, we'd be following those in Mapleton. And if the show was being too microcosmal. And I think this episode's climax answered that. And given the news reports and the FBI's stance on cults, you get the feeling like boiling point moments are happening in towns, big and small, all over the world." Sonia Saraiya of The A.V. Club gave the episode an "A–" grade and wrote, "From a purely cinematic perspective, it's a powerful, gripping conclusion. Mimi Leder directed 'The Prodigal Son Returns', and her work yields masterful stuff: Kevin running into the burning house of the Guilty Remnant to look for Jill elicited the most engagement I've had with the show all season." Alan Sepinwall of HitFix wrote, "This has been a great year of television drama, even if at times we've had the high-class problem of too much of it. The Leftovers has been one of the absolute highlights of this year, and I imagine that this season, and the events of 'The Prodigal Son Returns', will sit with me much longer than so much of what I've been privileged to watch in 2014." Jeff Labrecque of Entertainment Weekly wrote, "In the end, the finale delivered what was promised... It's not a bad place to start season 2." Kelly Braffet of Vulture gave the episode a perfect 5 star rating out of 5 and wrote, "All of these people that we've been watching and wondering about and caring about for all these weeks, this story that has been sometimes stagnant and sometimes an emotional gut-punch, they all crystallized this week. And, damn, was it satisfying." Nick Harley of Den of Geek gave the episode a 4 star rating out of 5 and wrote, "I'm not sure I cared much about these answers three weeks ago, but after two strong outings in a row, including a finale that didn’t rely on a huge cliffhanger to pique my interest in season two, I have to say I'm generally excited to see where this show goes and if it can learn from its strengths and weaknesses. The Leftovers hasn't always been good, but it has been compelling. Kevin Garvey got his wish tonight, season two will show whether he can keep it alive." Matt Brennan of Slant Magazine wrote, "'The Prodigal Son Returns',' like The Leftovers as a whole, is a primer for all the physical and psychic weaponry we deploy to fill the gulf that opens when what we held dear is gone." Michael M. Grynbaum of The New York Times wrote, "After nearly 10 hours of pain, the series left us with the suggestion that hope and humanity can persevere, even in the cruelest of circumstances." Accolades TVLine named Justin Theroux as the "Performer of the Week" for the week of September 13, 2014, for his performance in the episode. The site wrote, "By the time Kevin finally excused himself to dry his eyes, we were in tears, too. In part, because his story was so very sad. But also in part because we had just witnessed a performance that felt less like a performance than a confession." References External links "The Prodigal Son Returns" at HBO 2014 American television episodes The Leftovers (TV series) episodes Television episodes directed by Mimi Leder Television episodes written by Damon Lindelof
```python # This file is part of h5py, a Python interface to the HDF5 library. # # path_to_url # # # and contributor agreement. """ Versioning module for h5py. """ from __future__ import absolute_import from collections import namedtuple from . import h5 as _h5 import sys import numpy # All should be integers, except pre, as validating versions is more than is # needed for our use case _H5PY_VERSION_CLS = namedtuple("_H5PY_VERSION_CLS", "major minor bugfix pre post dev") hdf5_built_version_tuple = _h5.HDF5_VERSION_COMPILED_AGAINST version_tuple = _H5PY_VERSION_CLS(2, 8, 0, None, None, None) version = "{0.major:d}.{0.minor:d}.{0.bugfix:d}".format(version_tuple) if version_tuple.pre is not None: version += version_tuple.pre if version_tuple.post is not None: version += ".post{0.post:d}".format(version_tuple) if version_tuple.dev is not None: version += ".dev{0.dev:d}".format(version_tuple) hdf5_version_tuple = _h5.get_libversion() hdf5_version = "%d.%d.%d" % hdf5_version_tuple api_version_tuple = (1,8) api_version = "%d.%d" % api_version_tuple info = """\ Summary of the h5py configuration --------------------------------- h5py %(h5py)s HDF5 %(hdf5)s Python %(python)s sys.platform %(platform)s sys.maxsize %(maxsize)s numpy %(numpy)s """ % { 'h5py': version, 'hdf5': hdf5_version, 'python': sys.version, 'platform': sys.platform, 'maxsize': sys.maxsize, 'numpy': numpy.__version__ } ```
```javascript import React from 'react' import Link from 'next/link' export default () => { const myRef = React.createRef(null) React.useEffect(() => { if (!myRef.current) { console.error(`ref wasn't updated`) } }) return ( <Link href="/" ref={(el) => { myRef.current = el }} > Click me </Link> ) } ```
Nataliya Kachalka (born 9 March 1975) is a road cyclist from Ukraine. She represented her nation at the 2004 Summer Olympics. She also rode at the 2003 and 2004 UCI Road World Championships. References External links profile at Cyclingarchives.com Ukrainian female cyclists Cyclists at the 2004 Summer Olympics Olympic cyclists for Ukraine Living people 1975 births Sportspeople from Vinnytsia
The 1935 Fresno State Bulldogs football team represented Fresno State Normal School—now known as California State University, Fresno—during the 1935 college football season. Fresno State competed in the Far Western Conference (FWC). The 1935 team was led by third-year head coach Leo Harris and played home games at Fresno State College Stadium on the campus of Fresno City College in Fresno, California. They finished the season as champion of the FWC, with a record of six wins and three losses (6–3, 4–0 FWC). The Bulldogs outscored their opponents 199–84 for the season, including holding their opponents under 10 points in six of the nine games. Schedule Notes References Fresno State Fresno State Bulldogs football seasons Northern California Athletic Conference football champion seasons Fresno State Bulldogs football
Nicolae Soare (born 16 April 1964) is a Romanian former footballer who played as a forward. His father who was also named Nicolae Soare was a sports commentator. International career Nicolae Soare played one friendly game at international level for Romania in a 1–0 victory against China when he came as a substitute and replaced Romulus Gabor in the 63rd minute of the game. Honours Steaua București Divizia A: 1984–85 ASA Târgu Mureș Divizia B: 1986–87 Gloria Bistrița Divizia B: 1989–90 Notes References 1964 births Living people Romanian men's footballers Romania men's under-21 international footballers Romania men's international footballers Men's association football forwards Liga I players Liga II players FC Politehnica Iași (1945) players FC Steaua București players FCM Dunărea Galați players ASA Târgu Mureș (1962) players ACF Gloria Bistrița players Footballers from Bucharest
```c++ 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. /* * This file contains a simple demo for how to take a model for inference with * IPUs. * Model: wget -q * path_to_url */ #include <iostream> #include <numeric> #include <string> #include <vector> #include "glog/logging.h" #include "paddle/common/flags.h" #include "paddle/fluid/inference/api/paddle_inference_api.h" PD_DEFINE_string(infer_model, "", "Directory of the inference model."); using paddle_infer::Config; using paddle_infer::CreatePredictor; using paddle_infer::Predictor; void inference(std::string model_path, bool use_ipu, std::vector<float> *out_data) { //# 1. Create Predictor with a config. Config config; config.SetModel(FLAGS_infer_model); if (use_ipu) { // ipu_device_num, ipu_micro_batch_size config.EnableIpu(1, 4); } auto predictor = CreatePredictor(config); //# 2. Prepare input/output tensor. auto input_names = predictor->GetInputNames(); std::vector<int64_t> data{1, 2, 3, 4}; // For simplicity, we set all the slots with the same data. for (auto input_name : input_names) { auto input_tensor = predictor->GetInputHandle(input_name); input_tensor->Reshape({4, 1}); input_tensor->CopyFromCpu(data.data()); } //# 3. Run predictor->Run(); //# 4. Get output. auto output_names = predictor->GetOutputNames(); auto output_tensor = predictor->GetOutputHandle(output_names[0]); std::vector<int> output_shape = output_tensor->shape(); int out_num = std::accumulate( output_shape.begin(), output_shape.end(), 1, std::multiplies<int>()); out_data->resize(out_num); output_tensor->CopyToCpu(out_data->data()); } int main(int argc, char *argv[]) { ::paddle::flags::ParseCommandLineFlags(&argc, &argv); std::vector<float> ipu_result; std::vector<float> cpu_result; inference(FLAGS_infer_model, true, &ipu_result); inference(FLAGS_infer_model, false, &cpu_result); for (size_t i = 0; i < ipu_result.size(); i++) { CHECK_NEAR(ipu_result[i], cpu_result[i], 1e-6); } LOG(INFO) << "Finished"; } ```
Abacetus planulus is a species of ground beetle in the subfamily Pterostichinae. It was described by Straneo in 1940. References planulus Beetles described in 1940
Gang Bengkok Old Mosque, (; ) is a mosque located in Medan, North Sumatra, Indonesia. The Gang Bengkok Old Mosque is precisely located on Jalan Mesjid, Kesawan, West Medan Districy, Medan. Gang Bengkok Old Mosque was built by a merchant and Kapitan from Guangdong, China, named Tjong A Fie. This mosque was first built in 1885, but the renovation was completed in 1889. This mosque was then handed over by Tjong A Fie to the Deli Sultanate, namely during the reign of Sultan Deli Sultan Ma'mun Al Rashid. History The Old Gang Bengkok Mosque is estimated to have been built in 1874. The mosque building stands on waqf land from Haji Muhammad Ali, or better known as Datuk Kesawan. During the construction process, Tjong A Fie, a Chinese merchant who moved from China to the city of Medan in the early 19th century, he took care of the entire construction of the mosque by himself. Previously, the Al-Osmani Mosque was the oldest mosque in the city of Medan, founded in 1854. Then 20 years later, the Gang Bengkok mosque was built which also has a history between the Malays and the Chinese. Precisely the Old Gang Bengkok mosque was founded in 1874. It has a strange name because at the beginning of its construction it was in a narrow alley. Then there is a bend or bend right in front of the mosque. Coupled with the never having an official name on the mosque, the mosque was named the Old Gang Bengkok mosque. The founder of the Gang Bengkok mosque is the Sultan of Deli who also did not give an official name to the mosque so that the surrounding community around Kesawan named it the Gang Bengkok Old Mosque. Architecture Gang Bengkok Old Mosque has a thick touch of Chinese and Malay culture. The combination of these touches produces a unique mosque building. Judging from the architecture, this mosque is not like a mosque building in general, but like a Chinese temple. However, when you enter the mosque, it will be clearly visible and the atmosphere of the mosque is very thick. Buildings such as the temple are not surprising because the construction itself was initiated by a Medan figure of Chinese ethnicity, Tjong A Fie. However, the Gang Bengkok Old Mosque still has a Malay and Islamic touch. A touch of Malay style can be found on the ceiling of the mosque which has decorations also called Lebah Bergantung (). The decoration is made of wood, resulting in a very unique and enchanting carving that produces a kind of yellow curtain. The yellow color itself is a typical color of Malay. Then the gate of the Old Gang Bengkok mosque gets a touch of Persian Islamic style. References External links Religious buildings and structures completed in 1854 Cultural Properties of Indonesia in North Sumatra Dutch colonial architecture in Indonesia Mosques in Medan Tourist attractions in North Sumatra
The Caatinga Ecological Corridor () is an ecological corridor in the caatinga biome of northeast Brazil. History The decree creating the Caatinga Ecological Corridor was signed on 28 April 2006 by the Minister of the Environment, Marina Silva. The ordnance was published on 4 May 2006. It was the second officially recognized ecological corridor, the first being the Capivara-Confusões Ecological Corridor, created in March 2006. The corridor covers about of caatinga. It is designed to interconnect eight conservation units and 40 municipalities in the states of Pernambuco, Bahia, Sergipe, Alagoas and Piauí. It excludes urban areas. The Brazilian Institute of Environment and Renewable Natural Resources (IBAMA) is responsible for management. It was expected that all municipalities would be subject to government regulations to conserve biodiversity and promote sustainable development, including replanting degraded areas. Priority areas for conservation, sustainable use and sharing of the benefits of biodiversity are Angical, Aiuaba, Betânia, Curaçá, Gararu/Belo Monte, Mirandiba, Paus Brancos (Quixeramobim), Queimada Nova, Remanso, Serra Negra, western Pernambuco, Petrolina, Raso da Catarina, Rodelas, Serra Talhada and Monte Alegre. Conservation units Conservation units in the corridor when created were the Catimbau National Park, Serra Negra Biological Reserve, Raso da Catarina Ecological Station, Serra Branca / Raso da Catarina Environmental Protection Area, Cocorobó Area of Relevant Ecological Interest, Lagoa do Frio Municipal Nature Park, Cantidiano Valqueiro Barros Private Natural Heritage Reserve and Maurício Dantas Private Natural Heritage Ecological Reserve. It also included their buffer zones, interstices and areas to be created later. Notes Sources Ecological corridors of Brazil 2006 establishments in Brazil Protected areas of Pernambuco Protected areas of Bahia Protected areas of Sergipe Protected areas of Alagoas Protected areas of Piauí
Karyn Rachtman is an American music supervisor and film producer. One of the "most influential music supervisors of all time," she has music supervised and/or served as the executive soundtrack producer on albums that have sold over 75 million copies worldwide. With Pras Michael and Ben Patterson, Rachtman produced the 2015 film Sweet Micky for President, a documentary about Michel Martelly's path to the Haitian presidency. She executive produced Archie's Final Project, a film about a teenage student who decides to kill himself on-camera as his final high school project, and created the children's "read and rap-along" book series Hip Kid Hop. Early life Karyn Rachtman was born in Los Angeles, California, to Peter Rachtman, a music manager, and Sheila Watson, an educator. Her parents divorced when she was a child, and she and her brother Riki lived mainly with their mother. Growing up, she was "obsessed" with music, and would go to her father's house on weekends and listen to his records. Rachtman was first exposed to the film industry through the actress Karen Black, who her father dated in the 1970s. At 15, Rachtman—a "wayward" teenager—was sent to live with her father, who had moved to New Zealand. She dropped out of high school, and remained in New Zealand for a year. She attended cosmetology school when she returned to Los Angeles. Career Cannon Films,Texasville, Reservoir Dogs Rachtman moved to New York in 1982. She worked at a clothing store, where she met Paula Erickson, then the head of music for Cannon Films in LA. Learning that Erickson "got paid to put cool old songs in movies," she begged to be her assistant, and moved back to Los Angeles. At Cannon, Rachtman learned how to prepare cue sheets, clear music, and negotiate music rights, and worked on films including Rappin' and Texas Chainsaw Massacre 2. She left Cannon to work as a plugger for Island Music, and then cleared music for established music supervisors, working independently. In 1990, she was hired by Peter Bogdanovich to music supervise Texasville, and received her first credit as a music supervisor on a major film. She founded her company, Mind Your Music, later that year. In 1992, producer Stacey Sher introduced Rachtman to Quentin Tarantino, who was working on his feature-length debut, Reservoir Dogs. He was determined to use the Stealers Wheel song "Stuck in the Middle With You" for a pivotal scene, and the music supervisor on the film had been unable to secure the necessary rights. After a complicated negotiation, Rachtman acquired the song, and Tarantino hired her as the music supervisor for Reservoir Dogs. Rachtman brought the soundtrack album to MCA, and the resulting record deal paid for the music that was ultimately used in the film. The music used in Reservoir Dogs—particularly "Stuck in the Middle with You" -- "would change cinema thereafter." Reality Bites, Pulp Fiction, Clueless, Capitol and Interscope Records In 1994, Rachtman worked on 15 films, including two, simultaneously: Reality Bites, with director Ben Stiller, and Pulp Fiction with Tarantino. The Reality Bites soundtrack was one of the biggest records of the year; its lead single, Lisa Loeb's "Stay (I Missed You)," was the first song by an independent artist to hit #1 on the Billboard Pop Charts. The use of music in Pulp Fiction was a "milestone in creative music supervision" that "dramatically changed how most movie producers thought about the music that accompanied their films." The Pulp Fiction soundtrack has sold four million copies since its release. By the end of the 1990s, Rachtman had music supervised or executive produced soundtracks for Clueless, Get Shorty, The Basketball Diaries, Romeo + Juliet, Grace of My Heart, Boogie Nights, Bulworth and The Rugrats Movie, among others. She had worked closely with Amy Heckerling, Baz Luhrmann, Paul Thomas Anderson, Warren Beatty, Allison Anders and Robert Rodriguez, and become one of the most sought-after music supervisors in the film industry. In the mid-1990s, as the relationship between the film and music industries became more synergistic, the role of the music supervisor "became far more important as the potential economic benefits of soundtrack albums continued to grow," and Rachtman was pursued both by filmmakers and record companies. In 1994, she was named vice president of soundtracks and A&R for Capitol Records, and in 1997—engineered in part by Beatty—she was appointed head of soundtracks for Interscope Records. At Interscope, she music supervised and/or executive soundtrack produced Moulin Rouge!, Office Space, the Rugrats Movie, Bulworth, and Mystery Men. She was also given her own imprint, Gazillion Records. After leaving Interscope, Rachtman once again worked independently, subsequently music supervising films including Laurel Canyon, North Country, Holes and the SpongeBob SquarePants Movie. Hip Kid Hop, Archie's Final Project, Sweet Micky for President, Mind Your Music NZ LTD In 2002, Rachtman went to Scholastic with an idea for a series of children's picture books called Hip Kid Hop. Inspired by the read-along books of her childhood, as well as the similarities between hip-hop's language and the language of books for children, Hip Kid Hop was geared toward readers aged 4–10. The first books in the series, by LL Cool J and Doug E. Fresh, were "morality tales and stories about developing personal strength." Each book came with a read-along CD. She music supervised and executive produced Archie's Final Project (originally released as My Suicide) in 2009, a dark comedy about a teenager who becomes the most popular kid in his high school when he announces he is going to kill himself on camera for his final video class project. The film won the 2009 Best Feature at the Berlin Film Festival, in addition to other awards. She produced Sweet Mickey for President with Pras Michael, who she first met while working on Bulworth. She began the project as an executive producer, and became a producer as she got more involved in the hands-on production of the film. A documentary about Michael Martely, a colorful musician who ran for president of Haiti in the wake of the 2010 earthquake that devastated the country, it was a selection for film festivals including the Los Angeles Film Festival and the Slamdance Film Festival where it won the juried award for Best Documentary as well as the audience award. Rachtman began to split her time between New Zealand and Los Angeles in 2016. In addition to the US-based Mind Your Music, she is the founder and CEO of Mind Your Music NZ LTD, a resource for filmmakers, advertisers, and brands to assist with spotting, pre-recording, on camera performances, composer selection/negotiation, song creation and selection, licensing, marketing tie-ins, and soundtrack release. Mind Your Music's clients have included Anonymous Content, Hasbro, Levi Strauss & Co. , Activision, CNN and Vice Media. Personal life Rachtman lives in Los Angeles and Waiheke Island, near Auckland. She was married to film producer Lloyd Levin. She has two sons, Otis and Arlo. Filmography References External links Mind Your Music 1964 births Living people People from Los Angeles American film producers American music people New Zealand music people
```python Built-in `list` methods `bytes` type `date` object `Module`s everywhere! Get the most of `float`s ```
Xyris montana, the northern yelloweyed grass, is a North American species of flowering plants in the yellow-eyed-grass family. It grows in eastern and central Canada (from Ontario to Newfoundland) and in the northeastern and north-central United States (from Minnesota to New England and New Jersey). Xyris montana is a perennial herb up to 30 cm (12 inches) tall with long, narrow leaves up to 15 cm (6 inches) long but less than 3 mm (0.12 inches) wide. References External links montana Plants described in 1868 Flora of Canada Flora of the Northern United States
The 1923–24 season was Newport County's fourth season in the Football League, third consecutive season in the Third Division South and fourth season overall in the third tier. Season review Results summary Results by round Fixtures and results Third Division South FA Cup Welsh Cup League table P = Matches played; W = Matches won; D = Matches drawn; L = Matches lost; F = Goals for; A = Goals against; GA = Goal average; Pts = Points External links Newport County 1923-1924 : Results Newport County football club match record: 1924 Welsh Cup 1923/24 1923-24 English football clubs 1923–24 season 1923–24 in Welsh football
The 2009 Big Ten Conference football season was the 114th for the conference, and saw Ohio State conclude the regular season as Big Ten Conference champion for the 5th consecutive time, their 34th Big Ten title. This earned them the conference's automatic selection to a Bowl Championship Series game in which it emerged victorious in the January 1, 2010 Rose Bowl against Oregon Ducks. Co-runner-up, Iowa, earned the conference's at-large BCS invitation to the January 5, 2010 Orange Bowl. The season started on Thursday, September 3, as conference member Indiana hosted Eastern Kentucky. The conference’s other 10 teams began their respective 2009 season of NCAA Division I FBS (Football Bowl Subdivision) competition two days later. All teams started their season at home except Illinois who started their season on neutral turf for the third consecutive season against Missouri and Minnesota who traveled to Syracuse. Although several players had post season All-star games remaining, the season concluded for Big Ten teams with the 2010 Orange Bowl in which Iowa defeated Georgia Tech. This was the seventh bowl game for the conference which compiled a 4–3 record. Over the course of 77 home games, the conference set a new attendance record. During the season, Minnesota opened a new athletic stadium, TCF Bank Stadium, and Purdue welcomed a new head coach, Danny Hope. The season saw John Clay selected as offensive player of the year by both the coaches and the media. Jared Odrick and Greg Jones won defensive player of the year awards from the coaches and media, respectively. Chicago Tribune Silver Football recipients as the Big Ten co-MVPs were Daryll Clark and Brandon Graham. Jones was the conferences only consensus 2009 College Football All-America Team representative. The Big Ten Conference enjoyed two national statistical championships. Graham led the nation in tackles for a loss (TFL). Ray Fisher earned the national statistical championship in kickoff return average and established a new Big Ten single-season record with his performance. The Big Ten led the nation with six first team Academic All-Americans. After the season, 34 athletes were selected in the 2010 NFL Draft including three in the first round and six each by Iowa and Penn State. Previous season During the 2008 NCAA Division I FBS football season, Ohio State won its fourth consecutive Big Ten championship while co-champion Penn State won its second in four years. Although the two teams tied with 7–1 conference records, Penn State earned the conference's automatic Bowl Championship Series selection due to a head-to-head victory. The two teams have been the only teams from the conference to win a Big Ten championship in the past four seasons. During the season, every home game was televised nationally and 98 percent of the Big Ten's games were nationally aired far exceeding all other conferences, none of whom had even 75 percent of their games televised. Preseason In a given year, each Big Ten team will play eight of the other Big Ten teams. Thus for any given team in a given year, there are two others which will not be competed against. Below is the breakdown of each team and its two "no-plays" for 2009: Illinois: Iowa, Wisconsin Indiana: Michigan State, Minnesota Iowa: Illinois, Purdue Michigan: Minnesota, Northwestern Michigan State: Indiana, Ohio State Minnesota: Indiana, Michigan Northwestern: Michigan, Ohio State Ohio State: Michigan State, Northwestern Penn State: Purdue, Wisconsin Purdue: Iowa, Penn State Wisconsin: Illinois, Penn State The Big Ten Conference announced on July 27 that the big ten media had elected Ohio State as the preseason favorite for the 2009 football season. It had ranked Penn State second and Michigan State third. It chose Ohio State quarterback Terrelle Pryor the Preseason Offensive Player of the Year and Michigan State linebacker Greg Jones the Preseason Defensive Player of the Year. In the Preseason Coaches' Poll released on August 7, the Big Ten was one of only three conferences with multiple teams ranked in the top ten. The College Football Hall of Fame has selected Iowa's Larry Station (1982–85), Ohio State's Chris Spielman (1984–87) and Penn State's Curt Warner (1979–82) for December induction. 28 Big Ten athletes were selected in the 2009 National Football League Draft in late April, including four first-round picks. Two additional players were selected in the 2009 Major League Baseball Draft. Watchlists According to the Big Ten Conference at the beginning of the season: "The Big Ten now features 51 student-athletes on preseason watch lists for 19 different national awards. Among the honored conference players, 27 appear on more than one list and five Big Ten standouts lead the way by appearing on five different lists. Every Big Ten team has at least one player appearing on a watch list. Iowa, Ohio State and Penn State top all Big Ten schools with seven different players appearing on watch lists, followed by six nominees from Illinois and Michigan and five selections for Michigan State and Wisconsin. On the offensive side of the ball, returning first-team All-Big Ten quarterback Daryll Clark of Penn State appears on the watch lists for the Walter Camp Player of the Year, Manning, Maxwell, Davey O'Brien and Johnny Unitas Golden Arm Awards. Illinois signal caller Juice Williams, a second-team All-Big Ten choice last year, appears on four different lists for the Manning, Maxwell, Davey O'Brien and Johnny Unitas Golden Arm Awards. Illini wideout Arrelious Benn (Biletnikoff, Walter Camp Player of the Year, Maxwell) and Ohio State quarterback Terrelle Pryor (Manning, Maxwell, Davey O'Brien) appear on three different watch lists. Players appearing on two lists include Iowa offensive tackle Bryan Bulaga, Michigan running back Brandon Minor and offensive lineman David Molk, Michigan State center Joel Nitchman, Minnesota wideout Eric Decker and quarterback Adam Weber, Northwestern center Ben Burkett, Ohio State center Mike Brewster, Penn State running back Evan Royster and offensive lineman Stefan Wisniewski and the Wisconsin trio of running back John Clay, tight end Garrett Graham and center John Moffitt. On the defensive side of the ball, four standouts appear on five different watch lists. Big Ten Preseason Defensive Player of the Year and returning first-team All-Big Ten linebacker Greg Jones of Michigan State has been named to the watch lists for the Bednarik, Butkus and Rotary Lombardi Awards and the Lott and Nagurski Trophies. Fellow linebacker Sean Lee of Penn State, who missed last season due to injury after earning second-team All-Big Ten accolades in 2007, appears on the same five watch lists as Jones. Defensive ends Brandon Graham of Michigan and Corey Wootton of Northwestern were both tabbed for the Bednarik, Ted Hendricks, Rotary Lombardi, Lott and Nagurski watch lists. Wootton was a first-team All-Big Ten choice last year while Graham was named to the second team. Two more Nittany Lion standouts were named to four watch lists in linebacker NaVorro Bowman (Bednarik, Butkus, Lombardi, Nagurski) and defensive tackle Jared Odrick (Bednarik, Lombardi, Nagurski, Outland). Other defensive standouts to appear on multiple lists include Illinois linebacker Martez Wilson, Indiana defensive end Jammie Kirlew, Iowa linebacker Pat Angerer and Ohio State safety Kurt Coleman." Award watch lists Lott Trophy, Bronko Nagurski Trophy, and Jim Thorpe Award watchlist candidate Kurt Coleman of Ohio State, was suspended by the Big Ten Conference for one game. The suspension was for a violation of the new 2009 NCAA football playing rule that required mandatory conference video review of an act where a player initiates helmet-to-helmet contact and targets a defenseless opponent. The incident occurred during the September 26 game against Illinois. Midseason Obi Ezeh, Jones and Lee were among the sixteen selected to the midseason Butkus watchlist and Clark was named as one of ten finalists for the Unitas award. Eight Big Ten athletes were named as semifinalists for the Campbell Trophy: Illinois' Jon Asamoah, Indiana's Jammie Kirlew, Michigan's Zoltan Mesko, Minnesota's Eric Decker, Northwestern's Andrew Brewer, Ohio State's Jim Cordle, Penn State's Josh Hull and Wisconsin's Mickey Turner on October 1. Four Big Ten Players midseason watch list for the John Mackey Award: Moeaki, Gantt, Quarless and Graham. Three were quarterfinalists for the Lott Award: Angerer, Jones and Coleman. The Big Ten had two O'Brien Award semifinalists: Stanzi and Clark. Eric Decker was named one of 10 semifinalists for the Biletnikoff Award. Jones has been selected as a semifinalists for the Bednarik Award along with Angerer, Bowman and Wisconsin defensive end O'Brien Schofield. Hawkeyes' Tyler Sash was chosen as a semifinalist for the Jim Thorpe Award. Swenson and Northwestern's Stefan Demos were named semifinalists for the Groza Award. Mesko, Blair White, and Andrew Brewer were among the 12 finalists for the Wuerffel Trophy. Mesko, and Donahue were among 10 semifinalists for the Guy Award. Mesko was named one of three finalists for the Ray Guy Award. Michigan's Graham was a finalist for the Henricks Award. Rankings Unlike most sports, college football's governing body, the NCAA, does not bestow a National Championship title. That title is bestowed by one or more of four different polling agencies. There are two main weekly polls that begin in the preseason: the AP Poll and the Coaches Poll. Two additional polls are released midway through the season; the Harris Interactive Poll is released after the fourth week of the season and the Bowl Championship Series (BCS) Standings is released after the seventh week. The Harris Poll and Coaches Poll are factors in the BCS Standings. Spring games April 11 Michigan April 18 Indiana Purdue Wisconsin April 25 Illinois Michigan State Minnesota Northwestern Ohio State Penn State Did not have spring game this year Iowa Season Purdue head coach Danny Hope began his first season in West Lafayette. On September 12, Minnesota opened the 2009 season its new 50,720-seat home field, TCF Bank Stadium when the team hosted the Air Force Falcons. For the third straight year, each Big Ten home game during the first three weeks of the season was broadcast nationally on ABC, ESPN, ESPN2 or the Big Ten Network, which televised more than 20 contests altogether in the opening weeks, including all nine home games in Week 1. Every ABC afternoon telecast was broadcast nationally, either on ABC or simultaneously on ESPN or ESPN2. Note that although the Big Ten is a regional conference the Big Ten Network, which was available in 19 of the 20 largest U.S. media markets, was available to approximately 73 million homes in the U.S. and Canada through agreements with more than 250 cable television or satellite television affiliates. The season began amidst allegations that Michigan was working its players beyond the extent permissible by the NCAA. Nonetheless, the conference had its fifth ten-win week during the opening weekend. During week 3, the Ohio State-USC game became the most-viewed college football game in ESPN history. After three weeks, the Big Ten Conference was the only Football Bowl Subdivision conference with five 3–0 teams. Homecoming games September 26 Michigan 36, Indiana 33 (Michigan's record in homecoming games is 83-26)† October 3 Northwestern 27, Purdue 21 (Purdue's record in homecoming games is 48-35-4)† October 10 Michigan State 24, Illinois 14 (Illinois's record in homecoming games is 42-55-2)† Iowa 30, Michigan 28 (Iowa's record in homecoming games is 52-41-5)† Minnesota 35, Purdue 20 (Minnesota's record in homecoming games is 54-33-3)† October 17 Indiana 27, Illinois 14 (Indiana's record in homecoming games is 43-48-6)† Michigan State 24, Northwestern 14 (Michigan State's record in homecoming games is 61-30-3)† Penn State 20, Minnesota 0 (Penn State's record in homecoming games is 65-20-5)† Iowa 20, Wisconsin 10 (Wisconsin's record in homecoming games is 52-45-5)† October 24 Northwestern 29, Indiana 28 11:00 a.m. CT Ohio State 38, Minnesota 7 (Ohio State's record in homecoming games is 64-19-5)† † denotes record after the game Schedule Week one Week two Week three Week four Week five Week six Week seven Week eight Week nine Week ten Week eleven Week twelve Week thirteen Week fourteen Records against other conferences The following summarizes the Big Ten's record this season vs. other conferences. Big Ten vs. BCS matchups During the season, Big Ten teams played several games against BCS conference opponents. Some of these games are regularly contested rivalry games. Bowl games On December 6, the Bowl matchups were announced. It marked the fifth consecutive season that at least seven Big Ten teams earned bowl game invitations and the ninth time in twelve-year history of the Bowl Championship Series that the conference was awarded two BCS invitations. (*) denotes BCS game Big Ten team and score in bold Winning team and score listed first in italics Players of the week Throughout the conference regular season, the Big Ten offices named offensive, defensive and special teams players of the week each Sunday. Big Ten Conference football individual honors At the conclusion of week 12, the coaches and media made Big Ten Conference football individual honors selections. John Clay was selected as offensive player of the year by both the coaches and the media. Jared Odrick and Greg Jones won defensive player of the year awards from the coaches and media, respectively. Bryan Bulaga and Odrick were selected as offensive and defensive linemen of the year. Chris Borland was freshman of the year and Kirk Ferentz was Coach of the Year. The Chicago Tribune Silver Football recipients as the Big Ten co-MVPs were Daryll Clark and Brandon Graham, marking the first time the award has been shared. All-Conference The following players were selected as All-Big Ten at the conclusion of the season. Additional honorees due to ties Position key All-Americans The following players were chosen as All-Americans for the Associated Press, American Football Coaches Association, ESPN, Football Writers Association of America, CBS Sports, Sports Illustrated, Rivals.com, Scout.com, College Football News, Walter Camp Football Foundation or the Pro Football Weekly teams. All-Star Games The following players were selected to play in post season All-Star Games: January 23, 2010 East-West Shrine Game Jim Cordle Doug Worthington Daryll Clark Jeremy Boone Andrew Quarless Mike Neal Kyle Calloway O'Brien Schofield Blair White Rodger Saffold Kafka earned offensive MVP; Shofield was named defensive MVP, and White led all receivers with seven catches for 93 yards. January 30 2010 Senior Bowl Kurt Coleman A. J. Edds Brandon Graham Garrett Graham Mike Hoomanawanui Zoltan Mesko Mike Neal Jared Odrick Brett Swenson Brandon Graham earned MVP honors with five tackles, two sacks, one forced fumble. February 6, 2010 Texas vs. The Nation Game Dennis Landolt A.J. Wallace Simoni Lawrence Nick Polk Josh Hull Nathan Triplett Aaron Pettrey All Big Ten Players represented the nation. Statistics The Big Ten had two national statistical leaders: Brandon Graham led the nation with 2.17 tackles for a loss per game ahead of national second-place finisher O'Brien Schofield and Ray Fisher led the nation in kickoff return average with 37.35. Greg Jones ranked third nationally in tackles per game at 11.85 followed closely by Pat Angerer who finished fourth. Ryan Kerrigan finished third in quarterback sacks per game with 1.08. The Big Ten saw several career and single-season Big Ten records fall. Mike Kafka broke Drew Brees 1998 record for single-season offensive plays (642 vs. 638). Fisher's return average was a Big Ten single-season record, surpassing the 1965 record. Troy Stoudermire accumulated 43 kickoff returns, which tied Earl Douthitt's 1973 single-season total. David Gilreath's 108 career kickoff returns surpassed the 106 set by Brandon Williams (2002–05) and Derrick Mason (1993–96). Other near single-season records were Tyler Sash's 203 interception return yards, which fell short of the 207 set in 2003 by Alan Zemaitis and Ryan Kerrigan's 7 forced fumbles, which was short of the 8 set by Jonal Saint-Dic in 2007. Jim Tressel became the second head coach to secure five consecutive Big Ten championships. Attendance In 2009, the Big Ten established a new overall conference attendance record with 5,526,237 fans attending 77 home games. This surpassed the previous record set in 2002 when a total of 5,499,439 was reached in 78 contests. Below is a table of home game attendances. Academic honors 26 Big Ten student-athletes were named to the Academic All-District teams presented by ESPN The Magazine, including 18 first-team selections: Illinois' Jon Asamoah, Indiana's Brandon Bugg, Trea Burgess and Ben Chappell, Michigan's Zoltan Mesko, Michigan State's Blair White, Minnesota's Eric Decker and Jeff Tow-Arnett, Northwestern's Doug Bartels, Stefan Demos and Zeke Markshausen, Penn State's Jeremy Boone, Josh Hull, Andrew Pitz and Stefen Wisniewski, Purdue's Joe Holland and Ryan Kerrigan and Wisconsin's Brad Nortman. The Nittany Lions were one of only six schools nationwide with four or more first-team selections. Second-team picks included the Hawkeyes' Julian Vandervelde, the Wolverines' Jon Conover, the Spartans' Adam Decker and Andrew Hawken and the Buckeyes' Bryant Browning, Todd Denlinger, Andrew Moses and Marcus Williams. To be eligible for the award, a player must be in at least his second year of athletic eligibility, be a first-team or key performer and carry a cumulative 3.30 grade point average. First-team selections will be added to the national ballot and are eligible for Academic All-America honors to be announced on November 24. Penn State's Hull and Pitz are looking to earn Academic All-America accolades for the second straight year. For the fifth consecutive season the Big Ten had more (8) student-athletes named to the ESPN The Magazine Academic All-America first or second teams in football than any other conference whether they be a member of the Football Bowl Subdivision (FBS) or the Football Championship Subdivision (FCS). The Big Ten also had six of the fifteen first-team selections, which led the nation. FCS' Missouri Valley Conference was second with five first or second team selections and the FBS' Big 12 Conference had four honorees. Only the Big 12 and Southeastern Conference had two first team selections. The Academic All-America first-team honorees from the Big Ten include Zoltan Mesko, Blair White, Zeke Markshausen, Josh Hull, Andrew Pitz and Stefen Wisniewski. Second-team honors went to Northwestern's Stefan Demos and Purdue's Ryan Kerrigan. Hull and Pitz were repeat first-team selections. The Big Ten conference also recognized 193 football players as fall term 2009-10 Academic All-Conference honorees, including Purdue's Joe Holland who has maintained a 4.0 Grade Point Average. The student-athletes honorees were letterwinners in at least their second academic year at their institution and who carry a cumulative grade point average of 3.0 or higher. 2010 NFL Draft The 2010 saw 34 Big Ten athletes selected. This included at least one representative from each member school, making the Big Ten one of only two conferences to have each of its members represented among the draft selections. Iowa and Penn State each had six selections. The Big Ten had three first round selections: Big Ten Silver Football co-winner Brandon Graham was selected 13th overall by Philadelphia. Big Ten Offensive Lineman of the Year Bryan Bulaga 23rd by Green Bay, while Big Ten Defensive Player and Lineman of the Year Jared Odrick was chosen 28th overall by Miami. See also 2009–10 Big Ten Conference men's basketball season References
Human-powered watercraft are watercraft propelled only by human power, instead of being propelled by wind power (via one or more sails) or an engine. The three main methods of exerting human power are: directly from the hands or feet, sometimes aided by swimfins; through hand-operated oars, paddles, or poles, or; through the feet with pedals, crankset or treadle. While most human-powered watercraft use buoyancy to maintain their position relative to the surface of the water, a few, such as human-powered hydrofoils and human-powered submarines, use hydrofoils, either alone or in addition to buoyancy. Oared craft Oars are held at one end, have a blade on the other end, and pivot in between in oarlocks. Oared craft include: Racing shell Using oars in pairs, with one hand on each oar, is two-oar sculling. The oars may also be called sculls. Two-oared sculled craft include: Adirondack guideboat Banks dory, Gloucester dory, and McKenzie River dory Dinghy Sampans rowed by foot in Ninh Bình Province of northern Vietnam. Scull, Single scull, Double scull, Quad scull, and Octuple scull Skiff Row boat Using oars individually, with both hands on a single oar, is sweep or sweep-oar rowing. In this case the rowers are usually paired so that there is an oar on each side of the boat. Sweep-oared craft include: Coxless pair, Coxed pair, Coxless four, Coxed four, and Eight Galley, Dromon, Trainera, and Trireme Moving a single stern-mounted oar from side to side, while changing the angle of the blade so as to generate forward thrust on both strokes, is single-oar sculling. Single-oar sculled craft include: Gondola Sampan Sandolo Paddlecraft Paddled watercraft, or paddlecraft, uses one or more handheld paddles, each with a widened blade on one or both ends, to push water and propel the watercraft.. Commonly seen paddlecrafts include: Canoe, Outrigger canoe, Hasamibako bune, Umiak, Waka, Pirogue, Shikara, Dragon boat, and Dugout Kayak, Sea kayak, Flyak, and Baidarka Coracle, Tarai-bune Paddleboard Pedaled craft Pedals are attached to a crank and propelled in circles, or to a treadle and reciprocated, with the feet. The collected power is then transferred to the water with a paddle wheel, flippers, or to the air or water with a propeller. Pedaled craft include: Amphibious cycle Hydrocycle Pedal-powered kayak Pedal-powered submersible or midget submarine Pedal-powered hydrofoil Pedalo Poled craft A pole is held with both hands and used to push against the bottom. Poled craft include: Punt Raft Makoro Other types Other types of human-powered watercraft include: Float tube Hand-cranked submarine (disambiguation) Hand-operated cable ferry Bodyboarding Gallery See also Ocean rowing Fiann Paul References Boat types
Barry Lillywhite (born 4 May 1946) is a British modern pentathlete. He competed at the 1968 and 1972 Summer Olympics. References External links 1946 births Living people Sportspeople from Brighton British male modern pentathletes Olympic modern pentathletes for Great Britain Modern pentathletes at the 1968 Summer Olympics Modern pentathletes at the 1972 Summer Olympics
```m4sugar # DO NOT EDIT! GENERATED AUTOMATICALLY! # # This file is free software; you can redistribute it and/or modify # (at your option) any later version. # # This file 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 this file. If not, see <path_to_url # # this file may be distributed as part of a program that # contains a configuration script generated by Autoconf, under # the same distribution terms as the rest of that program. # # Generated by gnulib-tool. # # This file represents the compiled summary of the specification in # gnulib-cache.m4. It lists the computed macro invocations that need # to be invoked from configure.ac. # In projects that use version control, this file can be treated like # other built files. # This macro should be invoked from gettext-tools/configure.ac, in the section # "Checks for programs", right after AC_PROG_CC, and certainly before # any checks for libraries, header files, types and library functions. AC_DEFUN([gl_EARLY], [ m4_pattern_forbid([^gl_[A-Z]])dnl the gnulib macro namespace m4_pattern_allow([^gl_ES$])dnl a valid locale name m4_pattern_allow([^gl_LIBOBJS$])dnl a variable m4_pattern_allow([^gl_LTLIBOBJS$])dnl a variable # Pre-early section. AC_REQUIRE([gl_USE_SYSTEM_EXTENSIONS]) AC_REQUIRE([gl_PROG_AR_RANLIB]) AC_REQUIRE([AM_PROG_CC_C_O]) # Code from module absolute-header: # Code from module acl: # Code from module acl-permissions: # Code from module acl-tests: # Code from module alignof: # Code from module alignof-tests: # Code from module alloca-opt: # Code from module alloca-opt-tests: # Code from module allocator: # Code from module ansi-c++-opt: # Code from module areadlink: # Code from module areadlink-tests: # Code from module argmatch: # Code from module argmatch-tests: # Code from module array-list: # Code from module array-list-tests: # Code from module atexit: # Code from module atexit-tests: # Code from module backupfile: # Code from module basename: # Code from module binary-io: # Code from module binary-io-tests: # Code from module bison-i18n: # Code from module btowc: # Code from module btowc-tests: # Code from module byteswap: # Code from module byteswap-tests: # Code from module c-ctype: # Code from module c-ctype-tests: # Code from module c-strcase: # Code from module c-strcase-tests: # Code from module c-strcaseeq: # Code from module c-strcasestr: # Code from module c-strcasestr-tests: # Code from module c-strstr: # Code from module c-strstr-tests: # Code from module canonicalize-lgpl: # Code from module canonicalize-lgpl-tests: # Code from module careadlinkat: # Code from module classpath: # Code from module clean-temp: # Code from module cloexec: # Code from module cloexec-tests: # Code from module close: # Code from module close-tests: # Code from module closedir: # Code from module closeout: # Code from module concat-filename: # Code from module configmake: # Code from module copy-file: # Code from module copy-file-tests: # Code from module csharpcomp: # Code from module csharpcomp-script: # Code from module csharpexec: # Code from module csharpexec-script: # Code from module ctype: # Code from module ctype-tests: # Code from module diffseq: # Code from module dirent: # Code from module dirent-tests: # Code from module dirfd: # Code from module dosname: # Code from module double-slash-root: # Code from module dup: # Code from module dup-tests: # Code from module dup2: # Code from module dup2-tests: # Code from module environ: # Code from module environ-tests: # Code from module errno: # Code from module errno-tests: # Code from module error: # Code from module error-progname: # Code from module execute: # Code from module exitfail: # Code from module extensions: # Code from module extern-inline: # Code from module fabs: # Code from module fabs-tests: # Code from module fatal-signal: # Code from module fcntl: # Code from module fcntl-h: # Code from module fcntl-h-tests: # Code from module fcntl-tests: # Code from module fd-hook: # Code from module fd-ostream: # Code from module fd-safer-flag: # Code from module fdopen: # Code from module fdopen-tests: # Code from module fgetc-tests: # Code from module file-has-acl: # Code from module file-has-acl-tests: # Code from module file-ostream: # Code from module filename: # Code from module findprog: # Code from module float: # Code from module float-tests: # Code from module fnmatch: # Code from module fnmatch-tests: # Code from module fopen: # Code from module fopen-tests: # Code from module fpieee: AC_REQUIRE([gl_FP_IEEE]) # Code from module fpucw: # Code from module fputc-tests: # Code from module fread-tests: # Code from module fstat: # Code from module fstat-tests: # Code from module fstrcmp: # Code from module fstrcmp-tests: # Code from module ftell: # Code from module ftell-tests: # Code from module ftello: AC_REQUIRE([AC_FUNC_FSEEKO]) # Code from module ftello-tests: # Code from module full-write: # Code from module fwrite-tests: # Code from module fwriteerror: # Code from module gcd: # Code from module gcj: # Code from module getcwd-lgpl: # Code from module getcwd-lgpl-tests: # Code from module getdelim: # Code from module getdelim-tests: # Code from module getdtablesize: # Code from module getdtablesize-tests: # Code from module getline: # Code from module getline-tests: # Code from module getopt-gnu: # Code from module getopt-posix: # Code from module getopt-posix-tests: # Code from module getpagesize: # Code from module gettext: # Code from module gettext-h: # Code from module gettext-tools-misc: # Code from module gettimeofday: # Code from module gettimeofday-tests: # Code from module gperf: # Code from module hard-locale: # Code from module hash: # Code from module havelib: # Code from module html-ostream: # Code from module html-styled-ostream: # Code from module iconv: # Code from module iconv-h: # Code from module iconv-h-tests: # Code from module iconv-tests: # Code from module iconv_open: # Code from module ignore-value: # Code from module ignore-value-tests: # Code from module include_next: # Code from module inline: # Code from module intprops: # Code from module intprops-tests: # Code from module inttypes: # Code from module inttypes-incomplete: # Code from module inttypes-tests: # Code from module isinf: # Code from module isinf-tests: # Code from module isnan: # Code from module isnan-tests: # Code from module isnand: # Code from module isnand-nolibm: # Code from module isnand-nolibm-tests: # Code from module isnand-tests: # Code from module isnanf: # Code from module isnanf-nolibm: # Code from module isnanf-nolibm-tests: # Code from module isnanf-tests: # Code from module isnanl: # Code from module isnanl-nolibm: # Code from module isnanl-nolibm-tests: # Code from module isnanl-tests: # Code from module iswblank: # Code from module iswblank-tests: # Code from module java: # Code from module javacomp: # Code from module javacomp-script: # Code from module javaexec: # Code from module javaexec-script: # Code from module javaversion: # Code from module langinfo: # Code from module langinfo-tests: # Code from module largefile: AC_REQUIRE([AC_SYS_LARGEFILE]) # Code from module libcroco: # Code from module libglib: # Code from module libunistring-optional: # Code from module libxml: # Code from module linkedhash-list: # Code from module linkedhash-list-tests: # Code from module list: # Code from module localcharset: # Code from module locale: # Code from module locale-tests: # Code from module localename: # Code from module localename-tests: # Code from module lock: # Code from module lock-tests: # Code from module log10: # Code from module log10-tests: # Code from module lseek: # Code from module lseek-tests: # Code from module lstat: # Code from module lstat-tests: # Code from module malloc-posix: # Code from module malloca: # Code from module malloca-tests: # Code from module math: # Code from module math-tests: # Code from module mbchar: # Code from module mbiter: # Code from module mbrtowc: # Code from module mbrtowc-tests: # Code from module mbsinit: # Code from module mbsinit-tests: # Code from module mbslen: # Code from module mbsrtowcs: # Code from module mbsrtowcs-tests: # Code from module mbsstr: # Code from module mbsstr-tests: # Code from module mbswidth: # Code from module mbtowc: # Code from module mbuiter: # Code from module memchr: # Code from module memchr-tests: # Code from module memmove: # Code from module memset: # Code from module minmax: # Code from module mkdtemp: # Code from module moo: # Code from module moo-tests: # Code from module msvc-inval: # Code from module msvc-nothrow: # Code from module multiarch: # Code from module no-c++: # Code from module nocrash: # Code from module obstack: # Code from module open: # Code from module open-tests: # Code from module opendir: # Code from module openmp: # Code from module ostream: # Code from module pathmax: # Code from module pathmax-tests: # Code from module pipe-filter-ii: # Code from module pipe-filter-ii-tests: # Code from module pipe2: # Code from module pipe2-safer: # Code from module pipe2-tests: # Code from module posix_spawn-internal: # Code from module posix_spawn_file_actions_addclose: # Code from module posix_spawn_file_actions_addclose-tests: # Code from module posix_spawn_file_actions_adddup2: # Code from module posix_spawn_file_actions_adddup2-tests: # Code from module posix_spawn_file_actions_addopen: # Code from module posix_spawn_file_actions_addopen-tests: # Code from module posix_spawn_file_actions_destroy: # Code from module posix_spawn_file_actions_init: # Code from module posix_spawnattr_destroy: # Code from module posix_spawnattr_init: # Code from module posix_spawnattr_setflags: # Code from module posix_spawnattr_setsigmask: # Code from module posix_spawnp: # Code from module posix_spawnp-tests: # Code from module pow: # Code from module pow-tests: # Code from module progname: # Code from module propername: # Code from module putenv: # Code from module qcopy-acl: # Code from module qset-acl: # Code from module quote: # Code from module quotearg: # Code from module quotearg-simple: # Code from module quotearg-simple-tests: # Code from module raise: # Code from module raise-tests: # Code from module rawmemchr: # Code from module rawmemchr-tests: # Code from module read: # Code from module read-file: # Code from module read-file-tests: # Code from module read-tests: # Code from module readdir: # Code from module readlink: # Code from module readlink-tests: # Code from module realloc-posix: # Code from module relocatable-prog: # Code from module relocatable-prog-wrapper: # Code from module relocatable-script: # Code from module rmdir: # Code from module rmdir-tests: # Code from module safe-read: # Code from module safe-write: # Code from module same-inode: # Code from module sched: # Code from module sched-tests: # Code from module secure_getenv: # Code from module setenv: # Code from module setenv-tests: # Code from module setlocale: # Code from module setlocale-tests: # Code from module sh-quote: # Code from module sh-quote-tests: # Code from module sigaction: # Code from module sigaction-tests: # Code from module signal-h: # Code from module signal-h-tests: # Code from module signbit: # Code from module signbit-tests: # Code from module sigpipe: # Code from module sigpipe-tests: # Code from module sigprocmask: # Code from module sigprocmask-tests: # Code from module size_max: # Code from module sleep: # Code from module sleep-tests: # Code from module snippet/_Noreturn: # Code from module snippet/arg-nonnull: # Code from module snippet/c++defs: # Code from module snippet/unused-parameter: # Code from module snippet/warn-on-use: # Code from module snprintf: # Code from module snprintf-tests: # Code from module spawn: # Code from module spawn-pipe: # Code from module spawn-pipe-tests: # Code from module spawn-tests: # Code from module ssize_t: # Code from module stat: # Code from module stat-tests: # Code from module stdalign: # Code from module stdalign-tests: # Code from module stdarg: dnl Some compilers (e.g., AIX 5.3 cc) need to be in c99 mode dnl for the builtin va_copy to work. With Autoconf 2.60 or later, dnl gl_PROG_CC_C99 arranges for this. With older Autoconf gl_PROG_CC_C99 dnl shouldn't hurt, though installers are on their own to set c99 mode. gl_PROG_CC_C99 # Code from module stdbool: # Code from module stdbool-tests: # Code from module stddef: # Code from module stddef-tests: # Code from module stdint: # Code from module stdint-tests: # Code from module stdio: # Code from module stdio-tests: # Code from module stdlib: # Code from module stdlib-tests: # Code from module stpcpy: # Code from module stpncpy: # Code from module strchrnul: # Code from module strchrnul-tests: # Code from module strcspn: # Code from module streq: # Code from module strerror: # Code from module strerror-override: # Code from module strerror-tests: # Code from module striconv: # Code from module striconv-tests: # Code from module striconveh: # Code from module striconveh-tests: # Code from module striconveha: # Code from module striconveha-tests: # Code from module string: # Code from module string-tests: # Code from module strnlen: # Code from module strnlen-tests: # Code from module strnlen1: # Code from module strpbrk: # Code from module strstr: # Code from module strstr-simple: # Code from module strstr-tests: # Code from module strtol: # Code from module strtol-tests: # Code from module strtoul: # Code from module strtoul-tests: # Code from module styled-ostream: # Code from module symlink: # Code from module symlink-tests: # Code from module sys_select: # Code from module sys_select-tests: # Code from module sys_stat: # Code from module sys_stat-tests: # Code from module sys_time: # Code from module sys_time-tests: # Code from module sys_types: # Code from module sys_types-tests: # Code from module sys_wait: # Code from module sys_wait-tests: # Code from module tempname: # Code from module term-ostream: # Code from module term-ostream-tests: # Code from module term-styled-ostream: # Code from module terminfo: # Code from module terminfo-h: # Code from module test-framework-sh: # Code from module test-framework-sh-tests: # Code from module thread: # Code from module thread-tests: # Code from module threadlib: gl_THREADLIB_EARLY # Code from module time: # Code from module time-tests: # Code from module tls: # Code from module tls-tests: # Code from module tmpdir: # Code from module trim: # Code from module uniconv/base: # Code from module uniconv/u8-conv-from-enc: # Code from module uniconv/u8-conv-from-enc-tests: # Code from module unictype/base: # Code from module unictype/ctype-space: # Code from module unictype/ctype-space-tests: # Code from module unilbrk/base: # Code from module unilbrk/tables: # Code from module unilbrk/u8-possible-linebreaks: # Code from module unilbrk/u8-width-linebreaks: # Code from module unilbrk/u8-width-linebreaks-tests: # Code from module unilbrk/ulc-common: # Code from module unilbrk/ulc-width-linebreaks: # Code from module uniname/base: # Code from module uniname/uniname: # Code from module uniname/uniname-tests: # Code from module unistd: # Code from module unistd-safer: # Code from module unistd-safer-tests: # Code from module unistd-tests: # Code from module unistr/base: # Code from module unistr/u16-mbtouc: # Code from module unistr/u16-mbtouc-tests: # Code from module unistr/u8-check: # Code from module unistr/u8-check-tests: # Code from module unistr/u8-cmp: # Code from module unistr/u8-cmp-tests: # Code from module unistr/u8-mblen: # Code from module unistr/u8-mblen-tests: # Code from module unistr/u8-mbtouc: # Code from module unistr/u8-mbtouc-unsafe: # Code from module unistr/u8-mbtoucr: # Code from module unistr/u8-mbtoucr-tests: # Code from module unistr/u8-prev: # Code from module unistr/u8-prev-tests: # Code from module unistr/u8-strlen: # Code from module unistr/u8-strlen-tests: # Code from module unistr/u8-uctomb: # Code from module unistr/u8-uctomb-tests: # Code from module unitypes: # Code from module uniwidth/base: # Code from module uniwidth/width: # Code from module unlocked-io: # Code from module unsetenv: # Code from module unsetenv-tests: # Code from module vasnprintf: # Code from module vasnprintf-tests: # Code from module vasprintf: # Code from module vasprintf-tests: # Code from module verify: # Code from module verify-tests: # Code from module vsnprintf: # Code from module vsnprintf-tests: # Code from module wait-process: # Code from module waitpid: # Code from module wchar: # Code from module wchar-tests: # Code from module wcrtomb: # Code from module wcrtomb-tests: # Code from module wctob: # Code from module wctomb: # Code from module wctype-h: # Code from module wctype-h-tests: # Code from module wcwidth: # Code from module wcwidth-tests: # Code from module write: # Code from module write-tests: # Code from module xalloc: # Code from module xalloc-die: # Code from module xalloc-die-tests: # Code from module xconcat-filename: # Code from module xerror: # Code from module xlist: # Code from module xmalloca: # Code from module xmemdup0: # Code from module xmemdup0-tests: # Code from module xreadlink: # Code from module xsetenv: # Code from module xsize: # Code from module xstriconv: # Code from module xstriconveh: # Code from module xvasprintf: # Code from module xvasprintf-tests: # Code from module yield: ]) # This macro should be invoked from gettext-tools/configure.ac, in the section # "Check for header files, types and library functions". AC_DEFUN([gl_INIT], [ AM_CONDITIONAL([GL_COND_LIBTOOL], [true]) gl_cond_libtool=true gl_m4_base='gnulib-m4' m4_pushdef([AC_LIBOBJ], m4_defn([gl_LIBOBJ])) m4_pushdef([AC_REPLACE_FUNCS], m4_defn([gl_REPLACE_FUNCS])) m4_pushdef([AC_LIBSOURCES], m4_defn([gl_LIBSOURCES])) m4_pushdef([gl_LIBSOURCES_LIST], []) m4_pushdef([gl_LIBSOURCES_DIR], []) gl_COMMON gl_source_base='gnulib-lib' gl_FUNC_ACL gl_FUNC_ALLOCA gl_PROG_ANSI_CXX([CXX], [ANSICXX]) gl_FUNC_ATEXIT if test $ac_cv_func_atexit = no; then AC_LIBOBJ([atexit]) gl_PREREQ_ATEXIT fi gt_PREREQ_BACKUPFILE BISON_I18N gl_BYTESWAP gl_CANONICALIZE_LGPL if test $HAVE_CANONICALIZE_FILE_NAME = 0 || test $REPLACE_CANONICALIZE_FILE_NAME = 1; then AC_LIBOBJ([canonicalize-lgpl]) fi gl_MODULE_INDICATOR([canonicalize-lgpl]) gl_STDLIB_MODULE_INDICATOR([canonicalize_file_name]) gl_STDLIB_MODULE_INDICATOR([realpath]) AC_CHECK_FUNCS_ONCE([readlinkat]) AC_DEFINE([SIGNAL_SAFE_LIST], [1], [Define if lists must be signal-safe.]) gl_MODULE_INDICATOR_FOR_TESTS([cloexec]) gl_FUNC_CLOSE if test $REPLACE_CLOSE = 1; then AC_LIBOBJ([close]) fi gl_UNISTD_MODULE_INDICATOR([close]) gl_FUNC_CLOSEDIR if test $HAVE_CLOSEDIR = 0 || test $REPLACE_CLOSEDIR = 1; then AC_LIBOBJ([closedir]) fi gl_DIRENT_MODULE_INDICATOR([closedir]) gl_CONFIGMAKE_PREP gl_COPY_FILE AC_REQUIRE([gt_CSHARPCOMP]) AC_CONFIG_FILES([csharpcomp.sh:../build-aux/csharpcomp.sh.in]) # You need to invoke gt_CSHARPEXEC yourself, possibly with arguments. AC_CONFIG_FILES([csharpexec.sh:../build-aux/csharpexec.sh.in]) gl_DIRENT_H gl_FUNC_DIRFD if test $ac_cv_func_dirfd = no && test $gl_cv_func_dirfd_macro = no \ || test $REPLACE_DIRFD = 1; then AC_LIBOBJ([dirfd]) gl_PREREQ_DIRFD fi gl_DIRENT_MODULE_INDICATOR([dirfd]) gl_DOUBLE_SLASH_ROOT gl_FUNC_DUP2 if test $HAVE_DUP2 = 0 || test $REPLACE_DUP2 = 1; then AC_LIBOBJ([dup2]) gl_PREREQ_DUP2 fi gl_UNISTD_MODULE_INDICATOR([dup2]) gl_ENVIRON gl_UNISTD_MODULE_INDICATOR([environ]) gl_HEADER_ERRNO_H gl_ERROR if test $ac_cv_lib_error_at_line = no; then AC_LIBOBJ([error]) gl_PREREQ_ERROR fi m4_ifdef([AM_XGETTEXT_OPTION], [AM_][XGETTEXT_OPTION([--flag=error:3:c-format]) AM_][XGETTEXT_OPTION([--flag=error_at_line:5:c-format])]) gl_EXECUTE AC_REQUIRE([gl_EXTERN_INLINE]) gl_FUNC_FABS gl_FATAL_SIGNAL gl_FUNC_FCNTL if test $HAVE_FCNTL = 0 || test $REPLACE_FCNTL = 1; then AC_LIBOBJ([fcntl]) fi gl_FCNTL_MODULE_INDICATOR([fcntl]) gl_FCNTL_H gl_MODULE_INDICATOR([fd-safer-flag]) gl_FINDPROG gl_FLOAT_H if test $REPLACE_FLOAT_LDBL = 1; then AC_LIBOBJ([float]) fi if test $REPLACE_ITOLD = 1; then AC_LIBOBJ([itold]) fi gl_FUNC_FNMATCH_POSIX if test -n "$FNMATCH_H"; then AC_LIBOBJ([fnmatch]) gl_PREREQ_FNMATCH fi gl_FUNC_FOPEN if test $REPLACE_FOPEN = 1; then AC_LIBOBJ([fopen]) gl_PREREQ_FOPEN fi gl_STDIO_MODULE_INDICATOR([fopen]) gl_FUNC_FSTAT if test $REPLACE_FSTAT = 1; then AC_LIBOBJ([fstat]) gl_PREREQ_FSTAT fi gl_SYS_STAT_MODULE_INDICATOR([fstat]) gl_MODULE_INDICATOR([fwriteerror]) gt_GCJ gl_FUNC_GETDELIM if test $HAVE_GETDELIM = 0 || test $REPLACE_GETDELIM = 1; then AC_LIBOBJ([getdelim]) gl_PREREQ_GETDELIM fi gl_STDIO_MODULE_INDICATOR([getdelim]) gl_FUNC_GETDTABLESIZE if test $HAVE_GETDTABLESIZE = 0 || test $REPLACE_GETDTABLESIZE = 1; then AC_LIBOBJ([getdtablesize]) gl_PREREQ_GETDTABLESIZE fi gl_UNISTD_MODULE_INDICATOR([getdtablesize]) gl_FUNC_GETLINE if test $REPLACE_GETLINE = 1; then AC_LIBOBJ([getline]) gl_PREREQ_GETLINE fi gl_STDIO_MODULE_INDICATOR([getline]) gl_FUNC_GETOPT_GNU if test $REPLACE_GETOPT = 1; then AC_LIBOBJ([getopt]) AC_LIBOBJ([getopt1]) gl_PREREQ_GETOPT dnl Arrange for unistd.h to include getopt.h. GNULIB_GL_UNISTD_H_GETOPT=1 fi AC_SUBST([GNULIB_GL_UNISTD_H_GETOPT]) gl_MODULE_INDICATOR_FOR_TESTS([getopt-gnu]) gl_FUNC_GETOPT_POSIX if test $REPLACE_GETOPT = 1; then AC_LIBOBJ([getopt]) AC_LIBOBJ([getopt1]) gl_PREREQ_GETOPT dnl Arrange for unistd.h to include getopt.h. GNULIB_GL_UNISTD_H_GETOPT=1 fi AC_SUBST([GNULIB_GL_UNISTD_H_GETOPT]) dnl you must add AM_GNU_GETTEXT([external]) or similar to configure.ac. AM_GNU_GETTEXT_VERSION([0.18.1]) AC_SUBST([LIBINTL]) AC_SUBST([LTLIBINTL]) gl_FUNC_GETTIMEOFDAY if test $HAVE_GETTIMEOFDAY = 0 || test $REPLACE_GETTIMEOFDAY = 1; then AC_LIBOBJ([gettimeofday]) gl_PREREQ_GETTIMEOFDAY fi gl_SYS_TIME_MODULE_INDICATOR([gettimeofday]) gl_HARD_LOCALE AM_ICONV m4_ifdef([gl_ICONV_MODULE_INDICATOR], [gl_ICONV_MODULE_INDICATOR([iconv])]) gl_ICONV_H gl_FUNC_ICONV_OPEN if test $REPLACE_ICONV_OPEN = 1; then AC_LIBOBJ([iconv_open]) fi if test $REPLACE_ICONV = 1; then AC_LIBOBJ([iconv]) AC_LIBOBJ([iconv_close]) fi gl_INLINE gl_ISINF if test $REPLACE_ISINF = 1; then AC_LIBOBJ([isinf]) fi gl_MATH_MODULE_INDICATOR([isinf]) gl_ISNAN gl_MATH_MODULE_INDICATOR([isnan]) gl_FUNC_ISNAND m4_ifdef([gl_ISNAN], [ AC_REQUIRE([gl_ISNAN]) ]) if test $HAVE_ISNAND = 0 || test $REPLACE_ISNAN = 1; then AC_LIBOBJ([isnand]) gl_PREREQ_ISNAND fi gl_MATH_MODULE_INDICATOR([isnand]) gl_FUNC_ISNAND_NO_LIBM if test $gl_func_isnand_no_libm != yes; then AC_LIBOBJ([isnand]) gl_PREREQ_ISNAND fi gl_FUNC_ISNANF m4_ifdef([gl_ISNAN], [ AC_REQUIRE([gl_ISNAN]) ]) if test $HAVE_ISNANF = 0 || test $REPLACE_ISNAN = 1; then AC_LIBOBJ([isnanf]) gl_PREREQ_ISNANF fi gl_MATH_MODULE_INDICATOR([isnanf]) gl_FUNC_ISNANF_NO_LIBM if test $gl_func_isnanf_no_libm != yes; then AC_LIBOBJ([isnanf]) gl_PREREQ_ISNANF fi gl_FUNC_ISNANL m4_ifdef([gl_ISNAN], [ AC_REQUIRE([gl_ISNAN]) ]) if test $HAVE_ISNANL = 0 || test $REPLACE_ISNAN = 1; then AC_LIBOBJ([isnanl]) gl_PREREQ_ISNANL fi gl_MATH_MODULE_INDICATOR([isnanl]) gl_FUNC_ISNANL_NO_LIBM if test $gl_func_isnanl_no_libm != yes; then AC_LIBOBJ([isnanl]) gl_PREREQ_ISNANL fi gl_FUNC_ISWBLANK if test $HAVE_ISWCNTRL = 0 || test $REPLACE_ISWCNTRL = 1; then : else if test $HAVE_ISWBLANK = 0 || test $REPLACE_ISWBLANK = 1; then AC_LIBOBJ([iswblank]) fi fi gl_WCTYPE_MODULE_INDICATOR([iswblank]) gt_JAVA_CHOICE # You need to invoke gt_JAVACOMP yourself, possibly with arguments. AC_CONFIG_FILES([javacomp.sh:../build-aux/javacomp.sh.in]) # You need to invoke gt_JAVAEXEC yourself, possibly with arguments. AC_CONFIG_FILES([javaexec.sh:../build-aux/javaexec.sh.in]) gl_LANGINFO_H AC_REQUIRE([gl_LARGEFILE]) gl_LIBCROCO gl_LIBGLIB gl_LIBUNISTRING_OPTIONAL gl_LIBXML gl_LOCALCHARSET LOCALCHARSET_TESTS_ENVIRONMENT="CHARSETALIASDIR=\"\$(abs_top_builddir)/$gl_source_base\"" AC_SUBST([LOCALCHARSET_TESTS_ENVIRONMENT]) gl_LOCALE_H gl_LOCALENAME gl_LOCK gl_MODULE_INDICATOR([lock]) gl_FUNC_LOG10 if test $REPLACE_LOG10 = 1; then AC_LIBOBJ([log10]) fi gl_MATH_MODULE_INDICATOR([log10]) gl_FUNC_LSTAT if test $REPLACE_LSTAT = 1; then AC_LIBOBJ([lstat]) gl_PREREQ_LSTAT fi gl_SYS_STAT_MODULE_INDICATOR([lstat]) gl_FUNC_MALLOC_POSIX if test $REPLACE_MALLOC = 1; then AC_LIBOBJ([malloc]) fi gl_STDLIB_MODULE_INDICATOR([malloc-posix]) gl_MALLOCA gl_MATH_H gl_MBCHAR gl_MBITER gl_FUNC_MBRTOWC if test $HAVE_MBRTOWC = 0 || test $REPLACE_MBRTOWC = 1; then AC_LIBOBJ([mbrtowc]) gl_PREREQ_MBRTOWC fi gl_WCHAR_MODULE_INDICATOR([mbrtowc]) gl_FUNC_MBSINIT if test $HAVE_MBSINIT = 0 || test $REPLACE_MBSINIT = 1; then AC_LIBOBJ([mbsinit]) gl_PREREQ_MBSINIT fi gl_WCHAR_MODULE_INDICATOR([mbsinit]) gl_FUNC_MBSLEN gl_STRING_MODULE_INDICATOR([mbslen]) gl_FUNC_MBSRTOWCS if test $HAVE_MBSRTOWCS = 0 || test $REPLACE_MBSRTOWCS = 1; then AC_LIBOBJ([mbsrtowcs]) AC_LIBOBJ([mbsrtowcs-state]) gl_PREREQ_MBSRTOWCS fi gl_WCHAR_MODULE_INDICATOR([mbsrtowcs]) gl_STRING_MODULE_INDICATOR([mbsstr]) gl_MBSWIDTH gl_MBITER gl_FUNC_MEMCHR if test $HAVE_MEMCHR = 0 || test $REPLACE_MEMCHR = 1; then AC_LIBOBJ([memchr]) gl_PREREQ_MEMCHR fi gl_STRING_MODULE_INDICATOR([memchr]) gl_FUNC_MEMMOVE if test $ac_cv_func_memmove = no; then AC_LIBOBJ([memmove]) gl_PREREQ_MEMMOVE fi gl_FUNC_MEMSET if test $ac_cv_func_memset = no; then AC_LIBOBJ([memset]) gl_PREREQ_MEMSET fi gl_MINMAX gl_FUNC_MKDTEMP if test $HAVE_MKDTEMP = 0; then AC_LIBOBJ([mkdtemp]) gl_PREREQ_MKDTEMP fi gl_STDLIB_MODULE_INDICATOR([mkdtemp]) gl_MOO AC_REQUIRE([gl_MSVC_INVAL]) if test $HAVE_MSVC_INVALID_PARAMETER_HANDLER = 1; then AC_LIBOBJ([msvc-inval]) fi AC_REQUIRE([gl_MSVC_NOTHROW]) if test $HAVE_MSVC_INVALID_PARAMETER_HANDLER = 1; then AC_LIBOBJ([msvc-nothrow]) fi gl_MULTIARCH gt_NO_CXX AC_FUNC_OBSTACK dnl Note: AC_FUNC_OBSTACK does AC_LIBSOURCES([obstack.h, obstack.c]). gl_FUNC_OPEN if test $REPLACE_OPEN = 1; then AC_LIBOBJ([open]) gl_PREREQ_OPEN fi gl_FCNTL_MODULE_INDICATOR([open]) gl_FUNC_OPENDIR if test $HAVE_OPENDIR = 0 || test $REPLACE_OPENDIR = 1; then AC_LIBOBJ([opendir]) fi gl_DIRENT_MODULE_INDICATOR([opendir]) AC_OPENMP gl_PATHMAX AC_CHECK_FUNCS_ONCE([select]) gl_FUNC_PIPE2 gl_UNISTD_MODULE_INDICATOR([pipe2]) gl_MODULE_INDICATOR([pipe2-safer]) gl_FUNC_POSIX_SPAWN_FILE_ACTIONS_ADDCLOSE if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN_FILE_ACTIONS_ADDCLOSE = 1; then AC_LIBOBJ([spawn_faction_addclose]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawn_file_actions_addclose]) gl_FUNC_POSIX_SPAWN_FILE_ACTIONS_ADDDUP2 if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN_FILE_ACTIONS_ADDDUP2 = 1; then AC_LIBOBJ([spawn_faction_adddup2]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawn_file_actions_adddup2]) gl_FUNC_POSIX_SPAWN_FILE_ACTIONS_ADDOPEN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN_FILE_ACTIONS_ADDOPEN = 1; then AC_LIBOBJ([spawn_faction_addopen]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawn_file_actions_addopen]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawn_faction_destroy]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawn_file_actions_destroy]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawn_faction_init]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawn_file_actions_init]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawnattr_destroy]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawnattr_destroy]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawnattr_init]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawnattr_init]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawnattr_setflags]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawnattr_setflags]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawnattr_setsigmask]) fi gl_SPAWN_MODULE_INDICATOR([posix_spawnattr_setsigmask]) gl_POSIX_SPAWN if test $HAVE_POSIX_SPAWN = 0 || test $REPLACE_POSIX_SPAWN = 1; then AC_LIBOBJ([spawnp]) AC_LIBOBJ([spawni]) gl_PREREQ_POSIX_SPAWN_INTERNAL fi gl_SPAWN_MODULE_INDICATOR([posix_spawnp]) gl_FUNC_POW AC_CHECK_DECLS([program_invocation_name], [], [], [#include <errno.h>]) AC_CHECK_DECLS([program_invocation_short_name], [], [], [#include <errno.h>]) m4_ifdef([AM_XGETTEXT_OPTION], [AM_][XGETTEXT_OPTION([--keyword='proper_name:1,\"This is a proper name. See the gettext manual, section Names.\"']) AM_][XGETTEXT_OPTION([--keyword='proper_name_utf8:1,\"This is a proper name. See the gettext manual, section Names.\"'])]) gl_QUOTE gl_QUOTEARG gl_FUNC_RAISE if test $HAVE_RAISE = 0 || test $REPLACE_RAISE = 1; then AC_LIBOBJ([raise]) gl_PREREQ_RAISE fi gl_SIGNAL_MODULE_INDICATOR([raise]) gl_FUNC_RAWMEMCHR if test $HAVE_RAWMEMCHR = 0; then AC_LIBOBJ([rawmemchr]) gl_PREREQ_RAWMEMCHR fi gl_STRING_MODULE_INDICATOR([rawmemchr]) gl_FUNC_READ if test $REPLACE_READ = 1; then AC_LIBOBJ([read]) gl_PREREQ_READ fi gl_UNISTD_MODULE_INDICATOR([read]) gl_FUNC_READDIR if test $HAVE_READDIR = 0; then AC_LIBOBJ([readdir]) fi gl_DIRENT_MODULE_INDICATOR([readdir]) gl_FUNC_READLINK if test $HAVE_READLINK = 0 || test $REPLACE_READLINK = 1; then AC_LIBOBJ([readlink]) gl_PREREQ_READLINK fi gl_UNISTD_MODULE_INDICATOR([readlink]) gl_FUNC_REALLOC_POSIX if test $REPLACE_REALLOC = 1; then AC_LIBOBJ([realloc]) fi gl_STDLIB_MODULE_INDICATOR([realloc-posix]) gl_RELOCATABLE([$gl_source_base]) if test $RELOCATABLE = yes; then AC_LIBOBJ([progreloc]) AC_LIBOBJ([relocatable]) fi gl_FUNC_READLINK_SEPARATE gl_CANONICALIZE_LGPL_SEPARATE gl_MALLOCA gl_RELOCATABLE_LIBRARY gl_FUNC_SETENV_SEPARATE AC_REQUIRE([gl_RELOCATABLE_NOP]) relocatable_sh=$ac_aux_dir/relocatable.sh.in AC_SUBST_FILE([relocatable_sh]) gl_FUNC_RMDIR if test $REPLACE_RMDIR = 1; then AC_LIBOBJ([rmdir]) fi gl_UNISTD_MODULE_INDICATOR([rmdir]) gl_PREREQ_SAFE_READ gl_PREREQ_SAFE_WRITE gl_SCHED_H gl_FUNC_SECURE_GETENV if test $HAVE_SECURE_GETENV = 0; then AC_LIBOBJ([secure_getenv]) gl_PREREQ_SECURE_GETENV fi gl_STDLIB_MODULE_INDICATOR([secure_getenv]) gl_FUNC_SETENV if test $HAVE_SETENV = 0 || test $REPLACE_SETENV = 1; then AC_LIBOBJ([setenv]) fi gl_STDLIB_MODULE_INDICATOR([setenv]) gl_FUNC_SETLOCALE if test $REPLACE_SETLOCALE = 1; then AC_LIBOBJ([setlocale]) gl_PREREQ_SETLOCALE fi gl_LOCALE_MODULE_INDICATOR([setlocale]) gl_SIGACTION if test $HAVE_SIGACTION = 0; then AC_LIBOBJ([sigaction]) gl_PREREQ_SIGACTION fi gl_SIGNAL_MODULE_INDICATOR([sigaction]) gl_SIGNAL_H gl_SIGNBIT if test $REPLACE_SIGNBIT = 1; then AC_LIBOBJ([signbitf]) AC_LIBOBJ([signbitd]) AC_LIBOBJ([signbitl]) fi gl_MATH_MODULE_INDICATOR([signbit]) gl_SIGNAL_SIGPIPE dnl Define the C macro GNULIB_SIGPIPE to 1. gl_MODULE_INDICATOR([sigpipe]) dnl Define the substituted variable GNULIB_SIGNAL_H_SIGPIPE to 1. AC_REQUIRE([gl_SIGNAL_H_DEFAULTS]) GNULIB_SIGNAL_H_SIGPIPE=1 dnl Define the substituted variable GNULIB_STDIO_H_SIGPIPE to 1. AC_REQUIRE([gl_STDIO_H_DEFAULTS]) AC_REQUIRE([gl_ASM_SYMBOL_PREFIX]) GNULIB_STDIO_H_SIGPIPE=1 dnl Define the substituted variable GNULIB_UNISTD_H_SIGPIPE to 1. AC_REQUIRE([gl_UNISTD_H_DEFAULTS]) GNULIB_UNISTD_H_SIGPIPE=1 gl_SIGNALBLOCKING if test $HAVE_POSIX_SIGNALBLOCKING = 0; then AC_LIBOBJ([sigprocmask]) gl_PREREQ_SIGPROCMASK fi gl_SIGNAL_MODULE_INDICATOR([sigprocmask]) gl_SIZE_MAX gl_FUNC_SNPRINTF gl_STDIO_MODULE_INDICATOR([snprintf]) gl_MODULE_INDICATOR([snprintf]) gl_SPAWN_H gl_SPAWN_PIPE gt_TYPE_SSIZE_T gl_FUNC_STAT if test $REPLACE_STAT = 1; then AC_LIBOBJ([stat]) gl_PREREQ_STAT fi gl_SYS_STAT_MODULE_INDICATOR([stat]) gl_STDARG_H AM_STDBOOL_H gl_STDDEF_H gl_STDINT_H gl_STDIO_H gl_STDLIB_H gl_FUNC_STPCPY if test $HAVE_STPCPY = 0; then AC_LIBOBJ([stpcpy]) gl_PREREQ_STPCPY fi gl_STRING_MODULE_INDICATOR([stpcpy]) gl_FUNC_STPNCPY if test $HAVE_STPNCPY = 0 || test $REPLACE_STPNCPY = 1; then AC_LIBOBJ([stpncpy]) gl_PREREQ_STPNCPY fi gl_STRING_MODULE_INDICATOR([stpncpy]) gl_FUNC_STRCHRNUL if test $HAVE_STRCHRNUL = 0 || test $REPLACE_STRCHRNUL = 1; then AC_LIBOBJ([strchrnul]) gl_PREREQ_STRCHRNUL fi gl_STRING_MODULE_INDICATOR([strchrnul]) gl_FUNC_STRCSPN if test $ac_cv_func_strcspn = no; then AC_LIBOBJ([strcspn]) gl_PREREQ_STRCSPN fi gl_FUNC_STRERROR if test $REPLACE_STRERROR = 1; then AC_LIBOBJ([strerror]) fi gl_MODULE_INDICATOR([strerror]) gl_STRING_MODULE_INDICATOR([strerror]) AC_REQUIRE([gl_HEADER_ERRNO_H]) AC_REQUIRE([gl_FUNC_STRERROR_0]) if test -n "$ERRNO_H" || test $REPLACE_STRERROR_0 = 1; then AC_LIBOBJ([strerror-override]) gl_PREREQ_SYS_H_WINSOCK2 fi if test $gl_cond_libtool = false; then gl_ltlibdeps="$gl_ltlibdeps $LTLIBICONV" gl_libdeps="$gl_libdeps $LIBICONV" fi if test $gl_cond_libtool = false; then gl_ltlibdeps="$gl_ltlibdeps $LTLIBICONV" gl_libdeps="$gl_libdeps $LIBICONV" fi gl_HEADER_STRING_H gl_FUNC_STRNLEN if test $HAVE_DECL_STRNLEN = 0 || test $REPLACE_STRNLEN = 1; then AC_LIBOBJ([strnlen]) gl_PREREQ_STRNLEN fi gl_STRING_MODULE_INDICATOR([strnlen]) gl_FUNC_STRPBRK if test $HAVE_STRPBRK = 0; then AC_LIBOBJ([strpbrk]) gl_PREREQ_STRPBRK fi gl_STRING_MODULE_INDICATOR([strpbrk]) gl_FUNC_STRSTR if test $REPLACE_STRSTR = 1; then AC_LIBOBJ([strstr]) fi gl_FUNC_STRSTR_SIMPLE if test $REPLACE_STRSTR = 1; then AC_LIBOBJ([strstr]) fi gl_STRING_MODULE_INDICATOR([strstr]) gl_FUNC_STRTOL if test $ac_cv_func_strtol = no; then AC_LIBOBJ([strtol]) fi gl_FUNC_STRTOUL if test $ac_cv_func_strtoul = no; then AC_LIBOBJ([strtoul]) fi gl_HEADER_SYS_SELECT AC_PROG_MKDIR_P gl_HEADER_SYS_STAT_H AC_PROG_MKDIR_P gl_HEADER_SYS_TIME_H AC_PROG_MKDIR_P gl_SYS_TYPES_H AC_PROG_MKDIR_P gl_SYS_WAIT_H AC_PROG_MKDIR_P gl_FUNC_GEN_TEMPNAME gl_TERM_OSTREAM gl_TERMINFO gl_THREADLIB gl_HEADER_TIME_H gl_TLS gt_TMPDIR gl_LIBUNISTRING_LIBHEADER([0.9.4], [uniconv.h]) gl_LIBUNISTRING_MODULE([0.9], [uniconv/u8-conv-from-enc]) gl_LIBUNISTRING_LIBHEADER([0.9.4], [unictype.h]) AC_REQUIRE([AC_C_INLINE]) gl_LIBUNISTRING_MODULE([0.9.6], [unictype/ctype-space]) gl_LIBUNISTRING_LIBHEADER([0.9.4], [unilbrk.h]) AC_REQUIRE([AC_C_INLINE]) gl_LIBUNISTRING_MODULE([0.9.6], [unilbrk/u8-possible-linebreaks]) gl_LIBUNISTRING_MODULE([0.9.6], [unilbrk/u8-width-linebreaks]) gl_LIBUNISTRING_MODULE([0.9.6], [unilbrk/ulc-width-linebreaks]) gl_LIBUNISTRING_LIBHEADER([0.9.5], [uniname.h]) gl_LIBUNISTRING_MODULE([0.9.6], [uniname/uniname]) gl_UNISTD_H gl_UNISTD_SAFER gl_LIBUNISTRING_LIBHEADER([0.9.4], [unistr.h]) gl_MODULE_INDICATOR([unistr/u16-mbtouc]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u16-mbtouc]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-check]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-mblen]) gl_MODULE_INDICATOR([unistr/u8-mbtouc]) gl_LIBUNISTRING_MODULE([0.9.4], [unistr/u8-mbtouc]) gl_MODULE_INDICATOR([unistr/u8-mbtouc-unsafe]) gl_LIBUNISTRING_MODULE([0.9.4], [unistr/u8-mbtouc-unsafe]) gl_MODULE_INDICATOR([unistr/u8-mbtoucr]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-mbtoucr]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-prev]) gl_MODULE_INDICATOR([unistr/u8-uctomb]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-uctomb]) gl_LIBUNISTRING_LIBHEADER([0.9.4], [unitypes.h]) gl_LIBUNISTRING_LIBHEADER([0.9.4], [uniwidth.h]) gl_LIBUNISTRING_MODULE([0.9.6], [uniwidth/width]) gl_FUNC_GLIBC_UNLOCKED_IO gl_FUNC_UNSETENV if test $HAVE_UNSETENV = 0 || test $REPLACE_UNSETENV = 1; then AC_LIBOBJ([unsetenv]) gl_PREREQ_UNSETENV fi gl_STDLIB_MODULE_INDICATOR([unsetenv]) gl_FUNC_VASNPRINTF gl_FUNC_VASPRINTF gl_STDIO_MODULE_INDICATOR([vasprintf]) m4_ifdef([AM_XGETTEXT_OPTION], [AM_][XGETTEXT_OPTION([--flag=asprintf:2:c-format]) AM_][XGETTEXT_OPTION([--flag=vasprintf:2:c-format])]) gl_FUNC_VSNPRINTF gl_STDIO_MODULE_INDICATOR([vsnprintf]) gl_WAIT_PROCESS gt_UNION_WAIT gl_FUNC_WAITPID if test $HAVE_WAITPID = 0; then AC_LIBOBJ([waitpid]) fi gl_SYS_WAIT_MODULE_INDICATOR([waitpid]) gl_WCHAR_H gl_WCTYPE_H gl_FUNC_WCWIDTH if test $HAVE_WCWIDTH = 0 || test $REPLACE_WCWIDTH = 1; then AC_LIBOBJ([wcwidth]) fi gl_WCHAR_MODULE_INDICATOR([wcwidth]) gl_FUNC_WRITE if test $REPLACE_WRITE = 1; then AC_LIBOBJ([write]) gl_PREREQ_WRITE fi gl_UNISTD_MODULE_INDICATOR([write]) AC_LIBOBJ([xmemdup0]) gl_XSIZE gl_XVASPRINTF m4_ifdef([AM_XGETTEXT_OPTION], [AM_][XGETTEXT_OPTION([--flag=xasprintf:1:c-format])]) # End of code from modules m4_ifval(gl_LIBSOURCES_LIST, [ m4_syscmd([test ! -d ]m4_defn([gl_LIBSOURCES_DIR])[ || for gl_file in ]gl_LIBSOURCES_LIST[ ; do if test ! -r ]m4_defn([gl_LIBSOURCES_DIR])[/$gl_file ; then echo "missing file ]m4_defn([gl_LIBSOURCES_DIR])[/$gl_file" >&2 exit 1 fi done])dnl m4_if(m4_sysval, [0], [], [AC_FATAL([expected source file, required through AC_LIBSOURCES, not found])]) ]) m4_popdef([gl_LIBSOURCES_DIR]) m4_popdef([gl_LIBSOURCES_LIST]) m4_popdef([AC_LIBSOURCES]) m4_popdef([AC_REPLACE_FUNCS]) m4_popdef([AC_LIBOBJ]) AC_CONFIG_COMMANDS_PRE([ gl_libobjs= gl_ltlibobjs= if test -n "$gl_LIBOBJS"; then # Remove the extension. sed_drop_objext='s/\.o$//;s/\.obj$//' for i in `for i in $gl_LIBOBJS; do echo "$i"; done | sed -e "$sed_drop_objext" | sort | uniq`; do gl_libobjs="$gl_libobjs $i.$ac_objext" gl_ltlibobjs="$gl_ltlibobjs $i.lo" done fi AC_SUBST([gl_LIBOBJS], [$gl_libobjs]) AC_SUBST([gl_LTLIBOBJS], [$gl_ltlibobjs]) ]) gltests_libdeps= gltests_ltlibdeps= m4_pushdef([AC_LIBOBJ], m4_defn([gltests_LIBOBJ])) m4_pushdef([AC_REPLACE_FUNCS], m4_defn([gltests_REPLACE_FUNCS])) m4_pushdef([AC_LIBSOURCES], m4_defn([gltests_LIBSOURCES])) m4_pushdef([gltests_LIBSOURCES_LIST], []) m4_pushdef([gltests_LIBSOURCES_DIR], []) gl_COMMON gl_source_base='gnulib-tests' changequote(,)dnl gltests_WITNESS=IN_`echo "${PACKAGE-$PACKAGE_TARNAME}" | LC_ALL=C tr abcdefghijklmnopqrstuvwxyz ABCDEFGHIJKLMNOPQRSTUVWXYZ | LC_ALL=C sed -e 's/[^A-Z0-9_]/_/g'`_GNULIB_TESTS changequote([, ])dnl AC_SUBST([gltests_WITNESS]) gl_module_indicator_condition=$gltests_WITNESS m4_pushdef([gl_MODULE_INDICATOR_CONDITION], [$gl_module_indicator_condition]) gl_FUNC_BTOWC if test $HAVE_BTOWC = 0 || test $REPLACE_BTOWC = 1; then AC_LIBOBJ([btowc]) gl_PREREQ_BTOWC fi gl_WCHAR_MODULE_INDICATOR([btowc]) gt_LOCALE_FR gt_LOCALE_FR_UTF8 gt_LOCALE_FR gt_LOCALE_TR_UTF8 gl_CTYPE_H gl_FUNC_DUP if test $REPLACE_DUP = 1; then AC_LIBOBJ([dup]) gl_PREREQ_DUP fi gl_UNISTD_MODULE_INDICATOR([dup]) gl_FUNC_FDOPEN if test $REPLACE_FDOPEN = 1; then AC_LIBOBJ([fdopen]) gl_PREREQ_FDOPEN fi gl_STDIO_MODULE_INDICATOR([fdopen]) gl_FILE_HAS_ACL AC_CHECK_DECLS_ONCE([alarm]) gl_FUNC_FTELL if test $REPLACE_FTELL = 1; then AC_LIBOBJ([ftell]) fi gl_STDIO_MODULE_INDICATOR([ftell]) gl_FUNC_UNGETC_WORKS gl_FUNC_FTELLO if test $HAVE_FTELLO = 0 || test $REPLACE_FTELLO = 1; then AC_LIBOBJ([ftello]) gl_PREREQ_FTELLO fi gl_STDIO_MODULE_INDICATOR([ftello]) gl_FUNC_UNGETC_WORKS gl_FUNC_GETCWD_LGPL if test $REPLACE_GETCWD = 1; then AC_LIBOBJ([getcwd-lgpl]) fi gl_UNISTD_MODULE_INDICATOR([getcwd]) gl_FUNC_GETPAGESIZE if test $REPLACE_GETPAGESIZE = 1; then AC_LIBOBJ([getpagesize]) fi gl_UNISTD_MODULE_INDICATOR([getpagesize]) gl_INTTYPES_H gl_INTTYPES_INCOMPLETE gl_FLOAT_EXPONENT_LOCATION gl_DOUBLE_EXPONENT_LOCATION gl_LONG_DOUBLE_EXPONENT_LOCATION AC_REQUIRE([gl_LONG_DOUBLE_VS_DOUBLE]) gl_FLOAT_EXPONENT_LOCATION gl_DOUBLE_EXPONENT_LOCATION gl_LONG_DOUBLE_EXPONENT_LOCATION AC_REQUIRE([gl_LONG_DOUBLE_VS_DOUBLE]) gl_DOUBLE_EXPONENT_LOCATION gl_DOUBLE_EXPONENT_LOCATION gl_FLOAT_EXPONENT_LOCATION gl_FLOAT_EXPONENT_LOCATION gl_LONG_DOUBLE_EXPONENT_LOCATION AC_REQUIRE([gl_LONG_DOUBLE_VS_DOUBLE]) gl_LONG_DOUBLE_EXPONENT_LOCATION AC_REQUIRE([gl_LONG_DOUBLE_VS_DOUBLE]) AC_CHECK_FUNCS_ONCE([newlocale]) AC_CHECK_FUNCS_ONCE([newlocale]) gl_FUNC_LSEEK if test $REPLACE_LSEEK = 1; then AC_LIBOBJ([lseek]) fi gl_UNISTD_MODULE_INDICATOR([lseek]) gt_LOCALE_FR gt_LOCALE_FR_UTF8 gt_LOCALE_JA gt_LOCALE_ZH_CN gt_LOCALE_FR_UTF8 gt_LOCALE_FR gt_LOCALE_FR_UTF8 gt_LOCALE_JA gt_LOCALE_ZH_CN gt_LOCALE_FR_UTF8 gt_LOCALE_ZH_CN gl_FUNC_MBTOWC if test $REPLACE_MBTOWC = 1; then AC_LIBOBJ([mbtowc]) gl_PREREQ_MBTOWC fi gl_STDLIB_MODULE_INDICATOR([mbtowc]) dnl Check for prerequisites for memory fence checks. gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) AC_EGREP_CPP([notposix], [[ #if defined _MSC_VER || defined __MINGW32__ notposix #endif ]], [posix_spawn_ported=no], [posix_spawn_ported=yes]) AM_CONDITIONAL([POSIX_SPAWN_PORTED], [test $posix_spawn_ported = yes]) gl_FUNC_PUTENV if test $REPLACE_PUTENV = 1; then AC_LIBOBJ([putenv]) gl_PREREQ_PUTENV fi gl_STDLIB_MODULE_INDICATOR([putenv]) dnl Check for prerequisites for memory fence checks. dnl FIXME: zerosize-ptr.h requires these: make a module for it gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) dnl Check for prerequisites for memory fence checks. gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) gl_PREREQ_READ_FILE gt_LOCALE_FR gt_LOCALE_FR_UTF8 gt_LOCALE_JA gt_LOCALE_ZH_CN AC_REQUIRE([gl_FLOAT_EXPONENT_LOCATION]) AC_REQUIRE([gl_DOUBLE_EXPONENT_LOCATION]) AC_REQUIRE([gl_LONG_DOUBLE_EXPONENT_LOCATION]) gl_FUNC_SLEEP if test $HAVE_SLEEP = 0 || test $REPLACE_SLEEP = 1; then AC_LIBOBJ([sleep]) fi gl_UNISTD_MODULE_INDICATOR([sleep]) AC_CHECK_DECLS_ONCE([alarm]) gl_STDALIGN_H AC_REQUIRE([gt_TYPE_WCHAR_T]) AC_REQUIRE([gt_TYPE_WINT_T]) dnl Check for prerequisites for memory fence checks. gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) AC_CHECK_DECLS_ONCE([alarm]) gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) gl_FUNC_SYMLINK if test $HAVE_SYMLINK = 0 || test $REPLACE_SYMLINK = 1; then AC_LIBOBJ([symlink]) fi gl_UNISTD_MODULE_INDICATOR([symlink]) gl_THREAD gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-cmp]) gl_FUNC_MMAP_ANON AC_CHECK_HEADERS_ONCE([sys/mman.h]) AC_CHECK_FUNCS_ONCE([mprotect]) gl_LIBUNISTRING_MODULE([0.9], [unistr/u8-strlen]) gl_FUNC_WCRTOMB if test $HAVE_WCRTOMB = 0 || test $REPLACE_WCRTOMB = 1; then AC_LIBOBJ([wcrtomb]) gl_PREREQ_WCRTOMB fi gl_WCHAR_MODULE_INDICATOR([wcrtomb]) gt_LOCALE_FR gt_LOCALE_FR_UTF8 gt_LOCALE_JA gt_LOCALE_ZH_CN gl_FUNC_WCTOB if test $HAVE_WCTOB = 0 || test $REPLACE_WCTOB = 1; then AC_LIBOBJ([wctob]) gl_PREREQ_WCTOB fi gl_WCHAR_MODULE_INDICATOR([wctob]) gl_FUNC_WCTOMB if test $REPLACE_WCTOMB = 1; then AC_LIBOBJ([wctomb]) gl_PREREQ_WCTOMB fi gl_STDLIB_MODULE_INDICATOR([wctomb]) gl_YIELD m4_popdef([gl_MODULE_INDICATOR_CONDITION]) m4_ifval(gltests_LIBSOURCES_LIST, [ m4_syscmd([test ! -d ]m4_defn([gltests_LIBSOURCES_DIR])[ || for gl_file in ]gltests_LIBSOURCES_LIST[ ; do if test ! -r ]m4_defn([gltests_LIBSOURCES_DIR])[/$gl_file ; then echo "missing file ]m4_defn([gltests_LIBSOURCES_DIR])[/$gl_file" >&2 exit 1 fi done])dnl m4_if(m4_sysval, [0], [], [AC_FATAL([expected source file, required through AC_LIBSOURCES, not found])]) ]) m4_popdef([gltests_LIBSOURCES_DIR]) m4_popdef([gltests_LIBSOURCES_LIST]) m4_popdef([AC_LIBSOURCES]) m4_popdef([AC_REPLACE_FUNCS]) m4_popdef([AC_LIBOBJ]) AC_CONFIG_COMMANDS_PRE([ gltests_libobjs= gltests_ltlibobjs= if test -n "$gltests_LIBOBJS"; then # Remove the extension. sed_drop_objext='s/\.o$//;s/\.obj$//' for i in `for i in $gltests_LIBOBJS; do echo "$i"; done | sed -e "$sed_drop_objext" | sort | uniq`; do gltests_libobjs="$gltests_libobjs $i.$ac_objext" gltests_ltlibobjs="$gltests_ltlibobjs $i.lo" done fi AC_SUBST([gltests_LIBOBJS], [$gltests_libobjs]) AC_SUBST([gltests_LTLIBOBJS], [$gltests_ltlibobjs]) ]) LIBTESTS_LIBDEPS="$gltests_libdeps" AC_SUBST([LIBTESTS_LIBDEPS]) ]) # Like AC_LIBOBJ, except that the module name goes # into gl_LIBOBJS instead of into LIBOBJS. AC_DEFUN([gl_LIBOBJ], [ AS_LITERAL_IF([$1], [gl_LIBSOURCES([$1.c])])dnl gl_LIBOBJS="$gl_LIBOBJS $1.$ac_objext" ]) # Like AC_REPLACE_FUNCS, except that the module name goes # into gl_LIBOBJS instead of into LIBOBJS. AC_DEFUN([gl_REPLACE_FUNCS], [ m4_foreach_w([gl_NAME], [$1], [AC_LIBSOURCES(gl_NAME[.c])])dnl AC_CHECK_FUNCS([$1], , [gl_LIBOBJ($ac_func)]) ]) # Like AC_LIBSOURCES, except the directory where the source file is # expected is derived from the gnulib-tool parameterization, # and alloca is special cased (for the alloca-opt module). # We could also entirely rely on EXTRA_lib..._SOURCES. AC_DEFUN([gl_LIBSOURCES], [ m4_foreach([_gl_NAME], [$1], [ m4_if(_gl_NAME, [alloca.c], [], [ m4_define([gl_LIBSOURCES_DIR], [gnulib-lib]) m4_append([gl_LIBSOURCES_LIST], _gl_NAME, [ ]) ]) ]) ]) # Like AC_LIBOBJ, except that the module name goes # into gltests_LIBOBJS instead of into LIBOBJS. AC_DEFUN([gltests_LIBOBJ], [ AS_LITERAL_IF([$1], [gltests_LIBSOURCES([$1.c])])dnl gltests_LIBOBJS="$gltests_LIBOBJS $1.$ac_objext" ]) # Like AC_REPLACE_FUNCS, except that the module name goes # into gltests_LIBOBJS instead of into LIBOBJS. AC_DEFUN([gltests_REPLACE_FUNCS], [ m4_foreach_w([gl_NAME], [$1], [AC_LIBSOURCES(gl_NAME[.c])])dnl AC_CHECK_FUNCS([$1], , [gltests_LIBOBJ($ac_func)]) ]) # Like AC_LIBSOURCES, except the directory where the source file is # expected is derived from the gnulib-tool parameterization, # and alloca is special cased (for the alloca-opt module). # We could also entirely rely on EXTRA_lib..._SOURCES. AC_DEFUN([gltests_LIBSOURCES], [ m4_foreach([_gl_NAME], [$1], [ m4_if(_gl_NAME, [alloca.c], [], [ m4_define([gltests_LIBSOURCES_DIR], [gnulib-tests]) m4_append([gltests_LIBSOURCES_LIST], _gl_NAME, [ ]) ]) ]) ]) # This macro records the list of files which have been installed by # gnulib-tool and may be removed by future gnulib-tool invocations. AC_DEFUN([gl_FILE_LIST], [ build-aux/config.libpath build-aux/config.rpath build-aux/csharpcomp.sh.in build-aux/csharpexec.sh.in build-aux/install-reloc build-aux/javacomp.sh.in build-aux/javaexec.sh.in build-aux/moopp build-aux/reloc-ldflags build-aux/relocatable.sh.in build-aux/snippet/_Noreturn.h build-aux/snippet/arg-nonnull.h build-aux/snippet/c++defs.h build-aux/snippet/unused-parameter.h build-aux/snippet/warn-on-use.h doc/relocatable.texi lib/acl-errno-valid.c lib/acl-internal.c lib/acl-internal.h lib/acl.h lib/acl_entries.c lib/addext.c lib/alignof.h lib/alloca.in.h lib/allocator.c lib/allocator.h lib/areadlink.c lib/areadlink.h lib/argmatch.c lib/argmatch.h lib/asnprintf.c lib/asprintf.c lib/atexit.c lib/backupfile.c lib/backupfile.h lib/basename.c lib/basename.h lib/binary-io.c lib/binary-io.h lib/byteswap.in.h lib/c-ctype.c lib/c-ctype.h lib/c-strcase.h lib/c-strcasecmp.c lib/c-strcaseeq.h lib/c-strcasestr.c lib/c-strcasestr.h lib/c-strncasecmp.c lib/c-strstr.c lib/c-strstr.h lib/canonicalize-lgpl.c lib/careadlinkat.c lib/careadlinkat.h lib/classpath.c lib/classpath.h lib/clean-temp.c lib/clean-temp.h lib/cloexec.c lib/cloexec.h lib/close.c lib/closedir.c lib/closeout.c lib/closeout.h lib/concat-filename.c lib/concat-filename.h lib/config.charset lib/copy-acl.c lib/copy-file.c lib/copy-file.h lib/csharpcomp.c lib/csharpcomp.h lib/csharpexec.c lib/csharpexec.h lib/diffseq.h lib/dirent-private.h lib/dirent.in.h lib/dirfd.c lib/dosname.h lib/dup-safer-flag.c lib/dup-safer.c lib/dup2.c lib/errno.in.h lib/error-progname.c lib/error-progname.h lib/error.c lib/error.h lib/execute.c lib/execute.h lib/exitfail.c lib/exitfail.h lib/fatal-signal.c lib/fatal-signal.h lib/fcntl.c lib/fcntl.in.h lib/fd-hook.c lib/fd-hook.h lib/fd-ostream.oo.c lib/fd-ostream.oo.h lib/fd-safer-flag.c lib/fd-safer.c lib/file-ostream.oo.c lib/file-ostream.oo.h lib/filename.h lib/findprog.c lib/findprog.h lib/float+.h lib/float.c lib/float.in.h lib/fnmatch.c lib/fnmatch.in.h lib/fnmatch_loop.c lib/fopen.c lib/fstat.c lib/fstrcmp.c lib/fstrcmp.h lib/full-write.c lib/full-write.h lib/fwriteerror.c lib/fwriteerror.h lib/gcd.c lib/gcd.h lib/get-permissions.c lib/getdelim.c lib/getdtablesize.c lib/getline.c lib/getopt.c lib/getopt.in.h lib/getopt1.c lib/getopt_int.h lib/gettext.h lib/gettimeofday.c lib/gl_anyhash_list1.h lib/gl_anyhash_list2.h lib/gl_anylinked_list1.h lib/gl_anylinked_list2.h lib/gl_array_list.c lib/gl_array_list.h lib/gl_linkedhash_list.c lib/gl_linkedhash_list.h lib/gl_list.c lib/gl_list.h lib/gl_xlist.c lib/gl_xlist.h lib/glib.in.h lib/glib/ghash.c lib/glib/ghash.in.h lib/glib/glist.c lib/glib/glist.in.h lib/glib/gmessages.c lib/glib/gprimes.c lib/glib/gprimes.in.h lib/glib/gstrfuncs.c lib/glib/gstrfuncs.in.h lib/glib/gstring.c lib/glib/gstring.in.h lib/glib/gtypes.in.h lib/glibconfig.in.h lib/glthread/lock.c lib/glthread/lock.h lib/glthread/threadlib.c lib/glthread/tls.c lib/glthread/tls.h lib/hard-locale.c lib/hard-locale.h lib/hash.c lib/hash.h lib/html-ostream.oo.c lib/html-ostream.oo.h lib/html-styled-ostream.oo.c lib/html-styled-ostream.oo.h lib/iconv.c lib/iconv.in.h lib/iconv_close.c lib/iconv_open-aix.gperf lib/iconv_open-hpux.gperf lib/iconv_open-irix.gperf lib/iconv_open-osf.gperf lib/iconv_open-solaris.gperf lib/iconv_open.c lib/iconveh.h lib/ignore-value.h lib/intprops.h lib/isinf.c lib/isnan.c lib/isnand-nolibm.h lib/isnand.c lib/isnanf-nolibm.h lib/isnanf.c lib/isnanl-nolibm.h lib/isnanl.c lib/iswblank.c lib/itold.c lib/javacomp.c lib/javacomp.h lib/javaexec.c lib/javaexec.h lib/javaversion.c lib/javaversion.class lib/javaversion.h lib/javaversion.java lib/langinfo.in.h lib/libcroco/cr-additional-sel.c lib/libcroco/cr-additional-sel.h lib/libcroco/cr-attr-sel.c lib/libcroco/cr-attr-sel.h lib/libcroco/cr-cascade.c lib/libcroco/cr-cascade.h lib/libcroco/cr-declaration.c lib/libcroco/cr-declaration.h lib/libcroco/cr-doc-handler.c lib/libcroco/cr-doc-handler.h lib/libcroco/cr-enc-handler.c lib/libcroco/cr-enc-handler.h lib/libcroco/cr-fonts.c lib/libcroco/cr-fonts.h lib/libcroco/cr-input.c lib/libcroco/cr-input.h lib/libcroco/cr-num.c lib/libcroco/cr-num.h lib/libcroco/cr-om-parser.c lib/libcroco/cr-om-parser.h lib/libcroco/cr-parser.c lib/libcroco/cr-parser.h lib/libcroco/cr-parsing-location.c lib/libcroco/cr-parsing-location.h lib/libcroco/cr-prop-list.c lib/libcroco/cr-prop-list.h lib/libcroco/cr-pseudo.c lib/libcroco/cr-pseudo.h lib/libcroco/cr-rgb.c lib/libcroco/cr-rgb.h lib/libcroco/cr-sel-eng.c lib/libcroco/cr-sel-eng.h lib/libcroco/cr-selector.c lib/libcroco/cr-selector.h lib/libcroco/cr-simple-sel.c lib/libcroco/cr-simple-sel.h lib/libcroco/cr-statement.c lib/libcroco/cr-statement.h lib/libcroco/cr-string.c lib/libcroco/cr-string.h lib/libcroco/cr-style.c lib/libcroco/cr-style.h lib/libcroco/cr-stylesheet.c lib/libcroco/cr-stylesheet.h lib/libcroco/cr-term.c lib/libcroco/cr-term.h lib/libcroco/cr-tknzr.c lib/libcroco/cr-tknzr.h lib/libcroco/cr-token.c lib/libcroco/cr-token.h lib/libcroco/cr-utils.c lib/libcroco/cr-utils.h lib/libcroco/libcroco-config.h lib/libcroco/libcroco.h lib/libunistring.valgrind lib/libxml/COPYING lib/libxml/DOCBparser.c lib/libxml/DOCBparser.in.h lib/libxml/HTMLparser.c lib/libxml/HTMLparser.in.h lib/libxml/HTMLtree.c lib/libxml/HTMLtree.in.h lib/libxml/SAX.c lib/libxml/SAX.in.h lib/libxml/SAX2.c lib/libxml/SAX2.in.h lib/libxml/buf.c lib/libxml/buf.h lib/libxml/c14n.c lib/libxml/c14n.in.h lib/libxml/catalog.c lib/libxml/catalog.in.h lib/libxml/chvalid.c lib/libxml/chvalid.in.h lib/libxml/debugXML.c lib/libxml/debugXML.in.h lib/libxml/dict.c lib/libxml/dict.in.h lib/libxml/elfgcchack.h lib/libxml/enc.h lib/libxml/encoding.c lib/libxml/encoding.in.h lib/libxml/entities.c lib/libxml/entities.in.h lib/libxml/error.c lib/libxml/globals.c lib/libxml/globals.in.h lib/libxml/hash.c lib/libxml/hash.in.h lib/libxml/legacy.c lib/libxml/libxml.h lib/libxml/list.c lib/libxml/list.in.h lib/libxml/nanoftp.c lib/libxml/nanoftp.in.h lib/libxml/nanohttp.c lib/libxml/nanohttp.in.h lib/libxml/parser.c lib/libxml/parser.in.h lib/libxml/parserInternals.c lib/libxml/parserInternals.in.h lib/libxml/pattern.c lib/libxml/pattern.in.h lib/libxml/relaxng.c lib/libxml/relaxng.in.h lib/libxml/save.h lib/libxml/schemasInternals.in.h lib/libxml/schematron.c lib/libxml/schematron.in.h lib/libxml/threads.c lib/libxml/threads.in.h lib/libxml/timsort.h lib/libxml/tree.c lib/libxml/tree.in.h lib/libxml/trionan.c lib/libxml/uri.c lib/libxml/uri.in.h lib/libxml/valid.c lib/libxml/valid.in.h lib/libxml/xinclude.c lib/libxml/xinclude.in.h lib/libxml/xlink.c lib/libxml/xlink.in.h lib/libxml/xmlIO.c lib/libxml/xmlIO.in.h lib/libxml/xmlautomata.in.h lib/libxml/xmlerror.in.h lib/libxml/xmlexports.in.h lib/libxml/xmlmemory.c lib/libxml/xmlmemory.in.h lib/libxml/xmlmodule.c lib/libxml/xmlmodule.in.h lib/libxml/xmlreader.c lib/libxml/xmlreader.in.h lib/libxml/xmlregexp.c lib/libxml/xmlregexp.in.h lib/libxml/xmlsave.c lib/libxml/xmlsave.in.h lib/libxml/xmlschemas.c lib/libxml/xmlschemas.in.h lib/libxml/xmlschemastypes.c lib/libxml/xmlschemastypes.in.h lib/libxml/xmlstring.c lib/libxml/xmlstring.in.h lib/libxml/xmlunicode.c lib/libxml/xmlunicode.in.h lib/libxml/xmlversion.in.h lib/libxml/xmlwriter.c lib/libxml/xmlwriter.in.h lib/libxml/xpath.c lib/libxml/xpath.in.h lib/libxml/xpathInternals.in.h lib/libxml/xpointer.c lib/libxml/xpointer.in.h lib/localcharset.c lib/localcharset.h lib/locale.in.h lib/localename.c lib/localename.h lib/log10.c lib/lstat.c lib/malloc.c lib/malloca.c lib/malloca.h lib/malloca.valgrind lib/math.c lib/math.in.h lib/mbchar.c lib/mbchar.h lib/mbiter.c lib/mbiter.h lib/mbrtowc.c lib/mbsinit.c lib/mbslen.c lib/mbsrtowcs-impl.h lib/mbsrtowcs-state.c lib/mbsrtowcs.c lib/mbsstr.c lib/mbswidth.c lib/mbswidth.h lib/mbuiter.c lib/mbuiter.h lib/memchr.c lib/memchr.valgrind lib/memmove.c lib/memset.c lib/minmax.h lib/mkdtemp.c lib/moo.h lib/msvc-inval.c lib/msvc-inval.h lib/msvc-nothrow.c lib/msvc-nothrow.h lib/obstack.c lib/obstack.h lib/open.c lib/opendir.c lib/ostream.oo.c lib/ostream.oo.h lib/pathmax.h lib/pipe-filter-aux.c lib/pipe-filter-aux.h lib/pipe-filter-ii.c lib/pipe-filter.h lib/pipe-safer.c lib/pipe2-safer.c lib/pipe2.c lib/printf-args.c lib/printf-args.h lib/printf-parse.c lib/printf-parse.h lib/progname.c lib/progname.h lib/progreloc.c lib/propername.c lib/propername.h lib/qcopy-acl.c lib/qset-acl.c lib/quote.h lib/quotearg.c lib/quotearg.h lib/raise.c lib/rawmemchr.c lib/rawmemchr.valgrind lib/read.c lib/readdir.c lib/readlink.c lib/realloc.c lib/ref-add.sin lib/ref-del.sin lib/relocatable.c lib/relocatable.h lib/relocwrapper.c lib/rmdir.c lib/safe-read.c lib/safe-read.h lib/safe-write.c lib/safe-write.h lib/sched.in.h lib/secure_getenv.c lib/set-acl.c lib/set-permissions.c lib/setenv.c lib/setlocale.c lib/sh-quote.c lib/sh-quote.h lib/sig-handler.c lib/sig-handler.h lib/sigaction.c lib/signal.in.h lib/signbitd.c lib/signbitf.c lib/signbitl.c lib/sigprocmask.c lib/size_max.h lib/snprintf.c lib/spawn-pipe.c lib/spawn-pipe.h lib/spawn.in.h lib/spawn_faction_addclose.c lib/spawn_faction_adddup2.c lib/spawn_faction_addopen.c lib/spawn_faction_destroy.c lib/spawn_faction_init.c lib/spawn_int.h lib/spawnattr_destroy.c lib/spawnattr_init.c lib/spawnattr_setflags.c lib/spawnattr_setsigmask.c lib/spawni.c lib/spawnp.c lib/stat.c lib/stdarg.in.h lib/stdbool.in.h lib/stddef.in.h lib/stdint.in.h lib/stdio-write.c lib/stdio.in.h lib/stdlib.in.h lib/stpcpy.c lib/stpncpy.c lib/str-kmp.h lib/str-two-way.h lib/strchrnul.c lib/strchrnul.valgrind lib/strcspn.c lib/streq.h lib/strerror-override.c lib/strerror-override.h lib/strerror.c lib/striconv.c lib/striconv.h lib/striconveh.c lib/striconveh.h lib/striconveha.c lib/striconveha.h lib/string.in.h lib/strnlen.c lib/strnlen1.c lib/strnlen1.h lib/strpbrk.c lib/strstr.c lib/strtol.c lib/strtoul.c lib/styled-ostream.oo.c lib/styled-ostream.oo.h lib/sys_select.in.h lib/sys_stat.in.h lib/sys_time.in.h lib/sys_types.in.h lib/sys_wait.in.h lib/tempname.c lib/tempname.h lib/term-ostream.oo.c lib/term-ostream.oo.h lib/term-styled-ostream.oo.c lib/term-styled-ostream.oo.h lib/terminfo.h lib/time.in.h lib/tmpdir.c lib/tmpdir.h lib/tparm.c lib/tputs.c lib/trim.c lib/trim.h lib/uniconv.in.h lib/uniconv/u8-conv-from-enc.c lib/unictype.in.h lib/unictype/bitmap.h lib/unictype/ctype_space.c lib/unictype/ctype_space.h lib/unilbrk.in.h lib/unilbrk/lbrkprop1.h lib/unilbrk/lbrkprop2.h lib/unilbrk/lbrktables.c lib/unilbrk/lbrktables.h lib/unilbrk/u8-possible-linebreaks.c lib/unilbrk/u8-width-linebreaks.c lib/unilbrk/ulc-common.c lib/unilbrk/ulc-common.h lib/unilbrk/ulc-width-linebreaks.c lib/uniname.in.h lib/uniname/gen-uninames.lisp lib/uniname/uniname.c lib/uniname/uninames.h lib/unistd--.h lib/unistd-safer.h lib/unistd.c lib/unistd.in.h lib/unistr.in.h lib/unistr/u16-mbtouc-aux.c lib/unistr/u16-mbtouc.c lib/unistr/u8-check.c lib/unistr/u8-mblen.c lib/unistr/u8-mbtouc-aux.c lib/unistr/u8-mbtouc-unsafe-aux.c lib/unistr/u8-mbtouc-unsafe.c lib/unistr/u8-mbtouc.c lib/unistr/u8-mbtoucr.c lib/unistr/u8-prev.c lib/unistr/u8-uctomb-aux.c lib/unistr/u8-uctomb.c lib/unitypes.in.h lib/uniwidth.in.h lib/uniwidth/cjk.h lib/uniwidth/width.c lib/unlocked-io.h lib/unsetenv.c lib/vasnprintf.c lib/vasnprintf.h lib/vasprintf.c lib/verify.h lib/vsnprintf.c lib/w32spawn.h lib/wait-process.c lib/wait-process.h lib/waitpid.c lib/wchar.in.h lib/wctype-h.c lib/wctype.in.h lib/wcwidth.c lib/write.c lib/xalloc.h lib/xasprintf.c lib/xconcat-filename.c lib/xerror.c lib/xerror.h lib/xmalloc.c lib/xmalloca.c lib/xmalloca.h lib/xmemdup0.c lib/xmemdup0.h lib/xreadlink.c lib/xreadlink.h lib/xsetenv.c lib/xsetenv.h lib/xsize.c lib/xsize.h lib/xstrdup.c lib/xstriconv.c lib/xstriconv.h lib/xstriconveh.c lib/xstriconveh.h lib/xvasprintf.c lib/xvasprintf.h m4/00gnulib.m4 m4/absolute-header.m4 m4/acl.m4 m4/alloca.m4 m4/ansi-c++.m4 m4/asm-underscore.m4 m4/atexit.m4 m4/backupfile.m4 m4/bison-i18n.m4 m4/btowc.m4 m4/byteswap.m4 m4/canonicalize.m4 m4/check-math-lib.m4 m4/close.m4 m4/closedir.m4 m4/codeset.m4 m4/configmake.m4 m4/copy-file.m4 m4/csharp.m4 m4/csharpcomp.m4 m4/csharpexec.m4 m4/ctype.m4 m4/curses.m4 m4/dirent_h.m4 m4/dirfd.m4 m4/double-slash-root.m4 m4/dup.m4 m4/dup2.m4 m4/eaccess.m4 m4/eealloc.m4 m4/environ.m4 m4/errno_h.m4 m4/error.m4 m4/execute.m4 m4/exponentd.m4 m4/exponentf.m4 m4/exponentl.m4 m4/extensions.m4 m4/extern-inline.m4 m4/fabs.m4 m4/fatal-signal.m4 m4/fcntl-o.m4 m4/fcntl.m4 m4/fcntl_h.m4 m4/fdopen.m4 m4/findprog.m4 m4/float_h.m4 m4/fnmatch.m4 m4/fopen.m4 m4/fpieee.m4 m4/fseeko.m4 m4/fstat.m4 m4/ftell.m4 m4/ftello.m4 m4/gcj.m4 m4/getcwd.m4 m4/getdelim.m4 m4/getdtablesize.m4 m4/getline.m4 m4/getopt.m4 m4/getpagesize.m4 m4/gettext.m4 m4/gettimeofday.m4 m4/glibc2.m4 m4/glibc21.m4 m4/gnulib-common.m4 m4/hard-locale.m4 m4/iconv.m4 m4/iconv_h.m4 m4/iconv_open.m4 m4/include_next.m4 m4/inline.m4 m4/intdiv0.m4 m4/intl.m4 m4/intldir.m4 m4/intlmacosx.m4 m4/intmax.m4 m4/intmax_t.m4 m4/inttypes-pri.m4 m4/inttypes.m4 m4/inttypes_h.m4 m4/isinf.m4 m4/isnan.m4 m4/isnand.m4 m4/isnanf.m4 m4/isnanl.m4 m4/iswblank.m4 m4/java.m4 m4/javacomp.m4 m4/javaexec.m4 m4/langinfo_h.m4 m4/largefile.m4 m4/lcmessage.m4 m4/lib-ld.m4 m4/lib-link.m4 m4/lib-prefix.m4 m4/libcroco.m4 m4/libglib.m4 m4/libunistring-base.m4 m4/libunistring-optional.m4 m4/libunistring.m4 m4/libxml.m4 m4/localcharset.m4 m4/locale-fr.m4 m4/locale-ja.m4 m4/locale-tr.m4 m4/locale-zh.m4 m4/locale_h.m4 m4/localename.m4 m4/lock.m4 m4/log10.m4 m4/longlong.m4 m4/lseek.m4 m4/lstat.m4 m4/malloc.m4 m4/malloca.m4 m4/math_h.m4 m4/mathfunc.m4 m4/mbchar.m4 m4/mbiter.m4 m4/mbrtowc.m4 m4/mbsinit.m4 m4/mbslen.m4 m4/mbsrtowcs.m4 m4/mbstate_t.m4 m4/mbswidth.m4 m4/mbtowc.m4 m4/memchr.m4 m4/memmove.m4 m4/memset.m4 m4/minmax.m4 m4/mkdtemp.m4 m4/mmap-anon.m4 m4/mode_t.m4 m4/moo.m4 m4/msvc-inval.m4 m4/msvc-nothrow.m4 m4/multiarch.m4 m4/nls.m4 m4/no-c++.m4 m4/nocrash.m4 m4/obstack.m4 m4/off_t.m4 m4/open.m4 m4/opendir.m4 m4/openmp.m4 m4/pathmax.m4 m4/pipe2.m4 m4/po.m4 m4/posix_spawn.m4 m4/pow.m4 m4/printf-posix.m4 m4/printf.m4 m4/progtest.m4 m4/putenv.m4 m4/quote.m4 m4/quotearg.m4 m4/raise.m4 m4/rawmemchr.m4 m4/read-file.m4 m4/read.m4 m4/readdir.m4 m4/readlink.m4 m4/realloc.m4 m4/relocatable-lib.m4 m4/relocatable.m4 m4/rmdir.m4 m4/safe-read.m4 m4/safe-write.m4 m4/sched_h.m4 m4/secure_getenv.m4 m4/setenv.m4 m4/setlocale.m4 m4/sig_atomic_t.m4 m4/sigaction.m4 m4/signal_h.m4 m4/signalblocking.m4 m4/signbit.m4 m4/sigpipe.m4 m4/size_max.m4 m4/sleep.m4 m4/snprintf.m4 m4/spawn-pipe.m4 m4/spawn_h.m4 m4/ssize_t.m4 m4/stat.m4 m4/stdalign.m4 m4/stdarg.m4 m4/stdbool.m4 m4/stddef_h.m4 m4/stdint.m4 m4/stdint_h.m4 m4/stdio_h.m4 m4/stdlib_h.m4 m4/stpcpy.m4 m4/stpncpy.m4 m4/strchrnul.m4 m4/strcspn.m4 m4/strerror.m4 m4/string_h.m4 m4/strnlen.m4 m4/strpbrk.m4 m4/strstr.m4 m4/strtol.m4 m4/strtoul.m4 m4/symlink.m4 m4/sys_select_h.m4 m4/sys_socket_h.m4 m4/sys_stat_h.m4 m4/sys_time_h.m4 m4/sys_types_h.m4 m4/sys_wait_h.m4 m4/tempname.m4 m4/term-ostream.m4 m4/terminfo.m4 m4/thread.m4 m4/threadlib.m4 m4/time_h.m4 m4/tls.m4 m4/tmpdir.m4 m4/uintmax_t.m4 m4/ungetc.m4 m4/unionwait.m4 m4/unistd-safer.m4 m4/unistd_h.m4 m4/unlocked-io.m4 m4/vasnprintf.m4 m4/vasprintf.m4 m4/visibility.m4 m4/vsnprintf.m4 m4/wait-process.m4 m4/waitpid.m4 m4/warn-on-use.m4 m4/wchar_h.m4 m4/wchar_t.m4 m4/wcrtomb.m4 m4/wctob.m4 m4/wctomb.m4 m4/wctype_h.m4 m4/wcwidth.m4 m4/wint_t.m4 m4/write.m4 m4/xsize.m4 m4/xvasprintf.m4 m4/yield.m4 tests/infinity.h tests/init.sh tests/macros.h tests/minus-zero.h tests/nan.h tests/randomd.c tests/signature.h tests/test-alignof.c tests/test-alloca-opt.c tests/test-areadlink.c tests/test-areadlink.h tests/test-argmatch.c tests/test-array_list.c tests/test-atexit.c tests/test-atexit.sh tests/test-binary-io.c tests/test-binary-io.sh tests/test-btowc.c tests/test-btowc1.sh tests/test-btowc2.sh tests/test-byteswap.c tests/test-c-ctype.c tests/test-c-strcase.sh tests/test-c-strcasecmp.c tests/test-c-strcasestr.c tests/test-c-strncasecmp.c tests/test-c-strstr.c tests/test-canonicalize-lgpl.c tests/test-cloexec.c tests/test-close.c tests/test-copy-acl-1.sh tests/test-copy-acl-2.sh tests/test-copy-acl.c tests/test-copy-acl.sh tests/test-copy-file-1.sh tests/test-copy-file-2.sh tests/test-copy-file.c tests/test-copy-file.sh tests/test-ctype.c tests/test-dirent.c tests/test-dup-safer.c tests/test-dup.c tests/test-dup2.c tests/test-environ.c tests/test-errno.c tests/test-fabs.c tests/test-fabs.h tests/test-fcntl-h.c tests/test-fcntl.c tests/test-fdopen.c tests/test-fgetc.c tests/test-file-has-acl-1.sh tests/test-file-has-acl-2.sh tests/test-file-has-acl.c tests/test-file-has-acl.sh tests/test-float.c tests/test-fnmatch.c tests/test-fopen.c tests/test-fopen.h tests/test-fputc.c tests/test-fread.c tests/test-fstat.c tests/test-fstrcmp.c tests/test-ftell.c tests/test-ftell.sh tests/test-ftell2.sh tests/test-ftell3.c tests/test-ftello.c tests/test-ftello.sh tests/test-ftello2.sh tests/test-ftello3.c tests/test-ftello4.c tests/test-ftello4.sh tests/test-fwrite.c tests/test-getcwd-lgpl.c tests/test-getdelim.c tests/test-getdtablesize.c tests/test-getline.c tests/test-getopt.c tests/test-getopt.h tests/test-getopt_long.h tests/test-gettimeofday.c tests/test-iconv-h.c tests/test-iconv.c tests/test-ignore-value.c tests/test-init.sh tests/test-intprops.c tests/test-inttypes.c tests/test-isinf.c tests/test-isnan.c tests/test-isnand-nolibm.c tests/test-isnand.c tests/test-isnand.h tests/test-isnanf-nolibm.c tests/test-isnanf.c tests/test-isnanf.h tests/test-isnanl-nolibm.c tests/test-isnanl.c tests/test-isnanl.h tests/test-iswblank.c tests/test-langinfo.c tests/test-linkedhash_list.c tests/test-locale.c tests/test-localename.c tests/test-lock.c tests/test-log10.c tests/test-log10.h tests/test-lseek.c tests/test-lseek.sh tests/test-lstat.c tests/test-lstat.h tests/test-malloca.c tests/test-math.c tests/test-mbrtowc-w32-1.sh tests/test-mbrtowc-w32-2.sh tests/test-mbrtowc-w32-3.sh tests/test-mbrtowc-w32-4.sh tests/test-mbrtowc-w32-5.sh tests/test-mbrtowc-w32.c tests/test-mbrtowc.c tests/test-mbrtowc1.sh tests/test-mbrtowc2.sh tests/test-mbrtowc3.sh tests/test-mbrtowc4.sh tests/test-mbrtowc5.sh tests/test-mbsinit.c tests/test-mbsinit.sh tests/test-mbsrtowcs.c tests/test-mbsrtowcs1.sh tests/test-mbsrtowcs2.sh tests/test-mbsrtowcs3.sh tests/test-mbsrtowcs4.sh tests/test-mbsstr1.c tests/test-mbsstr2.c tests/test-mbsstr2.sh tests/test-mbsstr3.c tests/test-mbsstr3.sh tests/test-memchr.c tests/test-moo-aroot.oo.c tests/test-moo-aroot.oo.h tests/test-moo-assign.c tests/test-moo-asub1.oo.c tests/test-moo-asub1.oo.h tests/test-moo-root.oo.c tests/test-moo-root.oo.h tests/test-moo-sub1.oo.c tests/test-moo-sub1.oo.h tests/test-moo-sub2.oo.c tests/test-moo-sub2.oo.h tests/test-open.c tests/test-open.h tests/test-pathmax.c tests/test-pipe-filter-ii1.c tests/test-pipe-filter-ii1.sh tests/test-pipe-filter-ii2-child.c tests/test-pipe-filter-ii2-main.c tests/test-pipe-filter-ii2.sh tests/test-pipe2.c tests/test-posix_spawn1.c tests/test-posix_spawn1.in.sh tests/test-posix_spawn2.c tests/test-posix_spawn2.in.sh tests/test-posix_spawn_file_actions_addclose.c tests/test-posix_spawn_file_actions_adddup2.c tests/test-posix_spawn_file_actions_addopen.c tests/test-pow.c tests/test-quotearg-simple.c tests/test-quotearg.h tests/test-raise.c tests/test-rawmemchr.c tests/test-read-file.c tests/test-read.c tests/test-readlink.c tests/test-readlink.h tests/test-rmdir.c tests/test-rmdir.h tests/test-sameacls.c tests/test-sched.c tests/test-set-mode-acl-1.sh tests/test-set-mode-acl-2.sh tests/test-set-mode-acl.c tests/test-set-mode-acl.sh tests/test-setenv.c tests/test-setlocale1.c tests/test-setlocale1.sh tests/test-setlocale2.c tests/test-setlocale2.sh tests/test-sh-quote.c tests/test-sigaction.c tests/test-signal-h.c tests/test-signbit.c tests/test-sigpipe.c tests/test-sigpipe.sh tests/test-sigprocmask.c tests/test-sleep.c tests/test-snprintf.c tests/test-spawn-pipe-child.c tests/test-spawn-pipe-main.c tests/test-spawn-pipe.sh tests/test-spawn.c tests/test-stat.c tests/test-stat.h tests/test-stdalign.c tests/test-stdbool.c tests/test-stddef.c tests/test-stdint.c tests/test-stdio.c tests/test-stdlib.c tests/test-strchrnul.c tests/test-strerror.c tests/test-striconv.c tests/test-striconveh.c tests/test-striconveha.c tests/test-string.c tests/test-strnlen.c tests/test-strstr.c tests/test-strtol.c tests/test-strtoul.c tests/test-symlink.c tests/test-symlink.h tests/test-sys_select.c tests/test-sys_stat.c tests/test-sys_time.c tests/test-sys_types.c tests/test-sys_wait.c tests/test-sys_wait.h tests/test-term-ostream-xterm tests/test-term-ostream-xterm-16color.out tests/test-term-ostream-xterm-256color.out tests/test-term-ostream-xterm-88color.out tests/test-term-ostream-xterm-8bit.out tests/test-term-ostream-xterm-aix51.out tests/test-term-ostream-xterm-basic-italic.out tests/test-term-ostream-xterm-basic.out tests/test-term-ostream-xterm-freebsd101.out tests/test-term-ostream-xterm-irix65.out tests/test-term-ostream-xterm-linux-debian.out tests/test-term-ostream-xterm-linux-mandriva.out tests/test-term-ostream-xterm-mingw.out tests/test-term-ostream-xterm-netbsd3.out tests/test-term-ostream-xterm-osf51.out tests/test-term-ostream-xterm-r6.out tests/test-term-ostream-xterm-solaris10.out tests/test-term-ostream-xterm-xf86-v32.out tests/test-term-ostream.c tests/test-thread_create.c tests/test-thread_self.c tests/test-time.c tests/test-tls.c tests/test-unistd.c tests/test-unsetenv.c tests/test-vasnprintf-posix.c tests/test-vasnprintf.c tests/test-vasprintf.c tests/test-verify.c tests/test-verify.sh tests/test-vsnprintf.c tests/test-wchar.c tests/test-wcrtomb-w32-1.sh tests/test-wcrtomb-w32-2.sh tests/test-wcrtomb-w32-3.sh tests/test-wcrtomb-w32-4.sh tests/test-wcrtomb-w32-5.sh tests/test-wcrtomb-w32.c tests/test-wcrtomb.c tests/test-wcrtomb.sh tests/test-wctype-h.c tests/test-wcwidth.c tests/test-write.c tests/test-xalloc-die.c tests/test-xalloc-die.sh tests/test-xmemdup0.c tests/test-xvasprintf.c tests/uniconv/test-u8-conv-from-enc.c tests/unictype/test-ctype_space.c tests/unictype/test-predicate-part1.h tests/unictype/test-predicate-part2.h tests/unilbrk/test-u8-width-linebreaks.c tests/uniname/HangulSyllableNames.txt tests/uniname/NameAliases.txt tests/uniname/UnicodeData.txt tests/uniname/test-uninames.c tests/uniname/test-uninames.sh tests/unistr/test-cmp.h tests/unistr/test-u16-mbtouc.c tests/unistr/test-u16-mbtouc.h tests/unistr/test-u8-check.c tests/unistr/test-u8-cmp.c tests/unistr/test-u8-mblen.c tests/unistr/test-u8-mbtoucr.c tests/unistr/test-u8-prev.c tests/unistr/test-u8-strlen.c tests/unistr/test-u8-uctomb.c tests/zerosize-ptr.h tests=lib/btowc.c tests=lib/ctype.in.h tests=lib/dup.c tests=lib/fdopen.c tests=lib/file-has-acl.c tests=lib/fpucw.h tests=lib/ftell.c tests=lib/ftello.c tests=lib/getcwd-lgpl.c tests=lib/getpagesize.c tests=lib/glthread/thread.c tests=lib/glthread/thread.h tests=lib/glthread/yield.h tests=lib/inttypes.in.h tests=lib/lseek.c tests=lib/mbtowc-impl.h tests=lib/mbtowc.c tests=lib/putenv.c tests=lib/read-file.c tests=lib/read-file.h tests=lib/same-inode.h tests=lib/sleep.c tests=lib/stdalign.in.h tests=lib/stdio-impl.h tests=lib/symlink.c tests=lib/unistr/u8-cmp.c tests=lib/unistr/u8-strlen.c tests=lib/wcrtomb.c tests=lib/wctob.c tests=lib/wctomb-impl.h tests=lib/wctomb.c ]) ```
```kotlin package net.corda.serialization.internal.amqp import net.corda.serialization.internal.AllWhitelist import net.corda.serialization.internal.amqp.custom.OptionalSerializer import net.corda.serialization.internal.amqp.testutils.TestSerializationOutput import net.corda.serialization.internal.amqp.testutils.deserialize import net.corda.serialization.internal.amqp.testutils.testDefaultFactory import net.corda.serialization.internal.carpenter.ClassCarpenterImpl import org.hamcrest.Matchers.equalTo import org.hamcrest.Matchers.`is` import org.junit.Test import java.util.Optional import org.hamcrest.MatcherAssert.assertThat class OptionalSerializationTests { @Test(timeout = 300_000) fun `java optionals should serialize`() { val factory = SerializerFactoryBuilder.build(AllWhitelist, ClassCarpenterImpl(AllWhitelist, ClassLoader.getSystemClassLoader()) ) factory.register(OptionalSerializer(factory)) val obj = Optional.ofNullable("YES") val bytes = TestSerializationOutput(true, factory).serialize(obj) val deserializerFactory = testDefaultFactory().apply { register(OptionalSerializer(this)) } val deserialized = DeserializationInput(factory).deserialize(bytes) val deserialized2 = DeserializationInput(deserializerFactory).deserialize(bytes) assertThat(deserialized, `is`(equalTo(deserialized2))) assertThat(obj, `is`(equalTo(deserialized2))) } } ```
Olga Vsevolodovna Ivinskaya (; June 16, 1912, Tambov – September 8, 1995, Moscow) was a Soviet poet and writer. She is best-known as friend and lover of Nobel Prize-winning writer Boris Pasternak during the last 13 years of his life and the inspiration for the character of Lara in his novel Doctor Zhivago (1957). Early life Ivinskaya, of German-Polish descent, was born in Tambov to a provincial high school teacher. In 1915, the family moved to Moscow. After graduating from the Editorial Workers Institute in Moscow in 1936, she worked as an editor at various literary magazines. She was an admirer of Pasternak since her adolescence, attending literary gatherings to listen to his poetry. She married twice: the first time to Ivan Emelianov in 1936, who hanged himself in 1939, having one daughter, Irina Emelianova; the second time in 1941 to Alexander Vinogradov (later killed in the war), producing one son, Dmitry Vinogradov. Relationship with Pasternak She met Boris Pasternak in October 1946, in the editorial office of Novy Mir, where she was in charge of the new authors department. She was romantically involved with him until his death, although he refused to leave his wife. Early in 1948, he asked her to leave Novy Mir, as her position there was getting more difficult because of their relationship. She took up a role as his secretary instead. Ivinskaya collaborated closely with Pasternak on translating poetry from foreign languages into Russian. While she was translating the Bengali language poet Rabindranath Tagore, Pasternak advised her, to "1) bring out the theme of the poem, its subject matter, as clearly as possible; 2) tighten up the fluid, non-European form by rhyming internally, not at the end of the lines; 3) use loose, irregular meters, mostly ternary ones. You may allow yourself to use assonances." Later, while collaborating with him on a translation of the Czech language poet Vítězslav Nezval, Pasternak told Ivinskaya, "Use the literal translation only for the meaning, but do not borrow words as they stand from it: they are absurd and not always comprehensible. Don't translate everything, only what you can manage, and by this means try to make the translation more precise than the original—an absolute necessity in the case of such a confused, slipshod piece of work." Pasternak acknowledged Ivinskaya as the inspiration for Doctor Zhivago'''s heroine Lara. Many poems by Yuri Zhivago in the novel were addressed by Pasternak to Ivinskaya. In October 1949, Ivinskaya was arrested as "an accomplice to the spy" and in July 1950 was sentenced by the Special Council of the NKVD to five years in the Gulag. That was seen as an attempt to press Pasternak to give up writings critical of the Soviet system. In a 1958 letter to a friend in West Germany, Pasternak wrote, "She was put in jail on my account, as the person considered by the secret police to be closest to me, and they hoped that by means of a grueling interrogation and threats they could extract enough evidence from her to put me on trial. I owe my life and the fact that they did not touch me in those years to her heroism and endurance." At that time of her arrest, Ivinskaya was pregnant by Pasternak and miscarried. She was released in 1953 after Stalin's death. Doctor Zhivago was published in Italy in 1957 by Feltrinelli, with Ivinskaya conducting all negotiations on Pasternak's behalf. Ivinskaya was one of nine "prisoners of conscience" featured in Persecution 1961, a book by Peter Benenson that helped launch Amnesty International. In it, Benenson lauded her for refusing to cooperate with authorities and for willingly suffering to protect Pasternak. However, after the collapse of the Soviet Union and the opening of Soviet archives, some sources suggested that, like most torture victims, she had been induced to cooperate with the KGB. - New York Times mentions "Moskovsky Komsomolets" as a source. Final years After Pasternak's death in 1960, Ivinskaya was arrested for the second time, with her daughter, Irina Emelianova. She was accused of being Pasternak's link with Western publishers in dealing in hard currency for Doctor Zhivago. The Soviet government quietly released them, Irina after one year, in 1962, and Ivinskaya in 1964. She served four years of an eight-year sentence, apparently to punish her for the relationship. In 1978, her memoirs were published in Paris in Russian and were translated in English under the title A Captive of Time''. Ivinskaya was rehabilitated only under Gorbachev in 1988. All of Pasternak's letters to her and other manuscripts and documents had been seized by the KGB during her last arrest. She spent several years in litigation trying to regain them. However, those were blocked by his daughter-in-law, Natalya. The Supreme Court of Russia ended up ruling against her on the ground that "there was no proof of ownership" and "papers should remain in the state archive". She died in 1995 from cancer. A reporter on NTV compared Ivinskaya's role to that of other famous muses for Russian writers: "As Pushkin would not be complete without Anna Kern, and Yesenin would be nothing without Isadora Duncan, so Pasternak would not be Pasternak without Olga Ivinskaya, who was his inspiration for 'Doctor Zhivago.' ". Her daughter, Irina Emelianova, who emigrated to France in 1985, published a book of memories of her mother's affair with Pasternak. References Notes Bibliography Further reading External links , poem by Pasternak about his love, performed as song by Larisa Novoseltseva Gulag detainees Soviet magazine editors Translators from Bengali Translators from Czech Translators to Russian Soviet women poets Soviet translators Deaths from cancer in Russia 1912 births 1995 deaths Soviet poets Women magazine editors Soviet people of German descent Soviet people of Polish descent People from Tambov Dubravlag detainees
Bokyi (Boki, Nfua, Nki, Okii, Osikom, Osukam, Uki, Vaaneroki) is a regionally important Bendi language spoken by the Bokyi people of northern Cross River State, Nigeria. It is ranked amongst the first fifteen languages of the about 520 living languages in Nigeria, with a few thousand speakers in Cameroon. Major dialects include Abu (Abo, Baswo), Irruan, Osokom (Okundi) and Wula. References Bendi languages Languages of Nigeria
```xml import * as React from 'react'; import { Button, Flex } from '@fluentui/react-northstar'; import { MicIcon, TranslationIcon, CallVideoIcon } from '@fluentui/react-icons-northstar'; const ButtonExampleDisabled = () => ( <Flex column gap="gap.smaller"> <Flex gap="gap.smaller"> <Button disabled>Default</Button> <Button disabled primary> <Button.Content>Primary</Button.Content> </Button> <Button disabled inverted> <Button.Content content="Inverted Button" /> </Button> <Button disabled icon iconPosition="before" primary> <MicIcon xSpacing="after" /> <Button.Content content="Click me" /> </Button> <Button disabled circular title="Translation"> <TranslationIcon xSpacing="none" /> </Button> <Button disabled text> <CallVideoIcon xSpacing="before" /> <Button.Content content="Disabled text button" /> </Button> </Flex> <Button disabled fluid> <Button.Content>Fluid</Button.Content> </Button> </Flex> ); export default ButtonExampleDisabled; ```
```c++ /* -*- Mode: C++; tab-width: 8; indent-tabs-mode: nil; c-basic-offset: 4 -*- * vim: set ts=8 sts=4 et sw=4 tw=99: * This Source Code Form is subject to the terms of the Mozilla Public * file, You can obtain one at path_to_url */ #include "jit/Recover.h" #include "jsapi.h" #include "jscntxt.h" #include "jsmath.h" #include "jsobj.h" #include "jsstr.h" #include "builtin/RegExp.h" #include "builtin/TypedObject.h" #include "gc/Heap.h" #include "jit/JitFrameIterator.h" #include "jit/JitSpewer.h" #include "jit/MIR.h" #include "jit/MIRGraph.h" #include "jit/VMFunctions.h" #include "vm/Interpreter.h" #include "vm/Interpreter-inl.h" #include "vm/NativeObject-inl.h" using namespace js; using namespace js::jit; bool MNode::writeRecoverData(CompactBufferWriter& writer) const { MOZ_CRASH("This instruction is not serializable"); } void RInstruction::readRecoverData(CompactBufferReader& reader, RInstructionStorage* raw) { uint32_t op = reader.readUnsigned(); switch (Opcode(op)) { # define MATCH_OPCODES_(op) \ case Recover_##op: \ static_assert(sizeof(R##op) <= sizeof(RInstructionStorage), \ "Storage space is too small to decode R" #op " instructions."); \ new (raw->addr()) R##op(reader); \ break; RECOVER_OPCODE_LIST(MATCH_OPCODES_) # undef MATCH_OPCODES_ case Recover_Invalid: default: MOZ_CRASH("Bad decoding of the previous instruction?"); } } bool MResumePoint::writeRecoverData(CompactBufferWriter& writer) const { writer.writeUnsigned(uint32_t(RInstruction::Recover_ResumePoint)); MBasicBlock* bb = block(); JSFunction* fun = bb->info().funMaybeLazy(); JSScript* script = bb->info().script(); uint32_t exprStack = stackDepth() - bb->info().ninvoke(); #ifdef DEBUG // Ensure that all snapshot which are encoded can safely be used for // bailouts. if (GetJitContext()->cx) { uint32_t stackDepth; bool reachablePC; jsbytecode* bailPC = pc(); if (mode() == MResumePoint::ResumeAfter) bailPC = GetNextPc(pc()); if (!ReconstructStackDepth(GetJitContext()->cx, script, bailPC, &stackDepth, &reachablePC)) { return false; } if (reachablePC) { if (JSOp(*bailPC) == JSOP_FUNCALL) { // For fun.call(this, ...); the reconstructStackDepth will // include the this. When inlining that is not included. So the // exprStackSlots will be one less. MOZ_ASSERT(stackDepth - exprStack <= 1); } else if (JSOp(*bailPC) != JSOP_FUNAPPLY && !IsGetPropPC(bailPC) && !IsSetPropPC(bailPC)) { // For fun.apply({}, arguments) the reconstructStackDepth will // have stackdepth 4, but it could be that we inlined the // funapply. In that case exprStackSlots, will have the real // arguments in the slots and not be 4. // With accessors, we have different stack depths depending on // whether or not we inlined the accessor, as the inlined stack // contains a callee function that should never have been there // and we might just be capturing an uneventful property site, // in which case there won't have been any violence. MOZ_ASSERT(exprStack == stackDepth); } } } #endif // Test if we honor the maximum of arguments at all times. This is a sanity // check and not an algorithm limit. So check might be a bit too loose. +4 // to account for scope chain, return value, this value and maybe // arguments_object. MOZ_ASSERT(CountArgSlots(script, fun) < SNAPSHOT_MAX_NARGS + 4); uint32_t implicit = StartArgSlot(script); uint32_t formalArgs = CountArgSlots(script, fun); uint32_t nallocs = formalArgs + script->nfixed() + exprStack; JitSpew(JitSpew_IonSnapshots, "Starting frame; implicit %u, formals %u, fixed %u, exprs %u", implicit, formalArgs - implicit, script->nfixed(), exprStack); uint32_t pcoff = script->pcToOffset(pc()); JitSpew(JitSpew_IonSnapshots, "Writing pc offset %u, nslots %u", pcoff, nallocs); writer.writeUnsigned(pcoff); writer.writeUnsigned(nallocs); return true; } RResumePoint::RResumePoint(CompactBufferReader& reader) { pcOffset_ = reader.readUnsigned(); numOperands_ = reader.readUnsigned(); JitSpew(JitSpew_IonSnapshots, "Read RResumePoint (pc offset %u, nslots %u)", pcOffset_, numOperands_); } bool RResumePoint::recover(JSContext* cx, SnapshotIterator& iter) const { MOZ_CRASH("This instruction is not recoverable."); } bool MBitNot::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_BitNot)); return true; } RBitNot::RBitNot(CompactBufferReader& reader) { } bool RBitNot::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue operand(cx, iter.read()); int32_t result; if (!js::BitNot(cx, operand, &result)) return false; RootedValue rootedResult(cx, js::Int32Value(result)); iter.storeInstructionResult(rootedResult); return true; } bool MBitAnd::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_BitAnd)); return true; } RBitAnd::RBitAnd(CompactBufferReader& reader) { } bool RBitAnd::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); int32_t result; MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::BitAnd(cx, lhs, rhs, &result)) return false; RootedValue rootedResult(cx, js::Int32Value(result)); iter.storeInstructionResult(rootedResult); return true; } bool MBitOr::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_BitOr)); return true; } RBitOr::RBitOr(CompactBufferReader& reader) {} bool RBitOr::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); int32_t result; MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::BitOr(cx, lhs, rhs, &result)) return false; RootedValue asValue(cx, js::Int32Value(result)); iter.storeInstructionResult(asValue); return true; } bool MBitXor::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_BitXor)); return true; } RBitXor::RBitXor(CompactBufferReader& reader) { } bool RBitXor::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); int32_t result; if (!js::BitXor(cx, lhs, rhs, &result)) return false; RootedValue rootedResult(cx, js::Int32Value(result)); iter.storeInstructionResult(rootedResult); return true; } bool MLsh::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Lsh)); return true; } RLsh::RLsh(CompactBufferReader& reader) {} bool RLsh::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); int32_t result; MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::BitLsh(cx, lhs, rhs, &result)) return false; RootedValue asValue(cx, js::Int32Value(result)); iter.storeInstructionResult(asValue); return true; } bool MRsh::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Rsh)); return true; } RRsh::RRsh(CompactBufferReader& reader) { } bool RRsh::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); int32_t result; if (!js::BitRsh(cx, lhs, rhs, &result)) return false; RootedValue rootedResult(cx, js::Int32Value(result)); iter.storeInstructionResult(rootedResult); return true; } bool MUrsh::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Ursh)); return true; } RUrsh::RUrsh(CompactBufferReader& reader) { } bool RUrsh::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); RootedValue result(cx); if (!js::UrshOperation(cx, lhs, rhs, &result)) return false; iter.storeInstructionResult(result); return true; } bool MAdd::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Add)); writer.writeByte(specialization_ == MIRType_Float32); return true; } RAdd::RAdd(CompactBufferReader& reader) { isFloatOperation_ = reader.readByte(); } bool RAdd::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::AddValues(cx, &lhs, &rhs, &result)) return false; // MIRType_Float32 is a specialization embedding the fact that the result is // rounded to a Float32. if (isFloatOperation_ && !RoundFloat32(cx, result, &result)) return false; iter.storeInstructionResult(result); return true; } bool MSub::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Sub)); writer.writeByte(specialization_ == MIRType_Float32); return true; } RSub::RSub(CompactBufferReader& reader) { isFloatOperation_ = reader.readByte(); } bool RSub::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::SubValues(cx, &lhs, &rhs, &result)) return false; // MIRType_Float32 is a specialization embedding the fact that the result is // rounded to a Float32. if (isFloatOperation_ && !RoundFloat32(cx, result, &result)) return false; iter.storeInstructionResult(result); return true; } bool MMul::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Mul)); writer.writeByte(specialization_ == MIRType_Float32); return true; } RMul::RMul(CompactBufferReader& reader) { isFloatOperation_ = reader.readByte(); } bool RMul::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); if (!js::MulValues(cx, &lhs, &rhs, &result)) return false; // MIRType_Float32 is a specialization embedding the fact that the result is // rounded to a Float32. if (isFloatOperation_ && !RoundFloat32(cx, result, &result)) return false; iter.storeInstructionResult(result); return true; } bool MDiv::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Div)); writer.writeByte(specialization_ == MIRType_Float32); return true; } RDiv::RDiv(CompactBufferReader& reader) { isFloatOperation_ = reader.readByte(); } bool RDiv::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); if (!js::DivValues(cx, &lhs, &rhs, &result)) return false; // MIRType_Float32 is a specialization embedding the fact that the result is // rounded to a Float32. if (isFloatOperation_ && !RoundFloat32(cx, result, &result)) return false; iter.storeInstructionResult(result); return true; } bool MMod::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Mod)); return true; } RMod::RMod(CompactBufferReader& reader) { } bool RMod::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::ModValues(cx, &lhs, &rhs, &result)) return false; iter.storeInstructionResult(result); return true; } bool MNot::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Not)); return true; } RNot::RNot(CompactBufferReader& reader) { } bool RNot::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx); result.setBoolean(!ToBoolean(v)); iter.storeInstructionResult(result); return true; } bool MConcat::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Concat)); return true; } RConcat::RConcat(CompactBufferReader& reader) {} bool RConcat::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue lhs(cx, iter.read()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!lhs.isObject() && !rhs.isObject()); if (!js::AddValues(cx, &lhs, &rhs, &result)) return false; iter.storeInstructionResult(result); return true; } RStringLength::RStringLength(CompactBufferReader& reader) {} bool RStringLength::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue operand(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!operand.isObject()); if (!js::GetLengthProperty(operand, &result)) return false; iter.storeInstructionResult(result); return true; } bool MStringLength::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_StringLength)); return true; } bool MArgumentsLength::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_ArgumentsLength)); return true; } RArgumentsLength::RArgumentsLength(CompactBufferReader& reader) { } bool RArgumentsLength::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue result(cx); result.setInt32(iter.readOuterNumActualArgs()); iter.storeInstructionResult(result); return true; } bool MFloor::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Floor)); return true; } RFloor::RFloor(CompactBufferReader& reader) { } bool RFloor::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx); if (!js::math_floor_handle(cx, v, &result)) return false; iter.storeInstructionResult(result); return true; } bool MCeil::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Ceil)); return true; } RCeil::RCeil(CompactBufferReader& reader) { } bool RCeil::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx); if (!js::math_ceil_handle(cx, v, &result)) return false; iter.storeInstructionResult(result); return true; } bool MRound::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Round)); return true; } RRound::RRound(CompactBufferReader& reader) {} bool RRound::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue arg(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!arg.isObject()); if(!js::math_round_handle(cx, arg, &result)) return false; iter.storeInstructionResult(result); return true; } bool MCharCodeAt::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_CharCodeAt)); return true; } RCharCodeAt::RCharCodeAt(CompactBufferReader& reader) {} bool RCharCodeAt::recover(JSContext* cx, SnapshotIterator& iter) const { RootedString lhs(cx, iter.read().toString()); RootedValue rhs(cx, iter.read()); RootedValue result(cx); if (!js::str_charCodeAt_impl(cx, lhs, rhs, &result)) return false; iter.storeInstructionResult(result); return true; } bool MFromCharCode::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_FromCharCode)); return true; } RFromCharCode::RFromCharCode(CompactBufferReader& reader) {} bool RFromCharCode::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue operand(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!operand.isObject()); if (!js::str_fromCharCode_one_arg(cx, operand, &result)) return false; iter.storeInstructionResult(result); return true; } bool MPow::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Pow)); return true; } RPow::RPow(CompactBufferReader& reader) { } bool RPow::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue base(cx, iter.read()); RootedValue power(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(base.isNumber() && power.isNumber()); if (!js::math_pow_handle(cx, base, power, &result)) return false; iter.storeInstructionResult(result); return true; } bool MPowHalf::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_PowHalf)); return true; } RPowHalf::RPowHalf(CompactBufferReader& reader) { } bool RPowHalf::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue base(cx, iter.read()); RootedValue power(cx); RootedValue result(cx); power.setNumber(0.5); MOZ_ASSERT(base.isNumber()); if (!js::math_pow_handle(cx, base, power, &result)) return false; iter.storeInstructionResult(result); return true; } bool MMinMax::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_MinMax)); writer.writeByte(isMax_); return true; } RMinMax::RMinMax(CompactBufferReader& reader) { isMax_ = reader.readByte(); } bool RMinMax::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue a(cx, iter.read()); RootedValue b(cx, iter.read()); RootedValue result(cx); if (!js::minmax_impl(cx, isMax_, a, b, &result)) return false; iter.storeInstructionResult(result); return true; } bool MAbs::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Abs)); return true; } RAbs::RAbs(CompactBufferReader& reader) { } bool RAbs::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx); if (!js::math_abs_handle(cx, v, &result)) return false; iter.storeInstructionResult(result); return true; } bool MSqrt::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Sqrt)); writer.writeByte(type() == MIRType_Float32); return true; } RSqrt::RSqrt(CompactBufferReader& reader) { isFloatOperation_ = reader.readByte(); } bool RSqrt::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue num(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(num.isNumber()); if (!math_sqrt_handle(cx, num, &result)) return false; // MIRType_Float32 is a specialization embedding the fact that the result is // rounded to a Float32. if (isFloatOperation_ && !RoundFloat32(cx, result, &result)) return false; iter.storeInstructionResult(result); return true; } bool MAtan2::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Atan2)); return true; } RAtan2::RAtan2(CompactBufferReader& reader) { } bool RAtan2::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue y(cx, iter.read()); RootedValue x(cx, iter.read()); RootedValue result(cx); if(!math_atan2_handle(cx, y, x, &result)) return false; iter.storeInstructionResult(result); return true; } bool MHypot::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Hypot)); writer.writeUnsigned(uint32_t(numOperands())); return true; } RHypot::RHypot(CompactBufferReader& reader) : numOperands_(reader.readUnsigned()) { } bool RHypot::recover(JSContext* cx, SnapshotIterator& iter) const { JS::AutoValueVector vec(cx); if (!vec.reserve(numOperands_)) return false; for (uint32_t i = 0 ; i < numOperands_ ; ++i) vec.infallibleAppend(iter.read()); RootedValue result(cx); if(!js::math_hypot_handle(cx, vec, &result)) return false; iter.storeInstructionResult(result); return true; } bool MMathFunction::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); switch (function_) { case Round: writer.writeUnsigned(uint32_t(RInstruction::Recover_Round)); return true; case Sin: case Log: writer.writeUnsigned(uint32_t(RInstruction::Recover_MathFunction)); writer.writeByte(function_); return true; default: MOZ_CRASH("Unknown math function."); } } RMathFunction::RMathFunction(CompactBufferReader& reader) { function_ = reader.readByte(); } bool RMathFunction::recover(JSContext* cx, SnapshotIterator& iter) const { switch (function_) { case MMathFunction::Sin: { RootedValue arg(cx, iter.read()); RootedValue result(cx); if (!js::math_sin_handle(cx, arg, &result)) return false; iter.storeInstructionResult(result); return true; } case MMathFunction::Log: { RootedValue arg(cx, iter.read()); RootedValue result(cx); if (!js::math_log_handle(cx, arg, &result)) return false; iter.storeInstructionResult(result); return true; } default: MOZ_CRASH("Unknown math function."); } } bool MStringSplit::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_StringSplit)); return true; } RStringSplit::RStringSplit(CompactBufferReader& reader) {} bool RStringSplit::recover(JSContext* cx, SnapshotIterator& iter) const { RootedString str(cx, iter.read().toString()); RootedString sep(cx, iter.read().toString()); RootedObjectGroup group(cx, iter.read().toObject().group()); RootedValue result(cx); JSObject* res = str_split_string(cx, group, str, sep); if (!res) return false; result.setObject(*res); iter.storeInstructionResult(result); return true; } bool MRegExpExec::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_RegExpExec)); return true; } RRegExpExec::RRegExpExec(CompactBufferReader& reader) {} bool RRegExpExec::recover(JSContext* cx, SnapshotIterator& iter) const{ RootedObject regexp(cx, &iter.read().toObject()); RootedString input(cx, iter.read().toString()); RootedValue result(cx); if (!regexp_exec_raw(cx, regexp, input, nullptr, &result)) return false; iter.storeInstructionResult(result); return true; } bool MRegExpTest::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_RegExpTest)); return true; } RRegExpTest::RRegExpTest(CompactBufferReader& reader) { } bool RRegExpTest::recover(JSContext* cx, SnapshotIterator& iter) const { RootedString string(cx, iter.read().toString()); RootedObject regexp(cx, &iter.read().toObject()); bool resultBool; if (!js::regexp_test_raw(cx, regexp, string, &resultBool)) return false; RootedValue result(cx); result.setBoolean(resultBool); iter.storeInstructionResult(result); return true; } bool MRegExpReplace::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_RegExpReplace)); return true; } RRegExpReplace::RRegExpReplace(CompactBufferReader& reader) { } bool RRegExpReplace::recover(JSContext* cx, SnapshotIterator& iter) const { RootedString string(cx, iter.read().toString()); RootedObject regexp(cx, &iter.read().toObject()); RootedString repl(cx, iter.read().toString()); RootedValue result(cx); if (!js::str_replace_regexp_raw(cx, string, regexp, repl, &result)) return false; iter.storeInstructionResult(result); return true; } bool MTypeOf::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_TypeOf)); return true; } RTypeOf::RTypeOf(CompactBufferReader& reader) { } bool RTypeOf::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx, StringValue(TypeOfOperation(v, cx->runtime()))); iter.storeInstructionResult(result); return true; } bool MToDouble::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_ToDouble)); return true; } RToDouble::RToDouble(CompactBufferReader& reader) { } bool RToDouble::recover(JSContext* cx, SnapshotIterator& iter) const { Value v = iter.read(); MOZ_ASSERT(!v.isObject()); iter.storeInstructionResult(v); return true; } bool MToFloat32::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_ToFloat32)); return true; } RToFloat32::RToFloat32(CompactBufferReader& reader) { } bool RToFloat32::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue v(cx, iter.read()); RootedValue result(cx); MOZ_ASSERT(!v.isObject()); if (!RoundFloat32(cx, v, &result)) return false; iter.storeInstructionResult(result); return true; } bool MTruncateToInt32::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_TruncateToInt32)); return true; } RTruncateToInt32::RTruncateToInt32(CompactBufferReader& reader) { } bool RTruncateToInt32::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue value(cx, iter.read()); RootedValue result(cx); int32_t trunc; if (!JS::ToInt32(cx, value, &trunc)) return false; result.setInt32(trunc); iter.storeInstructionResult(result); return true; } bool MNewObject::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_NewObject)); MOZ_ASSERT(Mode(uint8_t(mode_)) == mode_); writer.writeByte(uint8_t(mode_)); return true; } RNewObject::RNewObject(CompactBufferReader& reader) { mode_ = MNewObject::Mode(reader.readByte()); } bool RNewObject::recover(JSContext* cx, SnapshotIterator& iter) const { RootedPlainObject templateObject(cx, &iter.read().toObject().as<PlainObject>()); RootedValue result(cx); JSObject* resultObject = nullptr; // See CodeGenerator::visitNewObjectVMCall if (mode_ == MNewObject::ObjectLiteral) { resultObject = NewInitObject(cx, templateObject); } else { MOZ_ASSERT(mode_ == MNewObject::ObjectCreate); resultObject = ObjectCreateWithTemplate(cx, templateObject); } if (!resultObject) return false; result.setObject(*resultObject); iter.storeInstructionResult(result); return true; } bool MNewArray::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_NewArray)); writer.writeUnsigned(count()); writer.writeByte(uint8_t(allocatingBehaviour())); return true; } RNewArray::RNewArray(CompactBufferReader& reader) { count_ = reader.readUnsigned(); allocatingBehaviour_ = AllocatingBehaviour(reader.readByte()); } bool RNewArray::recover(JSContext* cx, SnapshotIterator& iter) const { RootedObject templateObject(cx, &iter.read().toObject()); RootedValue result(cx); RootedObjectGroup group(cx); // See CodeGenerator::visitNewArrayCallVM if (!templateObject->isSingleton()) group = templateObject->group(); JSObject* resultObject = NewDenseArray(cx, count_, group, allocatingBehaviour_); if (!resultObject) return false; result.setObject(*resultObject); iter.storeInstructionResult(result); return true; } bool MNewDerivedTypedObject::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_NewDerivedTypedObject)); return true; } RNewDerivedTypedObject::RNewDerivedTypedObject(CompactBufferReader& reader) { } bool RNewDerivedTypedObject::recover(JSContext* cx, SnapshotIterator& iter) const { Rooted<TypeDescr*> descr(cx, &iter.read().toObject().as<TypeDescr>()); Rooted<TypedObject*> owner(cx, &iter.read().toObject().as<TypedObject>()); int32_t offset = iter.read().toInt32(); JSObject* obj = OutlineTypedObject::createDerived(cx, descr, owner, offset); if (!obj) return false; RootedValue result(cx, ObjectValue(*obj)); iter.storeInstructionResult(result); return true; } bool MCreateThisWithTemplate::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_CreateThisWithTemplate)); writer.writeByte(bool(initialHeap() == gc::TenuredHeap)); return true; } RCreateThisWithTemplate::RCreateThisWithTemplate(CompactBufferReader& reader) { tenuredHeap_ = reader.readByte(); } bool RCreateThisWithTemplate::recover(JSContext* cx, SnapshotIterator& iter) const { RootedPlainObject templateObject(cx, &iter.read().toObject().as<PlainObject>()); // See CodeGenerator::visitCreateThisWithTemplate gc::AllocKind allocKind = templateObject->asTenured().getAllocKind(); gc::InitialHeap initialHeap = tenuredHeap_ ? gc::TenuredHeap : gc::DefaultHeap; JSObject* resultObject = NativeObject::copy(cx, allocKind, initialHeap, templateObject); if (!resultObject) return false; RootedValue result(cx); result.setObject(*resultObject); iter.storeInstructionResult(result); return true; } bool MLambda::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_Lambda)); return true; } RLambda::RLambda(CompactBufferReader& reader) { } bool RLambda::recover(JSContext* cx, SnapshotIterator& iter) const { RootedObject scopeChain(cx, &iter.read().toObject()); RootedFunction fun(cx, &iter.read().toObject().as<JSFunction>()); JSObject* resultObject = js::Lambda(cx, fun, scopeChain); if (!resultObject) return false; RootedValue result(cx); result.setObject(*resultObject); iter.storeInstructionResult(result); return true; } bool MObjectState::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_ObjectState)); writer.writeUnsigned(numSlots()); return true; } RObjectState::RObjectState(CompactBufferReader& reader) { numSlots_ = reader.readUnsigned(); } bool RObjectState::recover(JSContext* cx, SnapshotIterator& iter) const { RootedNativeObject object(cx, &iter.read().toObject().as<NativeObject>()); MOZ_ASSERT(object->slotSpan() == numSlots()); RootedValue val(cx); for (size_t i = 0; i < numSlots(); i++) { val = iter.read(); object->setSlot(i, val); } val.setObject(*object); iter.storeInstructionResult(val); return true; } bool MArrayState::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_ArrayState)); writer.writeUnsigned(numElements()); return true; } RArrayState::RArrayState(CompactBufferReader& reader) { numElements_ = reader.readUnsigned(); } bool RArrayState::recover(JSContext* cx, SnapshotIterator& iter) const { RootedValue result(cx); ArrayObject* object = &iter.read().toObject().as<ArrayObject>(); uint32_t initLength = iter.read().toInt32(); object->setDenseInitializedLength(initLength); for (size_t index = 0; index < numElements(); index++) { Value val = iter.read(); if (index >= initLength) { MOZ_ASSERT(val.isUndefined()); continue; } object->initDenseElement(index, val); } result.setObject(*object); iter.storeInstructionResult(result); return true; } bool MStringReplace::writeRecoverData(CompactBufferWriter& writer) const { MOZ_ASSERT(canRecoverOnBailout()); writer.writeUnsigned(uint32_t(RInstruction::Recover_StringReplace)); return true; } RStringReplace::RStringReplace(CompactBufferReader& reader) { } bool RStringReplace::recover(JSContext* cx, SnapshotIterator& iter) const { RootedString string(cx, iter.read().toString()); RootedString pattern(cx, iter.read().toString()); RootedString replace(cx, iter.read().toString()); RootedValue result(cx); if (!js::str_replace_string_raw(cx, string, pattern, replace, &result)) return false; iter.storeInstructionResult(result); return true; } ```
The Sudbury II was a salvage and rescue tug that served during World War II with the Royal Australian Navy as Caledionian Salvor, however was never commissioned. She was sold in 1958 to Island Tug & Barge Ltd, Vancouver, renamed Sudbury II, and registered as a Fijian vessel. Sudbury II undertook numerous salvage jobs in the Pacific Ocean. She was sold in 1981 and became a fishing vessel and renamed Lady Pacific. Fate She caught fire and sank off Prince Rupert on 31 October 1982. Citations References Further reading Norris, Pat Wastell; High Seas, High Risk: The Story of the Sudburys. 1942 ships Ships built in Napa, California Caledonian Savior Tugboats of Canada
La Chapelle-Thireuil () is a former commune in the Deux-Sèvres department in the Nouvelle-Aquitaine region in western France. On 1 January 2019, it was merged into the new commune of Beugnon-Thireuil. See also Communes of the Deux-Sèvres department References External links Official Website [archive] Former communes of Deux-Sèvres Populated places disestablished in 2019
Shri Shri Mahalakshmi Bhairabi Griba Maha Peetha is one of the Shakti Peeths, at Joinpur village, Dakshin Surma, near Gotatikar, 3 km south-east of Sylhet town, Bangladesh. The Hindu Goddess Sati's neck fell here. The Goddess is worshipped as Mahalakshmi and the Bhairav form is Sambaranand. Legend Sati, was the first wife of Shiva as the first incarnation of Parvati. She was the daughter of King Daksha and Queen (the daughter of Brahma). She committed self-immolation at the sacrificial fire of a yagna performed by her father Daksha as she felt seriously distraught by her father's insult of her husband and also to her by not inviting both of them for the yagna. Shiva was so grieved after hearing of the death of his wife that he danced around the world in a Tandav Nritya ("devastating penance" or dance of destruction) carrying Sati's dead body over his shoulders. Perturbed by this situation and in order to bring Shiv to a state of normalcy, it was then Vishnu who decided to use his Sudarshan Chakra (the rotating knife s carried on his finger tip). He dismembered Sati's body with the chakra into several pieces and wherever her body fell on the earth, the place was consecrated as a divine shrine oo Shakthi Peeth with deities of Sati (Parvati) and Shiva. These locations have become famous pilgrimage places as Pithas or Shakthi Pithas, and are found scattered all over the subcontinent including Pakistan, Bangladesh, Sri Lanka and Nepal, apart from India. Sati is also known as Devi or Shakthi, and with blessings of Vishnu she was reborn as the daughter of Himavat or Himalayas and hence named as Parvati (daughter of mountains). She was born on the 14th day of the bright half of the month of Mrigashīrsha, which marks the Shivarathri (Shiva's night) festival. The Mahalakshmi temple as a Shakti Peeth - Daksha Yaga and Sati's self-immolation The aforesaid mythology of Daksha yaga and Sati's self immolation is the mythology of origin behind the Shakti Peethas. Shakti Peethas are believes to have enshrined with the presence of Shakti due to the falling of body parts of the corpse of Sati Devi, when Lord Shiva carried it and wandered throughout the land in sorrow. There are 51 Shakti Peeth linking to the 51 alphabets in Sanskrit. Each temple have shrines for Shakti and Kalabhairava. It is believed that the Neck of Sati Devi has fallen in Srihatta and the Shakti here is addressed as Mahalakshmi and the Kalabhairava as Sambaranand. References External links Shakti Peethas Hindu temples in Sylhet Division
Euoplos saplan is a species of mygalomorph spider in the Idiopidae family. It is endemic to Australia. It was described in 2019 by Australian arachnologists Michael Rix, Jeremy Wilson and Mark Harvey. The specific epithet saplan is an acronym for the “Salinity Action Plan” environmental survey of the Wheatbelt, by the Western Australian Museum and the Department of Conservation and Land Management, which resulted in the collection of many specimens, including this species. Distribution and habitat The species occurs in south-west Western Australia in the northern Avon Wheatbelt bioregion. The type locality is Buntine Rocks Nature Reserve. References saplan Spiders of Australia Endemic fauna of Australia Arthropods of Western Australia Spiders described in 2019 Taxa named by Michael G. Rix Taxa named by Jeremy Dean Wilson Taxa named by Mark Harvey
Rainmaker was a visual effects and post-production company headquartered in Vancouver, Canada, with an office in Los Angeles, California, United States, which contributed to the final works for feature films, television shows, commercials and video games. It acquired and folded into Mainframe Studios in 2007. History Vancouver-based post-production firm Rainmaker Income Fund which owned Rainmaker Digital Effects announced its acquisition of a 62% stake in Mainframe Entertainment from IDT Corporation on 20 July 2006 for $13.8 million. The next month, Rainmaker announced it would acquire the remaining 38% of the company. On 30 January 2007, Mainframe rebranded as Rainmaker Animation. Rainmaker Income Fund announced on 29 August 2006, that RNK Capital L.P. would acquire the remaining 38% stake and merge into Rainmaker Income Fund. After the merger, Rainmaker announced on 31 January 2007 that Rainmaker Animation's name would be changed to Rainmaker Entertainment. On November 29, 2007, Rainmaker Income Fund announced the sale of Rainmaker Visual Effects and Rainmaker Post to Deluxe Entertainment Services Group, leaving only the animation business which it would fold into weeks later. Divisions The company had three divisions: Rainmaker Animation, Rainmaker Visual Effects and Rainmaker Post. Rainmaker Animation (now Mainframe Studios); creation of 3D animation for feature films, television films and outsources CGI animation to film and television studios. Rainmaker Visual Effects (now Method Studios Vancouver); provision of CGI effects for feature film, television, commercials, and video games. Rainmaker Post (now Encore Post Vancouver); provision of post-production services including traditional film lab processes, digital image processing, and HD. Film and television credits Rainmaker created special effects scenes for films such as I, Robot, Armageddon, and The Da Vinci Code, as well as television series such as Stargate SG-1, Stargate Atlantis and Smallville. References External links (for the animation department) Official Website for Method Studios (formerly Rainmaker Visual Effects) Official website for Encore (formerly Rainmaker Post) ; link currently unresponsive Visual effects companies 1993 establishments in British Columbia 2007 disestablishments in British Columbia
Kyaka Bridge, sometimes referred to as the Kagera Bridge, is a bridge in Tanzania that crosses the Kagera River. The bridge was blown up by Ugandan experts from Kilembe Mines in 1978 during the Uganda–Tanzania War. The present (truss) bridge is a Callender-Hamilton bridge supplied by the British structural steelwork fabricators Painter Brothers. References Bridges over the Kagera River Bridges in Tanzania
The Veblen-Commons Award is presented annually by the Association for Evolutionary Economics in recognition of outstanding scholarly contributions to the field of evolutionary institutional economics. It is the Association’s highest honor, named after two key originators of the evolutionary-institutionalist tradition, Thorstein B. Veblen and John R. Commons. Evolutionary institutional economics According to evolutionary institutionalism, economics “is the science of social provisioning.” To be sure, markets are important, but the market system is only one institution that influences the social provisioning process. Moreover, that system can take countless forms and is shaped by history and culture. Thus, understanding culture—how it evolves and its role in economic life—is a foundational element of evolutionary institutionalism. Empiricism is also a vital part of the evolutionary-institutionalist tradition. In fact, along with Veblen and Commons, Wesley C. Mitchell—founder of the National Bureau of Economic Research—was a major early contributor to institutionalism. Since the days of Veblen, Commons, and Mitchell, evolutionary institutionalists have sought to collect and use economic and social data (quantitative and qualitative in nature) in service of both scientific understanding and practical problem solving. Award recipients The Veblen-Commons Award has been given since 1969, with the first recipient being Allan Gruchy. Other early recipients include Gardiner Means, Gunnar Myrdal, John Kenneth Galbraith, and Rexford Tugwell. In the 1980s, J. Fagg Foster, David Hamilton, Harry Trebing, Marc Tool, and Wendell Gordon were among the winners. In the 1990s, winners included Wallace Peterson, Robert Heilbroner, and Hyman Minsky. More recent winners include Anne Mayhew, Edythe Miller, F. Gregory Hayden, Willam Dugger, Glen Atkinson, William Waller, Jim Peach, Janet Knoedler, and James K. Galbraith. A detailed description of the award, biography of the current winner, and list of past recipients can be found on the AFEE website. References External links The Association for Evolutionary Economics (publisher of award) Economics awards Thorstein Veblen
Helenoscoparia lucidalis is a moth in the family Crambidae. It was described by Francis Walker in John Charles Melliss's 1875 book. It is found on Saint Helena. References Moths described in 1875 Scopariinae
```objective-c /* This file is free software: you can redistribute it and/or modify (at your option) any later version. This file 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 the this software. If not, see <path_to_url */ #ifndef _IMAGE_FILTER_ #define _IMAGE_FILTER_ #define FILTER_MAX_WORKING_SURFACE_COUNT 8 typedef struct { unsigned char *Surface; unsigned int Pitch; unsigned int Width, Height; unsigned char *workingSurface[FILTER_MAX_WORKING_SURFACE_COUNT]; void *userData; } SSurface; void RenderDeposterize(SSurface Src, SSurface Dst); void RenderNearest2X (SSurface Src, SSurface Dst); void RenderLQ2X (SSurface Src, SSurface Dst); void RenderLQ2XS (SSurface Src, SSurface Dst); void RenderHQ2X (SSurface Src, SSurface Dst); void RenderHQ2XS (SSurface Src, SSurface Dst); void RenderHQ3X (SSurface Src, SSurface Dst); void RenderHQ3XS (SSurface Src, SSurface Dst); void RenderHQ4X (SSurface Src, SSurface Dst); void RenderHQ4XS (SSurface Src, SSurface Dst); void Render2xSaI (SSurface Src, SSurface Dst); void RenderSuper2xSaI (SSurface Src, SSurface Dst); void RenderSuperEagle (SSurface Src, SSurface Dst); void RenderScanline( SSurface Src, SSurface Dst); void RenderBilinear( SSurface Src, SSurface Dst); void RenderEPX( SSurface Src, SSurface Dst); void RenderEPXPlus( SSurface Src, SSurface Dst); void RenderEPX_1Point5x( SSurface Src, SSurface Dst); void RenderEPXPlus_1Point5x( SSurface Src, SSurface Dst); void RenderNearest_1Point5x( SSurface Src, SSurface Dst); void RenderNearestPlus_1Point5x( SSurface Src, SSurface Dst); void Render2xBRZ(SSurface Src, SSurface Dst); void Render3xBRZ(SSurface Src, SSurface Dst); void Render4xBRZ(SSurface Src, SSurface Dst); void Render5xBRZ(SSurface Src, SSurface Dst); void Render6xBRZ(SSurface Src, SSurface Dst); #endif // _IMAGE_FILTER_ ```
Günther Pospischil (born 21 May 1952) is an Austrian former footballer who played as a midfielder. He made five appearances for the Austria national team from 1979 to 1980. References External links 1952 births Living people Austrian men's footballers Footballers from Vienna Men's association football midfielders Austria men's international footballers Austrian Football Bundesliga players First Vienna FC players FK Austria Wien players Place of birth missing (living people)
```c++ #ifndef QT_SETTINGS_BUS_TRACKING_HPP #define QT_SETTINGS_BUS_TRACKING_HPP #include <QWidget> #define TRACK_CLEAR 0 #define TRACK_SET 1 #define DEV_HDD 0x01 #define DEV_CDROM 0x02 #define DEV_ZIP 0x04 #define DEV_MO 0x08 #define BUS_MFM 0 #define BUS_ESDI 1 #define BUS_XTA 2 #define BUS_IDE 3 #define BUS_SCSI 4 #define CHANNEL_NONE 0xff namespace Ui { class SettingsBusTracking; } class SettingsBusTracking { public: explicit SettingsBusTracking(); ~SettingsBusTracking() = default; QList<int> busChannelsInUse(int bus); /* These return 0xff is none is free. */ uint8_t next_free_mfm_channel(); uint8_t next_free_esdi_channel(); uint8_t next_free_xta_channel(); uint8_t next_free_ide_channel(); uint8_t next_free_scsi_id(); int mfm_bus_full(); int esdi_bus_full(); int xta_bus_full(); int ide_bus_full(); int scsi_bus_full(); /* Set: 0 = Clear the device from the tracking, 1 = Set the device on the tracking. Device type: 1 = Hard Disk, 2 = CD-ROM, 4 = ZIP, 8 = Magneto-Optical. Bus: 0 = MFM, 1 = ESDI, 2 = XTA, 3 = IDE, 4 = SCSI. */ void device_track(int set, uint8_t dev_type, int bus, int channel); private: /* 1 channel, 2 devices per channel, 8 bits per device = 16 bits. */ uint64_t mfm_tracking { 0 }; /* 1 channel, 2 devices per channel, 8 bits per device = 16 bits. */ uint64_t esdi_tracking { 0 }; /* 1 channel, 2 devices per channel, 8 bits per device = 16 bits. */ uint64_t xta_tracking { 0 }; /* 16 channels (prepatation for that weird IDE card), 2 devices per channel, 8 bits per device = 256 bits. */ uint64_t ide_tracking[4] { 0, 0, 0, 0 }; /* 9 buses (rounded upwards to 16for future-proofing), 16 devices per bus, 8 bits per device (future-proofing) = 2048 bits. */ uint64_t scsi_tracking[32] { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 }; }; #endif // QT_SETTINGS_BUS_TRACKING_HPP ```
```objective-c /* * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU Library General Public * * This library is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * * along with this library; see the file COPYING.LIB. If not, write to * the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, * Boston, MA 02110-1301, USA. */ #ifndef EditingBehavior_h #define EditingBehavior_h #include "core/CoreExport.h" #include "core/editing/EditingBehaviorTypes.h" namespace blink { class KeyboardEvent; class CORE_EXPORT EditingBehavior { public: explicit EditingBehavior(EditingBehaviorType type) : m_type(type) { } // Individual functions for each case where we have more than one style of editing behavior. // Create a new function for any platform difference so we can control it here. // When extending a selection beyond the top or bottom boundary of an editable area, // maintain the horizontal position on Windows and Android but extend it to the boundary of // the editable content on Mac and Linux. bool shouldMoveCaretToHorizontalBoundaryWhenPastTopOrBottom() const { return m_type != EditingWindowsBehavior && m_type != EditingAndroidBehavior; } // On Windows, selections should always be considered as directional, regardless if it is // mouse-based or keyboard-based. bool shouldConsiderSelectionAsDirectional() const { return m_type != EditingMacBehavior; } // On Mac, when revealing a selection (for example as a result of a Find operation on the Browser), // content should be scrolled such that the selection gets certer aligned. bool shouldCenterAlignWhenSelectionIsRevealed() const { return m_type == EditingMacBehavior; } // On Mac, style is considered present when present at the beginning of selection. On other platforms, // style has to be present throughout the selection. bool shouldToggleStyleBasedOnStartOfSelection() const { return m_type == EditingMacBehavior; } // Standard Mac behavior when extending to a boundary is grow the selection rather than leaving the base // in place and moving the extent. Matches NSTextView. bool shouldAlwaysGrowSelectionWhenExtendingToBoundary() const { return m_type == EditingMacBehavior; } // On Mac, when processing a contextual click, the object being clicked upon should be selected. bool shouldSelectOnContextualMenuClick() const { return m_type == EditingMacBehavior; } // On Mac and Windows, pressing backspace (when it isn't handled otherwise) should navigate back. bool shouldNavigateBackOnBackspace() const { return m_type != EditingUnixBehavior && m_type != EditingAndroidBehavior; } // On Mac, selecting backwards by word/line from the middle of a word/line, and then going // forward leaves the caret back in the middle with no selection, instead of directly selecting // to the other end of the line/word (Unix/Windows behavior). bool shouldExtendSelectionByWordOrLineAcrossCaret() const { return m_type != EditingMacBehavior; } // Based on native behavior, when using ctrl(alt)+arrow to move caret by word, ctrl(alt)+left arrow moves caret to // immediately before the word in all platforms, for example, the word break positions are: "|abc |def |hij |opq". // But ctrl+right arrow moves caret to "abc |def |hij |opq" on Windows and "abc| def| hij| opq|" on Mac and Linux. bool shouldSkipSpaceWhenMovingRight() const { return m_type == EditingWindowsBehavior; } // On Mac, undo of delete/forward-delete of text should select the deleted text. On other platforms deleted text // should not be selected and the cursor should be placed where the deletion started. bool shouldUndoOfDeleteSelectText() const { return m_type == EditingMacBehavior; } // Support for global selections, used on platforms like the X Window // System that treat selection as a type of clipboard. bool supportsGlobalSelection() const { return m_type != EditingWindowsBehavior && m_type != EditingMacBehavior; } // Convert a KeyboardEvent to a command name like "Copy", "Undo" and so on. // If nothing, return empty string. const char* interpretKeyEvent(const KeyboardEvent&) const; bool shouldInsertCharacter(const KeyboardEvent&) const; private: EditingBehaviorType m_type; }; } // namespace blink #endif // EditingBehavior_h ```
```cmake # This file records the Unity Build compilation rules. # The source files in a `register_unity_group` called are compiled in a unity # file. # Generally, the combination rules in this file do not need to be modified. # If there are some redefined error in compiling with the source file which # in combination rule, you can remove the source file from the following rules. register_unity_group( cc ftrl_op.cc lars_momentum_op.cc proximal_gd_op.cc decayed_adagrad_op.cc adadelta_op.cc dpsgd_op.cc) register_unity_group( cu ftrl_op.cu lars_momentum_op.cu momentum_op.cu sgd_op.cu adagrad_op.cu decayed_adagrad_op.cu adadelta_op.cu lamb_op.cu) ```
```c++ /* boost random/detail/large_arithmetic.hpp header file * * accompanying file LICENSE_1_0.txt or copy at * path_to_url * * See path_to_url for most recent version including documentation. * * $Id: large_arithmetic.hpp 71018 2011-04-05 21:27:52Z steven_watanabe $ */ #ifndef BOOST_RANDOM_DETAIL_LARGE_ARITHMETIC_HPP #define BOOST_RANDOM_DETAIL_LARGE_ARITHMETIC_HPP #include <boost/cstdint.hpp> #include <boost/integer.hpp> #include <boost/limits.hpp> #include <boost/random/detail/integer_log2.hpp> #include <boost/random/detail/disable_warnings.hpp> namespace boost { namespace random { namespace detail { struct div_t { boost::uintmax_t quotient; boost::uintmax_t remainder; }; inline div_t muldivmod(boost::uintmax_t a, boost::uintmax_t b, boost::uintmax_t m) { static const int bits = ::std::numeric_limits< ::boost::uintmax_t>::digits / 2; static const ::boost::uintmax_t mask = (::boost::uintmax_t(1) << bits) - 1; typedef ::boost::uint_t<bits>::fast digit_t; int shift = std::numeric_limits< ::boost::uintmax_t>::digits - 1 - detail::integer_log2(m); a <<= shift; m <<= shift; digit_t product[4] = { 0, 0, 0, 0 }; digit_t a_[2] = { digit_t(a & mask), digit_t((a >> bits) & mask) }; digit_t b_[2] = { digit_t(b & mask), digit_t((b >> bits) & mask) }; digit_t m_[2] = { digit_t(m & mask), digit_t((m >> bits) & mask) }; // multiply a * b for(int i = 0; i < 2; ++i) { digit_t carry = 0; for(int j = 0; j < 2; ++j) { ::boost::uint64_t temp = ::boost::uintmax_t(a_[i]) * b_[j] + carry + product[i + j]; product[i + j] = digit_t(temp & mask); carry = digit_t(temp >> bits); } if(carry != 0) { product[i + 2] += carry; } } digit_t quotient[2]; if(m == 0) { div_t result = { ((::boost::uintmax_t(product[3]) << bits) | product[2]), ((::boost::uintmax_t(product[1]) << bits) | product[0]) >> shift, }; return result; } // divide product / m for(int i = 3; i >= 2; --i) { ::boost::uintmax_t temp = ::boost::uintmax_t(product[i]) << bits | product[i - 1]; digit_t q = digit_t((product[i] == m_[1]) ? mask : temp / m_[1]); ::boost::uintmax_t rem = ((temp - ::boost::uintmax_t(q) * m_[1]) << bits) + product[i - 2]; ::boost::uintmax_t diff = m_[0] * ::boost::uintmax_t(q); int error = 0; if(diff > rem) { if(diff - rem > m) { error = 2; } else { error = 1; } } q -= error; rem = rem + error * m - diff; quotient[i - 2] = q; product[i] = 0; product[i-1] = (rem >> bits) & mask; product[i-2] = rem & mask; } div_t result = { ((::boost::uintmax_t(quotient[1]) << bits) | quotient[0]), ((::boost::uintmax_t(product[1]) << bits) | product[0]) >> shift, }; return result; } inline boost::uintmax_t muldiv(boost::uintmax_t a, boost::uintmax_t b, boost::uintmax_t m) { return detail::muldivmod(a, b, m).quotient; } inline boost::uintmax_t mulmod(boost::uintmax_t a, boost::uintmax_t b, boost::uintmax_t m) { return detail::muldivmod(a, b, m).remainder; } } // namespace detail } // namespace random } // namespace boost #include <boost/random/detail/enable_warnings.hpp> #endif // BOOST_RANDOM_DETAIL_LARGE_ARITHMETIC_HPP ```
Amy Carter (born March 14, 1970) is a former Democratic-turned-Republican member of the Georgia House of Representatives, representing the 175th district from 2007 until her resignation on December 31, 2017, to become executive director of Advancement at the Technical College System of Georgia. Her district includes Brooks County and parts of Lowndes County and Thomas County, Georgia. Carter bears no close relation to former President Jimmy Carter, who has a daughter of the same name. Her legislative district is about south of President Carter's hometown of Plains. See also List of state government committees (Georgia) References External links Amy for Georgia Official Campaign Website Georgia House of Representatives - Representative Amy Carter official GA House website Project Vote Smart - Representative Amy Carter (GA) profile Follow the Money - Amy Carter 2006 campaign contributions Members of the Georgia House of Representatives 1967 births Living people Women state legislators in Georgia (U.S. state) People from Valdosta, Georgia Valdosta State University alumni Georgia (U.S. state) Democrats Georgia (U.S. state) Republicans 21st-century American politicians 21st-century American women politicians
Armand Le Gardeur de Tilly (Rochefort, 14 January 1733 — La Salle, near Champagne, Charente-Maritime, 1 January 1812) was a French Navy officer. He served in the War of American Independence. Biography Le Gardeur de Tilly was the first son born to the family of a Navy captain. He joined the Navy as a Garde-Marine on 6 July 1750. He was promoted to Lieutenant on 1 May 1763. Le Gardeur was promoted to Captain on 24 October 1778. That same year, he was in command of the frigate Concorde. On 21 August, he captured the British frigate HMS Minerva. His younger brother, also a Navy officer serving on Concorde, was killed in the action. The action was celebrated to the point that the Navy Minister commissioned a painting of the battle. On 18 February 1779, Concorde encountered a 32-gun British frigate, that she fought for three hours before the ships disengaged. Le Gardeur de Tilly was wounded in the action. In early 1781, Des Touches gave Le Gardeur command of a division comprising the 64-gun Éveillé, the frigates Gentille and Surveillante, and the cutter Guêpe. On 19 February 1781, The squadron met a British convoy, and captured the 44-gun HMS Romulus and 8 transports. They burnt 4 of the transports, sent the others to Yorktown, and took Romulus in French service. He took part in the Battle of Cape Henry on 16 March 1781, and in the Battle of the Saintes on 12 April 1782. Le Gardeur de Tilly retired in 1792, with the rank of Vice-Admiral. During the Reign of Terror, Le Gardeur de Tilly was imprisoned, but he was freed at the Thermidorian Reaction. Notes Citations References French Navy officers French military personnel of the American Revolutionary War
Binlang Islet () is an islet located in Lieyu Township, Kinmen County (Quemoy), Taiwan (ROC). The islet can be seen from the shore near Lingshui Lake and from the shore near Shaxi Fort () in the southwestern part of Lesser Kinmen (Lieyu) as well as from Siming District, Xiamen (Amoy), Fujian, China (PRC). The highest point on the islet is above sea level. History Since 2006, a swimming competition has been held annually in which the competitors swim from the shore of Lesser Kinmen to that of Xiamen Island (Amoy). In the competition, Binlang Islet serves as a mid-way resting place. In 2012, fishermen from mainland China were arrested for crossing into the prohibited area and collecting oysters at Binlang Islet. In December 2018, it was discovered that oyster farming in the vicinity of Binlang Islet was being used as a cover for smuggling oysters to Taiwan. On the morning of March 16, 2020, three ships from the Coast Guard Administration and Kinmen County government removed illegal fishing nets from the waters around Binlang Islet. More than ten unnamed fishing ships from mainland China were in Kinmen County waters. The mainland China ships rammed a Taiwan (ROC) ship and their crews threw bottles and rocks at the Taiwanese ships. Gallery See also List of islands of Taiwan List of uninhabited islands References External links Swimming across the Taiwan Strait (islet can be seen at 0:16) 烈嶼越界捕魚 民眾網上議論 ('Crossing the Boundary to Fish in Lieyu's Waters- Public Opinion Online') Islands of Fujian, Republic of China Landforms of Kinmen County Lieyu Township